content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
#Unique Nickname while True: online = input("Online now: ") nickname = input("Nickname: ") online_list = online.split(" ") if nickname not in online_list: print("Welcome, {}!".format(nickname)) else: print("Sorry, that nickname is taken.")
while True: online = input('Online now: ') nickname = input('Nickname: ') online_list = online.split(' ') if nickname not in online_list: print('Welcome, {}!'.format(nickname)) else: print('Sorry, that nickname is taken.')
class Code: SUCCESS = 0 NO_PARAM = 1 ERROR =-1 msg = { SUCCESS: "success", NO_PARAM: "param error", ERROR:"error" }
class Code: success = 0 no_param = 1 error = -1 msg = {SUCCESS: 'success', NO_PARAM: 'param error', ERROR: 'error'}
# DROP TABLES songplay_table_drop = "DROP TABLE IF EXISTS f_songplays;" user_table_drop = "DROP TABLE IF EXISTS d_users;" song_table_drop = "DROP TABLE IF EXISTS d_songs;" artist_table_drop = "DROP TABLE IF EXISTS d_artists;" time_table_drop = "DROP TABLE IF EXISTS d_times;" # CREATE TABLES user_table_create = ("CREATE TABLE IF NOT EXISTS d_users \ (user_id int PRIMARY KEY, first_name varchar(80) NOT NULL, last_name varchar(100) NOT NULL, \ gender character NOT NULL, level varchar(10) NOT NULL);") song_table_create = ("CREATE TABLE IF NOT EXISTS d_songs \ (song_id varchar(18) PRIMARY KEY, title varchar(200) NOT NULL, artist_id varchar(18) NOT NULL, \ year int, duration numeric);") artist_table_create = ("CREATE TABLE IF NOT EXISTS d_artists \ (artist_id varchar(18) PRIMARY KEY, name varchar(200) NOT NULL, \ location varchar(200), latitude numeric, longitude numeric);") time_table_create = ("CREATE TABLE IF NOT EXISTS d_times \ (start_time timestamp PRIMARY KEY, hour smallint, day smallint NOT NULL, \ week smallint NOT NULL, month smallint NOT NULL, year smallint NOT NULL, weekday smallint NOT NULL);") songplay_table_create = ("CREATE TABLE IF NOT EXISTS f_songplays \ (songplay_id serial PRIMARY KEY, start_time timestamp REFERENCES d_times(start_time), \ user_id int REFERENCES d_users(user_id), level varchar(10), \ song_id varchar(18) REFERENCES d_songs(song_id), artist_id varchar(18) REFERENCES d_artists(artist_id), \ session_id int, location varchar(200), user_agent varchar(200));") # INSERT RECORDS # use DEFAULT value for songplay_id as it is a serial songplay_table_insert = ("INSERT INTO f_songplays \ (start_time, user_id, level, song_id, artist_id, session_id, location, user_agent) \ VALUES (%s, %s, %s, %s, %s, %s, %s, %s)") # user data should be TIME DEPENDENT # use named arguments (as dictionary) to deal with ON CONFLICT UPDATE # https://www.psycopg.org/docs/usage.html user_table_insert = ("INSERT INTO d_users \ (user_id, first_name, last_name, gender, level) \ VALUES(%(user_id)s, %(first_name)s, %(last_name)s, %(gender)s, %(level)s) \ ON CONFLICT (user_id) DO UPDATE \ SET level = EXCLUDED.level") # potentially no conflict to expect song_table_insert = ("INSERT INTO d_songs \ (song_id, title, artist_id, year, duration) \ VALUES(%s, %s, %s, %s, %s) \ ON CONFLICT DO NOTHING") # potentially no conflict to expect artist_table_insert = ("INSERT INTO d_artists \ (artist_id, name, location, latitude, longitude) \ VALUES(%s, %s, %s, %s, %s) \ ON CONFLICT DO NOTHING") # in case of conflict do nothing time_table_insert = ("INSERT INTO d_times \ (start_time, hour, day, week, month, year, weekday) \ VALUES(%s, %s, %s, %s, %s, %s, %s) \ ON CONFLICT DO NOTHING") # FIND SONGS song_select = ("SELECT song_id, d_artists.artist_id FROM ( \ d_songs JOIN d_artists ON d_artists.artist_id=d_songs.artist_id ) \ WHERE title=%s AND name=%s AND duration=%s;") # QUERY LISTS create_table_queries = [user_table_create, song_table_create, artist_table_create, time_table_create, songplay_table_create] drop_table_queries = [songplay_table_drop, user_table_drop, song_table_drop, artist_table_drop, time_table_drop]
songplay_table_drop = 'DROP TABLE IF EXISTS f_songplays;' user_table_drop = 'DROP TABLE IF EXISTS d_users;' song_table_drop = 'DROP TABLE IF EXISTS d_songs;' artist_table_drop = 'DROP TABLE IF EXISTS d_artists;' time_table_drop = 'DROP TABLE IF EXISTS d_times;' user_table_create = 'CREATE TABLE IF NOT EXISTS d_users (user_id int PRIMARY KEY, first_name varchar(80) NOT NULL, last_name varchar(100) NOT NULL, gender character NOT NULL, level varchar(10) NOT NULL);' song_table_create = 'CREATE TABLE IF NOT EXISTS d_songs (song_id varchar(18) PRIMARY KEY, title varchar(200) NOT NULL, artist_id varchar(18) NOT NULL, year int, duration numeric);' artist_table_create = 'CREATE TABLE IF NOT EXISTS d_artists (artist_id varchar(18) PRIMARY KEY, name varchar(200) NOT NULL, location varchar(200), latitude numeric, longitude numeric);' time_table_create = 'CREATE TABLE IF NOT EXISTS d_times (start_time timestamp PRIMARY KEY, hour smallint, day smallint NOT NULL, week smallint NOT NULL, month smallint NOT NULL, year smallint NOT NULL, weekday smallint NOT NULL);' songplay_table_create = 'CREATE TABLE IF NOT EXISTS f_songplays (songplay_id serial PRIMARY KEY, start_time timestamp REFERENCES d_times(start_time), user_id int REFERENCES d_users(user_id), level varchar(10), song_id varchar(18) REFERENCES d_songs(song_id), artist_id varchar(18) REFERENCES d_artists(artist_id), session_id int, location varchar(200), user_agent varchar(200));' songplay_table_insert = 'INSERT INTO f_songplays (start_time, user_id, level, song_id, artist_id, session_id, location, user_agent) VALUES (%s, %s, %s, %s, %s, %s, %s, %s)' user_table_insert = 'INSERT INTO d_users (user_id, first_name, last_name, gender, level) VALUES(%(user_id)s, %(first_name)s, %(last_name)s, %(gender)s, %(level)s) ON CONFLICT (user_id) DO UPDATE SET level = EXCLUDED.level' song_table_insert = 'INSERT INTO d_songs (song_id, title, artist_id, year, duration) VALUES(%s, %s, %s, %s, %s) ON CONFLICT DO NOTHING' artist_table_insert = 'INSERT INTO d_artists (artist_id, name, location, latitude, longitude) VALUES(%s, %s, %s, %s, %s) ON CONFLICT DO NOTHING' time_table_insert = 'INSERT INTO d_times (start_time, hour, day, week, month, year, weekday) VALUES(%s, %s, %s, %s, %s, %s, %s) ON CONFLICT DO NOTHING' song_select = 'SELECT song_id, d_artists.artist_id FROM ( d_songs JOIN d_artists ON d_artists.artist_id=d_songs.artist_id ) WHERE title=%s AND name=%s AND duration=%s;' create_table_queries = [user_table_create, song_table_create, artist_table_create, time_table_create, songplay_table_create] drop_table_queries = [songplay_table_drop, user_table_drop, song_table_drop, artist_table_drop, time_table_drop]
def insert_sort(unsorted): sorted = [] while unsorted: x = unsorted.pop() len_sorted = len(sorted) for i in range(len_sorted): if sorted[i] >= x: sorted.insert(i, x) break if len_sorted == len(sorted): sorted.append(x) return sorted def merge_sort(unsorted): size = len(unsorted) if size == 1: return unsorted split_idx = size // 2 # split input and sort separately s1 = merge_sort(unsorted[split_idx:]) s2 = merge_sort(unsorted[:split_idx]) # merge/sort split inputs to return a single output sorted = [] while len(sorted) < size: if s1[0] <= s2[0]: sorted.append(s1.pop(0)) if len(s1) == 0: sorted += s2 else: sorted.append(s2.pop(0)) if len(s2) == 0: sorted += s1 return sorted def quick_sort(unsorted): size = len(unsorted) if size <= 1: return unsorted pivot = unsorted.pop(0) lower = [] upper = [] while unsorted: x = unsorted.pop(0) if x <= pivot: lower.append(x) else: upper.append(x) sorted = quick_sort(lower) + [pivot] + quick_sort(upper) return sorted if __name__=='__main__': x = [4,1,5,3,4,3] print(x) print(insert_sort(x.copy())) print(merge_sort(x.copy())) print(quick_sort(x.copy()))
def insert_sort(unsorted): sorted = [] while unsorted: x = unsorted.pop() len_sorted = len(sorted) for i in range(len_sorted): if sorted[i] >= x: sorted.insert(i, x) break if len_sorted == len(sorted): sorted.append(x) return sorted def merge_sort(unsorted): size = len(unsorted) if size == 1: return unsorted split_idx = size // 2 s1 = merge_sort(unsorted[split_idx:]) s2 = merge_sort(unsorted[:split_idx]) sorted = [] while len(sorted) < size: if s1[0] <= s2[0]: sorted.append(s1.pop(0)) if len(s1) == 0: sorted += s2 else: sorted.append(s2.pop(0)) if len(s2) == 0: sorted += s1 return sorted def quick_sort(unsorted): size = len(unsorted) if size <= 1: return unsorted pivot = unsorted.pop(0) lower = [] upper = [] while unsorted: x = unsorted.pop(0) if x <= pivot: lower.append(x) else: upper.append(x) sorted = quick_sort(lower) + [pivot] + quick_sort(upper) return sorted if __name__ == '__main__': x = [4, 1, 5, 3, 4, 3] print(x) print(insert_sort(x.copy())) print(merge_sort(x.copy())) print(quick_sort(x.copy()))
words = {} first_line = input().split() iterations = int(first_line[0]) for i in range(int(first_line[1])): line = input().split() words[int(line[0])] = line[1] for n in range(1, iterations+1): o = "" for i, word in words.items(): if n % i == 0: o += word print(o if o else n)
words = {} first_line = input().split() iterations = int(first_line[0]) for i in range(int(first_line[1])): line = input().split() words[int(line[0])] = line[1] for n in range(1, iterations + 1): o = '' for (i, word) in words.items(): if n % i == 0: o += word print(o if o else n)
class BackendError(Exception): pass class ThreadStoppedError(Exception): pass
class Backenderror(Exception): pass class Threadstoppederror(Exception): pass
class Solution: def arrayStringsAreEqual(self, word1: List[str], word2: List[str]) -> bool: s1 = "".join(word1) s2 = "".join(word2) return s1 == s2
class Solution: def array_strings_are_equal(self, word1: List[str], word2: List[str]) -> bool: s1 = ''.join(word1) s2 = ''.join(word2) return s1 == s2
def matrix_sum(matrix): total_sum = 0 for row in matrix: total_sum += sum(row) return total_sum rows_count, columns_count = [int(x) for x in input().split(', ')] matrix = [] for _ in range(rows_count): row = [int(x) for x in input().split(', ')] matrix.append(row) print(matrix_sum(matrix)) print(matrix)
def matrix_sum(matrix): total_sum = 0 for row in matrix: total_sum += sum(row) return total_sum (rows_count, columns_count) = [int(x) for x in input().split(', ')] matrix = [] for _ in range(rows_count): row = [int(x) for x in input().split(', ')] matrix.append(row) print(matrix_sum(matrix)) print(matrix)
# generated from catkin/cmake/template/pkg.context.pc.in CATKIN_PACKAGE_PREFIX = "" PROJECT_PKG_CONFIG_INCLUDE_DIRS = "/home/graspinglab/carla-ros-bridge/Paresh-Soni-F110-2020/soni_f110_ws/src/f110-skeletons-spring2020/system/vesc/vesc_driver/include".split(';') if "/home/graspinglab/carla-ros-bridge/Paresh-Soni-F110-2020/soni_f110_ws/src/f110-skeletons-spring2020/system/vesc/vesc_driver/include" != "" else [] PROJECT_CATKIN_DEPENDS = "nodelet;pluginlib;roscpp;std_msgs;vesc_msgs;serial".replace(';', ' ') PKG_CONFIG_LIBRARIES_WITH_PREFIX = "".split(';') if "" != "" else [] PROJECT_NAME = "vesc_driver" PROJECT_SPACE_DIR = "/home/graspinglab/carla-ros-bridge/Paresh-Soni-F110-2020/soni_f110_ws/devel" PROJECT_VERSION = "0.0.1"
catkin_package_prefix = '' project_pkg_config_include_dirs = '/home/graspinglab/carla-ros-bridge/Paresh-Soni-F110-2020/soni_f110_ws/src/f110-skeletons-spring2020/system/vesc/vesc_driver/include'.split(';') if '/home/graspinglab/carla-ros-bridge/Paresh-Soni-F110-2020/soni_f110_ws/src/f110-skeletons-spring2020/system/vesc/vesc_driver/include' != '' else [] project_catkin_depends = 'nodelet;pluginlib;roscpp;std_msgs;vesc_msgs;serial'.replace(';', ' ') pkg_config_libraries_with_prefix = ''.split(';') if '' != '' else [] project_name = 'vesc_driver' project_space_dir = '/home/graspinglab/carla-ros-bridge/Paresh-Soni-F110-2020/soni_f110_ws/devel' project_version = '0.0.1'
#!/usr/bin/python3 def multiple_returns(sentence): "returns a tuple with the length of a string and its first character" "if the sentence is empty, the first character should be equal to None" if sentence == "": return (0, None) return (len(sentence), sentence[0])
def multiple_returns(sentence): """returns a tuple with the length of a string and its first character""" 'if the sentence is empty, the first character should be equal to None' if sentence == '': return (0, None) return (len(sentence), sentence[0])
#!/usr/bin/python # -*- coding: utf-8 -*- # vi: ts=4 sw=4 ################################################################################ # Short-term settings (specific to a particular user/experiment) can # be placed in this file. You may instead wish to make a copy of this file in # the user's data directory, and use that as a working copy. ################################################################################ #logbooks_default = ['User Experiments'] #tags_default = ['CFN Soft-Bio'] if False: # The following shortcuts can be used for unit conversions. For instance, # for a motor operating in 'mm' units, one could instead do: # sam.xr( 10*um ) # To move it by 10 micrometers. HOWEVER, one must be careful if using # these conversion parameters, since they make implicit assumptions. # For instance, they assume linear axes are all using 'mm' units. Conversely, # you will not receive an error if you try to use 'um' for a rotation axis! m = 1e3 cm = 10.0 mm = 1.0 um = 1e-3 nm = 1e-6 inch = 25.4 pixel = 0.172 # Pilatus deg = 1.0 rad = np.degrees(1.0) mrad = np.degrees(1e-3) urad = np.degrees(1e-6) def get_default_stage(): return stg class SampleTSAXS(SampleTSAXS_Generic): def __init__(self, name, base=None, **md): super().__init__(name=name, base=base, **md) self.naming_scheme = ['name', 'extra', 'exposure_time'] class SampleGISAXS(SampleGISAXS_Generic): def __init__(self, name, base=None, **md): super().__init__(name=name, base=base, **md) self.naming_scheme = ['name', 'extra', 'th', 'exposure_time'] class SampleCDSAXS(SampleCDSAXS_Generic): def __init__(self, name, base=None, **md): super().__init__(name=name, base=base, **md) self.naming_scheme = ['name', 'extra', 'phi', 'exposure_time'] class Sample(SampleTSAXS): def _measureTimeSeries(self, exposure_time=None, num_frames=10, wait_time=None, extra=None, measure_type='measureTimeSeries', verbosity=3, **md): self.naming_scheme_hold = self.naming_scheme self.naming_scheme = ['name', 'extra', 'clock', 'exposure_time'] super().measureTimeSeries(exposure_time=exposure_time, num_frames=num_frames, wait_time=wait_time, extra=extra, measure_type=measure_type, verbosity=verbosity, **md) self.naming_scheme = self.naming_scheme_hold def goto(self, label, verbosity=3, **additional): super().goto(label, verbosity=verbosity, **additional) # You can add customized 'goto' behavior here #cms.SAXS.setCalibration([247.5, 528.0], 2.395, [0, 27.52]) # 2017-01-30, 17 keV #cms.SAXS.setCalibration([263.5, 552.0], 5.038, [0.00, 35.00]) # 2017-02-08, 13.5 keV cms.SAXS.setCalibration([379.0, 552.0], 5.038, [20.00, 35.00]) # 2017-02-08, 13.5 keV print('\n\n\nReminders:') print(' Define your detectors using, e.g.: detselect(pilatus2M)') print(' Reload your user-specific script, e.g.: %run -i /GPFS/xf11bm/data/2017_2/user_group/user.py') print('\n') if False: # For testing (and as examples...) # %run -i /opt/ipython_profiles/profile_collection/startup/98-user.py hol = CapillaryHolder(base=stg) hol.addSampleSlot( Sample('test_sample_01'), 1.0 ) hol.addSampleSlot( Sample('test_sample_02'), 3.0 ) hol.addSampleSlot( Sample('test_sample_03'), 5.0 ) sam = hol.getSample(1)
if False: m = 1000.0 cm = 10.0 mm = 1.0 um = 0.001 nm = 1e-06 inch = 25.4 pixel = 0.172 deg = 1.0 rad = np.degrees(1.0) mrad = np.degrees(0.001) urad = np.degrees(1e-06) def get_default_stage(): return stg class Sampletsaxs(SampleTSAXS_Generic): def __init__(self, name, base=None, **md): super().__init__(name=name, base=base, **md) self.naming_scheme = ['name', 'extra', 'exposure_time'] class Samplegisaxs(SampleGISAXS_Generic): def __init__(self, name, base=None, **md): super().__init__(name=name, base=base, **md) self.naming_scheme = ['name', 'extra', 'th', 'exposure_time'] class Samplecdsaxs(SampleCDSAXS_Generic): def __init__(self, name, base=None, **md): super().__init__(name=name, base=base, **md) self.naming_scheme = ['name', 'extra', 'phi', 'exposure_time'] class Sample(SampleTSAXS): def _measure_time_series(self, exposure_time=None, num_frames=10, wait_time=None, extra=None, measure_type='measureTimeSeries', verbosity=3, **md): self.naming_scheme_hold = self.naming_scheme self.naming_scheme = ['name', 'extra', 'clock', 'exposure_time'] super().measureTimeSeries(exposure_time=exposure_time, num_frames=num_frames, wait_time=wait_time, extra=extra, measure_type=measure_type, verbosity=verbosity, **md) self.naming_scheme = self.naming_scheme_hold def goto(self, label, verbosity=3, **additional): super().goto(label, verbosity=verbosity, **additional) cms.SAXS.setCalibration([379.0, 552.0], 5.038, [20.0, 35.0]) print('\n\n\nReminders:') print(' Define your detectors using, e.g.: detselect(pilatus2M)') print(' Reload your user-specific script, e.g.: %run -i /GPFS/xf11bm/data/2017_2/user_group/user.py') print('\n') if False: hol = capillary_holder(base=stg) hol.addSampleSlot(sample('test_sample_01'), 1.0) hol.addSampleSlot(sample('test_sample_02'), 3.0) hol.addSampleSlot(sample('test_sample_03'), 5.0) sam = hol.getSample(1)
# -*- coding: utf-8 -*- n = 0 a = 0 g = 0 d = 0 while n!=4: n = int(input()) if n==1: a += 1 if n==2: g += 1 if n==3: d += 1 print('''MUITO OBRIGADO Alcool: {} Gasolina: {} Diesel: {}'''.format(a, g, d))
n = 0 a = 0 g = 0 d = 0 while n != 4: n = int(input()) if n == 1: a += 1 if n == 2: g += 1 if n == 3: d += 1 print('MUITO OBRIGADO\nAlcool: {}\nGasolina: {}\nDiesel: {}'.format(a, g, d))
class TableNotFoundException(Exception): def __init__(self, database, table): self.database = database self.table = table Exception.__init__(self, "table not find %s.%s" % (database, table))
class Tablenotfoundexception(Exception): def __init__(self, database, table): self.database = database self.table = table Exception.__init__(self, 'table not find %s.%s' % (database, table))
# CALCULATE CANADIAN SALES TAX # If the province is Alberta or Nunavut charge 5% # If the province is Ontario charge 13% # If only one of the conditions will ever occur you can use a single if statement with elif province = input("What province do you live in? ") tax = 0 if province == 'Alberta': tax = 0.05 elif province == 'Nunavut': tax = 0.05 elif province == 'Ontario': tax = 0.13 print(tax) # If the province is Alberta or Nunavut charge 5% # If the province is Ontario charge 13% # For all other provinces charge 15% # When you use elif instead of multiple if statements you can add a default action province = input("What province do you live in? ") tax = 0 if province == 'Alberta': tax = 0.05 elif province == 'Nunavut': tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 print(tax) # If multiple conditions cause the same action they can be combined into a single condition province = input("What province do you live in? ") tax = 0 # I'm assuming initially that the tax is zero if province == 'Alberta' or province == 'Nunavut': tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 print(tax) # If the province is Alberta, Nunavut, or Yukon charge 5% # If the province is Ontario charge 13% # For all other provinces charge 15% # If you have a list of possible values to check, you can use the IN operator province = input("What province do you live in? ") tax = 0 if province in('Alberta', 'Nunavut', 'Yukon'): tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 print(tax) # CALCULATE CANADIAN SALES TAX FOR CANADIAN RESIDENTS # If the province is Alberta, Nunavut, or Yukon charge 5% # If the province is Ontario charge 13% # For all other provinces charge 15% # Non Canadian residents do not pay sales tax # If an action depends on a combination of conditions you can nest if statements country = input("What country do you live in? ") if country.lower() == 'canada': province = input("What province/state do you live in? ") if province in('Alberta', \ 'Nunavut', 'Yukon'): tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 else: tax = 0.0 print(tax)
province = input('What province do you live in? ') tax = 0 if province == 'Alberta': tax = 0.05 elif province == 'Nunavut': tax = 0.05 elif province == 'Ontario': tax = 0.13 print(tax) province = input('What province do you live in? ') tax = 0 if province == 'Alberta': tax = 0.05 elif province == 'Nunavut': tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 print(tax) province = input('What province do you live in? ') tax = 0 if province == 'Alberta' or province == 'Nunavut': tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 print(tax) province = input('What province do you live in? ') tax = 0 if province in ('Alberta', 'Nunavut', 'Yukon'): tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 print(tax) country = input('What country do you live in? ') if country.lower() == 'canada': province = input('What province/state do you live in? ') if province in ('Alberta', 'Nunavut', 'Yukon'): tax = 0.05 elif province == 'Ontario': tax = 0.13 else: tax = 0.15 else: tax = 0.0 print(tax)
#!/usr/bin/env python #coding=utf-8 __author__ = 'vzer' class Base_Config(object): #app config SECRET_KEY="" POST_PRE_PAGE=6 REGISTERCODE="" DEBUG = True #mysql config MYSQL_DB = "" MYSQL_USER = "" MYSQL_PASS = "" MYSQL_HOST = "" MYSQL_PORT =0 SQLALCHEMY_DATABASE_URI = 'mysql://%s:%s@%s:%s/%s' \ % (MYSQL_USER, MYSQL_PASS, MYSQL_HOST, MYSQL_PORT, MYSQL_DB) SQLALCHEMY_ECHO=True #mail config ADMINS = [] MAIL_SERVER = u'' MAIL_USERNAME = u'' MAIL_PASSWORD = u'' DEFAULT_MAIL_SENDER = u'' MAIL_USE_TLS=False MAIL_USE_SSL=False #log config DEBUG_LOG = 'logs/debug.log' ERROR_LOG = 'logs/error.log' class Dev_Config(Base_Config): #app config SECRET_KEY="vzer_blog_1589" POST_PRE_PAGE=6 REGISTERCODE="cheurbim_1589" DEBUG = True #mysql config MYSQL_DB = "vzerblog" MYSQL_USER = "vzer" MYSQL_PASS = "wwwlin123" MYSQL_HOST = "192.168.1.246" MYSQL_PORT = int("3306") SQLALCHEMY_DATABASE_URI = 'mysql://%s:%s@%s:%s/%s' \ % (MYSQL_USER, MYSQL_PASS, MYSQL_HOST, MYSQL_PORT, MYSQL_DB) SQLALCHEMY_ECHO=True SQLALCHEMY_TRACK_MODIFICATIONS=True #mail config ADMINS = ["zhangcunlei@xiniunet.com",] MAIL_SERVER = u'smtp.xiniunet.com' MAIL_USERNAME = u'zhangcunlei@xiniunet.com' MAIL_PASSWORD = u'wwwlin123!' DEFAULT_MAIL_SENDER = u'zhangcunlei@xiniunet.com' MAIL_USE_TLS=False MAIL_USE_SSL=False #log config DEBUG_LOG = 'logs/debug.log' ERROR_LOG = 'logs/error.log' class Pro_Config(Base_Config): #app config SECRET_KEY="vzer_blog_1589" POST_PRE_PAGE=6 REGISTERCODE="cheurbim_1589" DEBUG = False #mysql config MYSQL_DB = "vzerblog" MYSQL_USER = "vzer" MYSQL_PASS = "wwwlin123" MYSQL_HOST = "192.168.1.246" MYSQL_PORT = int("3306") SQLALCHEMY_DATABASE_URI = 'mysql://%s:%s@%s:%s/%s' \ % (MYSQL_USER, MYSQL_PASS, MYSQL_HOST, MYSQL_PORT, MYSQL_DB) SQLALCHEMY_ECHO=True #mail config ADMINS = ["zhangcunlei@xiniunet.com",] MAIL_SERVER = u'smtp.xiniunet.com' MAIL_USERNAME = u'zhangcunlei@xiniunet.com' MAIL_PASSWORD = u'wwwlin123!' DEFAULT_MAIL_SENDER = u'zhangcunlei@xiniunet.com' MAIL_USE_TLS=False MAIL_USE_SSL=False #log config DEBUG_LOG = 'logs/debug.log' ERROR_LOG = 'logs/error.log'
__author__ = 'vzer' class Base_Config(object): secret_key = '' post_pre_page = 6 registercode = '' debug = True mysql_db = '' mysql_user = '' mysql_pass = '' mysql_host = '' mysql_port = 0 sqlalchemy_database_uri = 'mysql://%s:%s@%s:%s/%s' % (MYSQL_USER, MYSQL_PASS, MYSQL_HOST, MYSQL_PORT, MYSQL_DB) sqlalchemy_echo = True admins = [] mail_server = u'' mail_username = u'' mail_password = u'' default_mail_sender = u'' mail_use_tls = False mail_use_ssl = False debug_log = 'logs/debug.log' error_log = 'logs/error.log' class Dev_Config(Base_Config): secret_key = 'vzer_blog_1589' post_pre_page = 6 registercode = 'cheurbim_1589' debug = True mysql_db = 'vzerblog' mysql_user = 'vzer' mysql_pass = 'wwwlin123' mysql_host = '192.168.1.246' mysql_port = int('3306') sqlalchemy_database_uri = 'mysql://%s:%s@%s:%s/%s' % (MYSQL_USER, MYSQL_PASS, MYSQL_HOST, MYSQL_PORT, MYSQL_DB) sqlalchemy_echo = True sqlalchemy_track_modifications = True admins = ['zhangcunlei@xiniunet.com'] mail_server = u'smtp.xiniunet.com' mail_username = u'zhangcunlei@xiniunet.com' mail_password = u'wwwlin123!' default_mail_sender = u'zhangcunlei@xiniunet.com' mail_use_tls = False mail_use_ssl = False debug_log = 'logs/debug.log' error_log = 'logs/error.log' class Pro_Config(Base_Config): secret_key = 'vzer_blog_1589' post_pre_page = 6 registercode = 'cheurbim_1589' debug = False mysql_db = 'vzerblog' mysql_user = 'vzer' mysql_pass = 'wwwlin123' mysql_host = '192.168.1.246' mysql_port = int('3306') sqlalchemy_database_uri = 'mysql://%s:%s@%s:%s/%s' % (MYSQL_USER, MYSQL_PASS, MYSQL_HOST, MYSQL_PORT, MYSQL_DB) sqlalchemy_echo = True admins = ['zhangcunlei@xiniunet.com'] mail_server = u'smtp.xiniunet.com' mail_username = u'zhangcunlei@xiniunet.com' mail_password = u'wwwlin123!' default_mail_sender = u'zhangcunlei@xiniunet.com' mail_use_tls = False mail_use_ssl = False debug_log = 'logs/debug.log' error_log = 'logs/error.log'
ES_HOST = 'localhost:9200' ES_INDEX = 'pending-upheno_ontology' ES_DOC_TYPE = 'phenotype' API_PREFIX = 'upheno_ontology' API_VERSION = ''
es_host = 'localhost:9200' es_index = 'pending-upheno_ontology' es_doc_type = 'phenotype' api_prefix = 'upheno_ontology' api_version = ''
servo_a_pw = [[-90.0, 2463] [-86.4, 2423] [-72.0, 2263] [-56.6, 2093] [-43.2, 2013] [-28.8, 1793] [-14.4, 1646] [0.0, 1436] [14.4, 1276] [28.8, 1096] [43.2, 916] [56.6, 746] [72.0, 586] [72.0, 590] [90.0, 390]]
servo_a_pw = [[-90.0, 2463][-86.4, 2423][-72.0, 2263][-56.6, 2093][-43.2, 2013][-28.8, 1793][-14.4, 1646][0.0, 1436][14.4, 1276][28.8, 1096][43.2, 916][56.6, 746][72.0, 586][72.0, 590][90.0, 390]]
#!/usr/bin/python3 #https://practice.geeksforgeeks.org/problems/a-simple-fraction/0 def sol(n, d): res = [] r = {} i = int(n/d) rem = n%d res.append(i) if rem: res.append(".") r[rem] = 0 p = 1 while rem: div = rem*10 q = div//d rem = div%d res.append(q) if rem in r: res.append(")") res.insert(r[rem]+2, "(") break else: r[rem] = p p+=1 print("".join(str(x) for x in res)) sol(22, 7) sol(23, 59) sol(94, 36) sol(4, 2) sol(10, 4) sol(70, 68)
def sol(n, d): res = [] r = {} i = int(n / d) rem = n % d res.append(i) if rem: res.append('.') r[rem] = 0 p = 1 while rem: div = rem * 10 q = div // d rem = div % d res.append(q) if rem in r: res.append(')') res.insert(r[rem] + 2, '(') break else: r[rem] = p p += 1 print(''.join((str(x) for x in res))) sol(22, 7) sol(23, 59) sol(94, 36) sol(4, 2) sol(10, 4) sol(70, 68)
class Solution: def validMountainArray(self, arr: List[int]) -> bool: if len(arr) < 3: return False if arr[1] < arr[0]: return False n = len(arr) i = 1 while i < n and arr[i] > arr[i-1]: i += 1 if i >= n: return False while i < n and arr[i] < arr[i-1]: i += 1 if i == n: return True return False
class Solution: def valid_mountain_array(self, arr: List[int]) -> bool: if len(arr) < 3: return False if arr[1] < arr[0]: return False n = len(arr) i = 1 while i < n and arr[i] > arr[i - 1]: i += 1 if i >= n: return False while i < n and arr[i] < arr[i - 1]: i += 1 if i == n: return True return False
''' Create the Control class: Deal with hazards Forwarding Branch handling ''' class Control(object): def __init__(self, ForwardStatus): self.DataHazardFlag=False self.ControlHazardFlag=False self.forwardFlag=ForwardStatus ''' Forward keys: 0: Inactive 1: Execution forward 2: Memory forward ''' def checkDataHazards(self, pipeline_registers): self.DataHazardFlag=False IDEX=1 EXMEM=2 MEMWB=3 EXHazard=False if pipeline_registers[EXMEM].input is not None and pipeline_registers[EXMEM].input.full_instr != "nop": if pipeline_registers[EXMEM].input is not None and pipeline_registers[IDEX].input is not None and pipeline_registers[EXMEM].input.RD==pipeline_registers[IDEX].input.RS: self.DataHazardFlag=True EXHazard=True if pipeline_registers[EXMEM].input is not None and pipeline_registers[IDEX].input is not None and pipeline_registers[EXMEM].input.RD==pipeline_registers[IDEX].input.RT: self.DataHazardFlag=True EXHazard=True if pipeline_registers[MEMWB].input is not None and pipeline_registers[MEMWB].input.full_instr != "nop": if (not EXHazard) and pipeline_registers[MEMWB].input is not None and pipeline_registers[IDEX].input is not None and pipeline_registers[MEMWB].input.RD==pipeline_registers[IDEX].input.RS: self.DataHazardFlag=True if (not EXHazard) and pipeline_registers[MEMWB].input is not None and pipeline_registers[IDEX].input is not None and pipeline_registers[MEMWB].input.RD==pipeline_registers[IDEX].input.RT: self.DataHazardFlag=True def BranchValue(self, pipeline_registers, branch_labels): MEMWB=3 instr=pipeline_registers[MEMWB].input if instr.operation=="beq" and instr.RS==instr.RT: return branch_labels[instr.RD] if instr.operation=="bne" and instr.RS!=instr.RT: return branch_labels[instr.RD] return -1 def CheckBranch(self, pipeline_registers, branch_labels): MEMWB=3 instr=pipeline_registers[MEMWB].input if instr is not None and instr.isBranch: return self.BranchValue(pipeline_registers, branch_labels) return -1
""" Create the Control class: Deal with hazards Forwarding Branch handling """ class Control(object): def __init__(self, ForwardStatus): self.DataHazardFlag = False self.ControlHazardFlag = False self.forwardFlag = ForwardStatus '\n Forward keys:\n 0: Inactive\n 1: Execution forward\n 2: Memory forward\n ' def check_data_hazards(self, pipeline_registers): self.DataHazardFlag = False idex = 1 exmem = 2 memwb = 3 ex_hazard = False if pipeline_registers[EXMEM].input is not None and pipeline_registers[EXMEM].input.full_instr != 'nop': if pipeline_registers[EXMEM].input is not None and pipeline_registers[IDEX].input is not None and (pipeline_registers[EXMEM].input.RD == pipeline_registers[IDEX].input.RS): self.DataHazardFlag = True ex_hazard = True if pipeline_registers[EXMEM].input is not None and pipeline_registers[IDEX].input is not None and (pipeline_registers[EXMEM].input.RD == pipeline_registers[IDEX].input.RT): self.DataHazardFlag = True ex_hazard = True if pipeline_registers[MEMWB].input is not None and pipeline_registers[MEMWB].input.full_instr != 'nop': if not EXHazard and pipeline_registers[MEMWB].input is not None and (pipeline_registers[IDEX].input is not None) and (pipeline_registers[MEMWB].input.RD == pipeline_registers[IDEX].input.RS): self.DataHazardFlag = True if not EXHazard and pipeline_registers[MEMWB].input is not None and (pipeline_registers[IDEX].input is not None) and (pipeline_registers[MEMWB].input.RD == pipeline_registers[IDEX].input.RT): self.DataHazardFlag = True def branch_value(self, pipeline_registers, branch_labels): memwb = 3 instr = pipeline_registers[MEMWB].input if instr.operation == 'beq' and instr.RS == instr.RT: return branch_labels[instr.RD] if instr.operation == 'bne' and instr.RS != instr.RT: return branch_labels[instr.RD] return -1 def check_branch(self, pipeline_registers, branch_labels): memwb = 3 instr = pipeline_registers[MEMWB].input if instr is not None and instr.isBranch: return self.BranchValue(pipeline_registers, branch_labels) return -1
l = ["he", "hi", "hello", "hi"] r = [k for k in l if 'gene' in k or 'dis' in k] print(r) with open('project2_test.txt', 'r') as f: prefix = 'gene' for line in f: r = filter(lambda x: x.startswith(prefix), list(line.split())) print(list(r))
l = ['he', 'hi', 'hello', 'hi'] r = [k for k in l if 'gene' in k or 'dis' in k] print(r) with open('project2_test.txt', 'r') as f: prefix = 'gene' for line in f: r = filter(lambda x: x.startswith(prefix), list(line.split())) print(list(r))
# Author: Asif Ali Mehmuda # Email: asif.mehmuda9@gmail.com # This file exposes some of the common mathematical functions def add_nums(num1, num2): return num1 + num2 # Subtract two numbers def sub_nums(num1, num2): return num1 - num2 # Subtract two numbers such that the smaller number is always subtracted from the bigger number def abs_diff(num1, num2): if num1 < num2: num1, num2 = num2, num1 return num1 - num2
def add_nums(num1, num2): return num1 + num2 def sub_nums(num1, num2): return num1 - num2 def abs_diff(num1, num2): if num1 < num2: (num1, num2) = (num2, num1) return num1 - num2
count = 1 while True: a = input() if a == '0': break if count > 1: print() numbers = input() print("Instancia", count) if a in numbers: print("verdadeira") else: print("falsa") count += 1
count = 1 while True: a = input() if a == '0': break if count > 1: print() numbers = input() print('Instancia', count) if a in numbers: print('verdadeira') else: print('falsa') count += 1
string = "Janet Asimov" pattern = re.compile(r"(?<!Isaac )Asimov") # Will match any Asimov except Isaac, and only keep "Asimov" result = re.search(pattern, string) if result is not None: print("Substring '{0}' was found in the range {1}".format(result.group(), result.span()))
string = 'Janet Asimov' pattern = re.compile('(?<!Isaac )Asimov') result = re.search(pattern, string) if result is not None: print("Substring '{0}' was found in the range {1}".format(result.group(), result.span()))
# # PySNMP MIB module RM2-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RM2-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 20:49:40 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsIntersection") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") enterprises, MibIdentifier, IpAddress, Counter64, snmpModules, Integer32, Bits, iso, ModuleIdentity, Gauge32, Unsigned32, ObjectName, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, Counter32, ObjectIdentity, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "enterprises", "MibIdentifier", "IpAddress", "Counter64", "snmpModules", "Integer32", "Bits", "iso", "ModuleIdentity", "Gauge32", "Unsigned32", "ObjectName", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "Counter32", "ObjectIdentity", "TimeTicks") TextualConvention, TimeStamp, RowStatus, TestAndIncr, DisplayString, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "TimeStamp", "RowStatus", "TestAndIncr", "DisplayString", "TruthValue") lucent = MibIdentifier((1, 3, 6, 1, 4, 1, 1751)) products = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1)) softSwitch = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198)) resourceMonitor = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4)) rm2 = ModuleIdentity((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2)) if mibBuilder.loadTexts: rm2.setLastUpdated('240701') if mibBuilder.loadTexts: rm2.setOrganization('Lucent Technologies') rmSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1)) rmDiskGrp = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2)) rmCpuGrp = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3)) rmFileGrp = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4)) rmProcessGrp = MibIdentifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5)) rmDescr = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: rmDescr.setStatus('current') rmObjectID = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 2), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: rmObjectID.setStatus('current') rmUpTime = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: rmUpTime.setStatus('current') rmNetAddress = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: rmNetAddress.setStatus('current') rmControl = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 5), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: rmControl.setStatus('current') diskPeriod = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: diskPeriod.setStatus('current') diskUsageWarningPct = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readwrite") if mibBuilder.loadTexts: diskUsageWarningPct.setStatus('current') diskUsageAlarmPct = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readwrite") if mibBuilder.loadTexts: diskUsageAlarmPct.setStatus('current') duNumber = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2048))).setMaxAccess("readonly") if mibBuilder.loadTexts: duNumber.setStatus('current') diskUsageTable = MibTable((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5), ) if mibBuilder.loadTexts: diskUsageTable.setStatus('current') diskUsageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1), ).setIndexNames((0, "RM2-MIB", "duIndex")) if mibBuilder.loadTexts: diskUsageEntry.setStatus('current') duIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2048))).setMaxAccess("readonly") if mibBuilder.loadTexts: duIndex.setStatus('current') duFSName = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: duFSName.setStatus('current') duSize = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: duSize.setStatus('current') duPctUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: duPctUsed.setStatus('current') cpuPeriod = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cpuPeriod.setStatus('current') cpuUtilization = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: cpuUtilization.setStatus('current') cpuUtilWarningPct = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cpuUtilWarningPct.setStatus('current') cpuUtilAlarmPct = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readwrite") if mibBuilder.loadTexts: cpuUtilAlarmPct.setStatus('current') cpuLoad = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: cpuLoad.setStatus('current') cpuLoadWarningThreshold = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cpuLoadWarningThreshold.setStatus('current') cpuLoadAlarmThreshold = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 7), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: cpuLoadAlarmThreshold.setStatus('current') filePeriod = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: filePeriod.setStatus('current') fmNumber = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: fmNumber.setStatus('current') fmTable = MibTable((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3), ) if mibBuilder.loadTexts: fmTable.setStatus('current') fmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1), ).setIndexNames((0, "RM2-MIB", "fmIndex")) if mibBuilder.loadTexts: fmEntry.setStatus('current') fmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: fmIndex.setStatus('current') fmName = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: fmName.setStatus('current') fmCurSize = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: fmCurSize.setStatus('current') fmThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: fmThreshold.setStatus('current') archiveDir = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 4), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: archiveDir.setStatus('current') processPeriod = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: processPeriod.setStatus('current') processNumber = MibScalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: processNumber.setStatus('current') processTable = MibTable((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3), ) if mibBuilder.loadTexts: processTable.setStatus('current') processEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1), ).setIndexNames((0, "RM2-MIB", "processIndex")) if mibBuilder.loadTexts: processEntry.setStatus('current') processIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: processIndex.setStatus('current') processID = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: processID.setStatus('current') processName = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: processName.setStatus('current') processUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: processUpTime.setStatus('current') processCPUUsageWarnMark = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: processCPUUsageWarnMark.setStatus('current') processCPUUsageAlarmMark = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: processCPUUsageAlarmMark.setStatus('current') processCPUUsageCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: processCPUUsageCurrent.setStatus('current') processMemUsageAlarmMark = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setMaxAccess("readonly") if mibBuilder.loadTexts: processMemUsageAlarmMark.setStatus('current') processMemUsageCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8192))).setMaxAccess("readonly") if mibBuilder.loadTexts: processMemUsageCurrent.setStatus('current') mibBuilder.exportSymbols("RM2-MIB", fmNumber=fmNumber, rmCpuGrp=rmCpuGrp, fmName=fmName, rmProcessGrp=rmProcessGrp, lucent=lucent, duFSName=duFSName, cpuUtilAlarmPct=cpuUtilAlarmPct, softSwitch=softSwitch, processName=processName, processCPUUsageWarnMark=processCPUUsageWarnMark, cpuLoadWarningThreshold=cpuLoadWarningThreshold, diskUsageAlarmPct=diskUsageAlarmPct, fmIndex=fmIndex, diskUsageTable=diskUsageTable, rmDescr=rmDescr, cpuUtilWarningPct=cpuUtilWarningPct, cpuLoadAlarmThreshold=cpuLoadAlarmThreshold, duNumber=duNumber, cpuUtilization=cpuUtilization, fmThreshold=fmThreshold, rmObjectID=rmObjectID, PYSNMP_MODULE_ID=rm2, rmUpTime=rmUpTime, rmSystem=rmSystem, products=products, fmCurSize=fmCurSize, processMemUsageAlarmMark=processMemUsageAlarmMark, duIndex=duIndex, fmTable=fmTable, diskUsageEntry=diskUsageEntry, processID=processID, processIndex=processIndex, rm2=rm2, rmFileGrp=rmFileGrp, rmControl=rmControl, archiveDir=archiveDir, processCPUUsageCurrent=processCPUUsageCurrent, processPeriod=processPeriod, processNumber=processNumber, fmEntry=fmEntry, rmNetAddress=rmNetAddress, diskUsageWarningPct=diskUsageWarningPct, cpuPeriod=cpuPeriod, duPctUsed=duPctUsed, processTable=processTable, processEntry=processEntry, processMemUsageCurrent=processMemUsageCurrent, duSize=duSize, resourceMonitor=resourceMonitor, processUpTime=processUpTime, cpuLoad=cpuLoad, processCPUUsageAlarmMark=processCPUUsageAlarmMark, rmDiskGrp=rmDiskGrp, diskPeriod=diskPeriod, filePeriod=filePeriod)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_range_constraint, single_value_constraint, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (enterprises, mib_identifier, ip_address, counter64, snmp_modules, integer32, bits, iso, module_identity, gauge32, unsigned32, object_name, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, counter32, object_identity, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'enterprises', 'MibIdentifier', 'IpAddress', 'Counter64', 'snmpModules', 'Integer32', 'Bits', 'iso', 'ModuleIdentity', 'Gauge32', 'Unsigned32', 'ObjectName', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'Counter32', 'ObjectIdentity', 'TimeTicks') (textual_convention, time_stamp, row_status, test_and_incr, display_string, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'TimeStamp', 'RowStatus', 'TestAndIncr', 'DisplayString', 'TruthValue') lucent = mib_identifier((1, 3, 6, 1, 4, 1, 1751)) products = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1)) soft_switch = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198)) resource_monitor = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4)) rm2 = module_identity((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2)) if mibBuilder.loadTexts: rm2.setLastUpdated('240701') if mibBuilder.loadTexts: rm2.setOrganization('Lucent Technologies') rm_system = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1)) rm_disk_grp = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2)) rm_cpu_grp = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3)) rm_file_grp = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4)) rm_process_grp = mib_identifier((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5)) rm_descr = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: rmDescr.setStatus('current') rm_object_id = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 2), object_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: rmObjectID.setStatus('current') rm_up_time = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 3), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: rmUpTime.setStatus('current') rm_net_address = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 4), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: rmNetAddress.setStatus('current') rm_control = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 1, 5), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: rmControl.setStatus('current') disk_period = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: diskPeriod.setStatus('current') disk_usage_warning_pct = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readwrite') if mibBuilder.loadTexts: diskUsageWarningPct.setStatus('current') disk_usage_alarm_pct = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readwrite') if mibBuilder.loadTexts: diskUsageAlarmPct.setStatus('current') du_number = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 2048))).setMaxAccess('readonly') if mibBuilder.loadTexts: duNumber.setStatus('current') disk_usage_table = mib_table((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5)) if mibBuilder.loadTexts: diskUsageTable.setStatus('current') disk_usage_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1)).setIndexNames((0, 'RM2-MIB', 'duIndex')) if mibBuilder.loadTexts: diskUsageEntry.setStatus('current') du_index = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2048))).setMaxAccess('readonly') if mibBuilder.loadTexts: duIndex.setStatus('current') du_fs_name = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: duFSName.setStatus('current') du_size = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: duSize.setStatus('current') du_pct_used = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 2, 5, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 99))).setMaxAccess('readonly') if mibBuilder.loadTexts: duPctUsed.setStatus('current') cpu_period = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cpuPeriod.setStatus('current') cpu_utilization = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readonly') if mibBuilder.loadTexts: cpuUtilization.setStatus('current') cpu_util_warning_pct = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cpuUtilWarningPct.setStatus('current') cpu_util_alarm_pct = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cpuUtilAlarmPct.setStatus('current') cpu_load = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cpuLoad.setStatus('current') cpu_load_warning_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 6), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cpuLoadWarningThreshold.setStatus('current') cpu_load_alarm_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 3, 7), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cpuLoadAlarmThreshold.setStatus('current') file_period = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: filePeriod.setStatus('current') fm_number = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: fmNumber.setStatus('current') fm_table = mib_table((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3)) if mibBuilder.loadTexts: fmTable.setStatus('current') fm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1)).setIndexNames((0, 'RM2-MIB', 'fmIndex')) if mibBuilder.loadTexts: fmEntry.setStatus('current') fm_index = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: fmIndex.setStatus('current') fm_name = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: fmName.setStatus('current') fm_cur_size = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: fmCurSize.setStatus('current') fm_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 3, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: fmThreshold.setStatus('current') archive_dir = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 4, 4), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: archiveDir.setStatus('current') process_period = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: processPeriod.setStatus('current') process_number = mib_scalar((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: processNumber.setStatus('current') process_table = mib_table((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3)) if mibBuilder.loadTexts: processTable.setStatus('current') process_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1)).setIndexNames((0, 'RM2-MIB', 'processIndex')) if mibBuilder.loadTexts: processEntry.setStatus('current') process_index = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: processIndex.setStatus('current') process_id = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: processID.setStatus('current') process_name = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: processName.setStatus('current') process_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: processUpTime.setStatus('current') process_cpu_usage_warn_mark = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readonly') if mibBuilder.loadTexts: processCPUUsageWarnMark.setStatus('current') process_cpu_usage_alarm_mark = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readonly') if mibBuilder.loadTexts: processCPUUsageAlarmMark.setStatus('current') process_cpu_usage_current = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readonly') if mibBuilder.loadTexts: processCPUUsageCurrent.setStatus('current') process_mem_usage_alarm_mark = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 99))).setMaxAccess('readonly') if mibBuilder.loadTexts: processMemUsageAlarmMark.setStatus('current') process_mem_usage_current = mib_table_column((1, 3, 6, 1, 4, 1, 1751, 1, 1198, 4, 2, 5, 3, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 8192))).setMaxAccess('readonly') if mibBuilder.loadTexts: processMemUsageCurrent.setStatus('current') mibBuilder.exportSymbols('RM2-MIB', fmNumber=fmNumber, rmCpuGrp=rmCpuGrp, fmName=fmName, rmProcessGrp=rmProcessGrp, lucent=lucent, duFSName=duFSName, cpuUtilAlarmPct=cpuUtilAlarmPct, softSwitch=softSwitch, processName=processName, processCPUUsageWarnMark=processCPUUsageWarnMark, cpuLoadWarningThreshold=cpuLoadWarningThreshold, diskUsageAlarmPct=diskUsageAlarmPct, fmIndex=fmIndex, diskUsageTable=diskUsageTable, rmDescr=rmDescr, cpuUtilWarningPct=cpuUtilWarningPct, cpuLoadAlarmThreshold=cpuLoadAlarmThreshold, duNumber=duNumber, cpuUtilization=cpuUtilization, fmThreshold=fmThreshold, rmObjectID=rmObjectID, PYSNMP_MODULE_ID=rm2, rmUpTime=rmUpTime, rmSystem=rmSystem, products=products, fmCurSize=fmCurSize, processMemUsageAlarmMark=processMemUsageAlarmMark, duIndex=duIndex, fmTable=fmTable, diskUsageEntry=diskUsageEntry, processID=processID, processIndex=processIndex, rm2=rm2, rmFileGrp=rmFileGrp, rmControl=rmControl, archiveDir=archiveDir, processCPUUsageCurrent=processCPUUsageCurrent, processPeriod=processPeriod, processNumber=processNumber, fmEntry=fmEntry, rmNetAddress=rmNetAddress, diskUsageWarningPct=diskUsageWarningPct, cpuPeriod=cpuPeriod, duPctUsed=duPctUsed, processTable=processTable, processEntry=processEntry, processMemUsageCurrent=processMemUsageCurrent, duSize=duSize, resourceMonitor=resourceMonitor, processUpTime=processUpTime, cpuLoad=cpuLoad, processCPUUsageAlarmMark=processCPUUsageAlarmMark, rmDiskGrp=rmDiskGrp, diskPeriod=diskPeriod, filePeriod=filePeriod)
nk=list(map(int,input().split())) n=nk[0] k=nk[1] l=list(map(int,input().split())) f=0 for i in range(len(l)-1): if(l[i]+l[i+1]==k): print('yes') f=1 break if(f==0): print('no')
nk = list(map(int, input().split())) n = nk[0] k = nk[1] l = list(map(int, input().split())) f = 0 for i in range(len(l) - 1): if l[i] + l[i + 1] == k: print('yes') f = 1 break if f == 0: print('no')
class Point(): def __init__(self, x, y): self.x = x self.y = y def __repr__(self): return f"({self.x}, {self.y})" class Edge(): def __init__(self, v1, v2): self.v1 = v1 self.v2 = v2 def __repr__(self): return f"{self.v1}-{self.v2}" def point_x(point): return point.x def point_y(point): return point.y def position(edge, point): sign = lambda a: (a>0) - (a<0) return sign((edge.v2.x - edge.v1.x) * (point.y - edge.v1.y) - (edge.v2.y - edge.v1.y) * (point.x - edge.v1.x)) points = [Point(0,1), Point(1,3), Point(2,4), Point(3,3), Point(4,0), Point(5,4), Point(5,1), Point(7,2), Point(1,0), Point(2,-1)] points = sorted(points, key=point_y) points = sorted(points, key=point_x) polygon1_edges = [] polygon1_edges.append(Edge(points[0], points[1])) polygon1_edges.append(Edge(points[1], points[2])) polygon1_edges.append(Edge(points[2], points[0])) del points[2] del points[1] del points[0] point_a = points[0] point_b = points[-1] temporary_edge = Edge(point_a, point_b) points_b = [] points_c = [] for point in points: if position(temporary_edge, point) >= 0: points_b.append(point) else: points_c.append(point) polygon2_edges = [] for i in range(len(points_b)): if i != len(points_b)-1: polygon2_edges.append(Edge(points_b[i], points_b[i+1])) for i in range(len(points_c)): if i != len(points_c)-1: polygon2_edges.append(Edge(points_c[i], points_c[i+1])) polygon2_edges.append(Edge(points_b[0], points_c[0])) polygon2_edges.append(Edge(points_b[-1], points_c[-1])) polygon1_str = "" for edge in polygon1_edges: polygon1_str += str(edge) + " " polygon2_str = "" for edge in polygon2_edges: polygon2_str += str(edge) + " " print(polygon1_str) print(polygon2_str)
class Point: def __init__(self, x, y): self.x = x self.y = y def __repr__(self): return f'({self.x}, {self.y})' class Edge: def __init__(self, v1, v2): self.v1 = v1 self.v2 = v2 def __repr__(self): return f'{self.v1}-{self.v2}' def point_x(point): return point.x def point_y(point): return point.y def position(edge, point): sign = lambda a: (a > 0) - (a < 0) return sign((edge.v2.x - edge.v1.x) * (point.y - edge.v1.y) - (edge.v2.y - edge.v1.y) * (point.x - edge.v1.x)) points = [point(0, 1), point(1, 3), point(2, 4), point(3, 3), point(4, 0), point(5, 4), point(5, 1), point(7, 2), point(1, 0), point(2, -1)] points = sorted(points, key=point_y) points = sorted(points, key=point_x) polygon1_edges = [] polygon1_edges.append(edge(points[0], points[1])) polygon1_edges.append(edge(points[1], points[2])) polygon1_edges.append(edge(points[2], points[0])) del points[2] del points[1] del points[0] point_a = points[0] point_b = points[-1] temporary_edge = edge(point_a, point_b) points_b = [] points_c = [] for point in points: if position(temporary_edge, point) >= 0: points_b.append(point) else: points_c.append(point) polygon2_edges = [] for i in range(len(points_b)): if i != len(points_b) - 1: polygon2_edges.append(edge(points_b[i], points_b[i + 1])) for i in range(len(points_c)): if i != len(points_c) - 1: polygon2_edges.append(edge(points_c[i], points_c[i + 1])) polygon2_edges.append(edge(points_b[0], points_c[0])) polygon2_edges.append(edge(points_b[-1], points_c[-1])) polygon1_str = '' for edge in polygon1_edges: polygon1_str += str(edge) + ' ' polygon2_str = '' for edge in polygon2_edges: polygon2_str += str(edge) + ' ' print(polygon1_str) print(polygon2_str)
# -*- coding: utf-8 -*- class Route(object): def __init__(self, base_url=None): self.base_url = base_url self.handlers = [] def __call__(self, url, **kwds): name = kwds.pop('name', None) if self.base_url: url = '/' + self.base_url.strip('/') + '/' + url.lstrip('/') def _(cls): self.handlers.append((url, cls, kwds, name)) return cls return _ route = Route() api_route = Route('api')
class Route(object): def __init__(self, base_url=None): self.base_url = base_url self.handlers = [] def __call__(self, url, **kwds): name = kwds.pop('name', None) if self.base_url: url = '/' + self.base_url.strip('/') + '/' + url.lstrip('/') def _(cls): self.handlers.append((url, cls, kwds, name)) return cls return _ route = route() api_route = route('api')
class Solution: def groupThePeople(self, groupSizes): match = {} for idx, groupSize in enumerate(groupSizes): if groupSize in match: match[groupSize].append(idx) else: match[groupSize] = [idx] ans = [] for groupSize, m in match.items(): while m: ans.append(m[:groupSize]) m = m[groupSize:] return ans
class Solution: def group_the_people(self, groupSizes): match = {} for (idx, group_size) in enumerate(groupSizes): if groupSize in match: match[groupSize].append(idx) else: match[groupSize] = [idx] ans = [] for (group_size, m) in match.items(): while m: ans.append(m[:groupSize]) m = m[groupSize:] return ans
def to_postfix(infix): priority = {'*': 1, '/': 1, '^': 1, '+': 0, '-': 0, '(': 0 } res = '' stack = [] for x in infix: if x.isdigit(): res += x elif x == '(': stack.append(x) elif x in '*/^+-': if not stack or stack[-1] == '(': stack.append(x) elif priority[x] > priority[stack[-1]]: stack.append(x) elif priority[x] <= priority[stack[-1]]: while stack and stack[-1] != '(': res += stack.pop(-1) if stack and priority[stack[-1]] < priority[x]: break stack.append(x) elif x == ')': while stack and stack[-1] != '(': res += stack.pop(-1) if stack and stack[-1] == '(': stack.pop(-1) while stack: res += stack.pop(-1) return res
def to_postfix(infix): priority = {'*': 1, '/': 1, '^': 1, '+': 0, '-': 0, '(': 0} res = '' stack = [] for x in infix: if x.isdigit(): res += x elif x == '(': stack.append(x) elif x in '*/^+-': if not stack or stack[-1] == '(': stack.append(x) elif priority[x] > priority[stack[-1]]: stack.append(x) elif priority[x] <= priority[stack[-1]]: while stack and stack[-1] != '(': res += stack.pop(-1) if stack and priority[stack[-1]] < priority[x]: break stack.append(x) elif x == ')': while stack and stack[-1] != '(': res += stack.pop(-1) if stack and stack[-1] == '(': stack.pop(-1) while stack: res += stack.pop(-1) return res
# A list is symmetric if the first row is the same as the first column, # the second row is the same as the second column and so on. Write a # procedure, symmetric, which takes a list as input, and returns the # boolean True if the list is symmetric and False if it is not. def symmetric(base_list): list_length = len(base_list) # Check if the list is square by comparing its overall length to each row's # length for row in base_list: if len(row) != list_length: return False # Iterate over the nested list comparing pairs of items -- a symmetric list # (or matrix) should be of the form list[i][j] == list[j][i] for i in range(list_length): for j in range(list_length): if base_list[i][j] != base_list[j][i]: return False return True print(symmetric([[1, 2, 3], [2, 3, 4], [3, 4, 1]])) #>>> True print(symmetric([["cat", "dog", "fish"], ["dog", "dog", "fish"], ["fish", "fish", "cat"]])) # #>>> True print(symmetric([["cat", "dog", "fish"], ["dog", "dog", "dog"], ["fish","fish","cat"]])) #>>> False print(symmetric([[1, 2], [2, 1]])) #>>> True print(symmetric([[1, 2, 3, 4], [2, 3, 4, 5], [3, 4, 5, 6]])) #>>> False print(symmetric([[1,2,3], [2,3,1]])) #>>> False
def symmetric(base_list): list_length = len(base_list) for row in base_list: if len(row) != list_length: return False for i in range(list_length): for j in range(list_length): if base_list[i][j] != base_list[j][i]: return False return True print(symmetric([[1, 2, 3], [2, 3, 4], [3, 4, 1]])) print(symmetric([['cat', 'dog', 'fish'], ['dog', 'dog', 'fish'], ['fish', 'fish', 'cat']])) print(symmetric([['cat', 'dog', 'fish'], ['dog', 'dog', 'dog'], ['fish', 'fish', 'cat']])) print(symmetric([[1, 2], [2, 1]])) print(symmetric([[1, 2, 3, 4], [2, 3, 4, 5], [3, 4, 5, 6]])) print(symmetric([[1, 2, 3], [2, 3, 1]]))
f = open("C:/Users/Username/Documents/2020_aoc/03.txt", "r") l = f.read().split("\n") grid = [] for line in l: grid.append(line*200) def slope_change(right_inc, down_inc): hor = ver = found = 0 while ver + down_inc < len(grid): hor += right_inc ver += down_inc if grid[ver][hor] == "#": found += 1 #print(ver, ", ", hor) return found slope = [[1,1],[3,1],[5,1],[7,1],[1,2]] result = 1 for i in range(len(slope)): result *= slope_change(slope[i][0], slope[i][1]) print(result)
f = open('C:/Users/Username/Documents/2020_aoc/03.txt', 'r') l = f.read().split('\n') grid = [] for line in l: grid.append(line * 200) def slope_change(right_inc, down_inc): hor = ver = found = 0 while ver + down_inc < len(grid): hor += right_inc ver += down_inc if grid[ver][hor] == '#': found += 1 return found slope = [[1, 1], [3, 1], [5, 1], [7, 1], [1, 2]] result = 1 for i in range(len(slope)): result *= slope_change(slope[i][0], slope[i][1]) print(result)
class BaseIOException(Exception): pass class InvalidFitFile(BaseIOException): pass
class Baseioexception(Exception): pass class Invalidfitfile(BaseIOException): pass
#Lucia Saura 25/03/2018 # euler 5 # source https://www.youtube.com/watch?v=EMTcsNMFS_g def euler5 (ni): #first create a function for i in range (11,21): #loop trough the numbers from 11 to 21 (if it is divisible by 11 to 20 is also from 1 to 10) if ni % i ==0: #if the number is divisible by the number in the range 11 to 21 (remainder0) continue #the loops continues else: #if it is not divisible return False #the program gives false (boolean) return True #the program gives true (boolean) x= 2520 #the problem gives us the minimum common multiple of the range 1 to 10 and here it is used to increase the number just on multiples of it while not euler5(x): #here the while loop keeps looping provided that the number is not 2520) x +=2520 #and actualises the number only in multiples of 2510 what makes the program very efficient print (x) #this command prints the result of the problem #for now this is the only way I have been able to make the program work in my code #it is very efficient. (advanced knowledge on true and false required)
def euler5(ni): for i in range(11, 21): if ni % i == 0: continue else: return False return True x = 2520 while not euler5(x): x += 2520 print(x)
def divisors(integer): integer = abs(integer) divisor = [] for candidate in range(integer//2): if integer % (candidate+1) == 0: divisor.append(candidate+1) return divisor alist = divisors(10) print(alist)
def divisors(integer): integer = abs(integer) divisor = [] for candidate in range(integer // 2): if integer % (candidate + 1) == 0: divisor.append(candidate + 1) return divisor alist = divisors(10) print(alist)
class GenericTurbine(object): def __init__(self, loc, RD, W): self.loc = loc # Location in Space self.RD = RD # Rotor Diameter self.W = W # Width of influence
class Genericturbine(object): def __init__(self, loc, RD, W): self.loc = loc self.RD = RD self.W = W
# # PySNMP MIB module IBM-OSA-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/IBM-OSA-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:51:11 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection") ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex") NotificationGroup, ObjectGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ObjectGroup", "ModuleCompliance") Integer32, Gauge32, NotificationType, iso, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, TimeTicks, ModuleIdentity, MibIdentifier, enterprises, Counter64, Unsigned32, IpAddress, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "Gauge32", "NotificationType", "iso", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "TimeTicks", "ModuleIdentity", "MibIdentifier", "enterprises", "Counter64", "Unsigned32", "IpAddress", "Counter32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") ibmOSAMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 2, 6, 188)) ibmOSAMib.setRevisions(('2002-05-23 00:00', '2002-03-26 08:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ibmOSAMib.setRevisionsDescriptions(('Editorial revisions', 'Initial release',)) if mibBuilder.loadTexts: ibmOSAMib.setLastUpdated('200205230000Z') if mibBuilder.loadTexts: ibmOSAMib.setOrganization('IBM eServer Development') if mibBuilder.loadTexts: ibmOSAMib.setContactInfo(' Joel Goldman Postal: International Business Machines Corporation 2455 South Road Dept. B44G/Bldg. 706 Poughkeepsie, NY 12601 USA Tel: +1 845 435 5501 Internet: jgoldman@us.ibm.com') if mibBuilder.loadTexts: ibmOSAMib.setDescription('The IBM Enterprise Specific MIB definitions for enabling management of an IBM OSA-Express feature. Licensed Materials - Property of IBM Restricted Materials of IBM 5694-A01 (C) Copyright IBM Corp. 2002 US Government Users Restricted Rights - Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp.') ibm = MibIdentifier((1, 3, 6, 1, 4, 1, 2)) ibmProd = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6)) ibmOSAMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 1)) ibmOSAMibConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 2)) ibmOSAExpChannelTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1), ) if mibBuilder.loadTexts: ibmOSAExpChannelTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelTable.setDescription('Indexed by ifIndex. One entry in this table will exist per OSA Device Interface.') ibmOSAExpChannelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: ibmOSAExpChannelEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelEntry.setDescription('Definition of a single entry in the ibmOSAExpChannelTable. Indexed by the ifIndex of the corresponding Device interface.') ibmOSAExpChannelNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelNumber.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelNumber.setDescription('The CHPID corresponding to this ifIndex.') ibmOSAExpChannelType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(17))).clone(namedValues=NamedValues(("osaDirectExpress", 17)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelType.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelType.setDescription('The type of channel for this interface. OSA Direct Express has a value of 17.') ibmOSAExpChannelHdwLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("osaExp150", 2), ("osaExp175", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelHdwLevel.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelHdwLevel.setDescription('Hardware model of the channel. The value oasExp150(2) indicates a hardware level of 1.50. The value oasExp175(3) indicates a hardware level of 1.75.') ibmOSAExpChannelSubType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 65, 81, 82, 2304))).clone(namedValues=NamedValues(("unknown", 1), ("gigabitEthernet", 65), ("fastEthernet", 81), ("tokenRing", 82), ("atmEmulatedEthernet", 2304)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelSubType.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelSubType.setDescription('Indicates the type of OSA feature present.') ibmOSAExpChannelShared = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notShared", 0), ("shared", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelShared.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelShared.setDescription('An OSA-Express feature can be shared across multiple LPs. This object indicates if this feature is currently being shared between LPs') ibmOSAExpChannelNodeDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(32, 32)).setFixedLength(32)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelNodeDesc.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelNodeDesc.setDescription("This is the Node Descriptor of the OSA feature. It represents the ND obtained from the Channel Subsystem. Bits Name Flag is first byte char(1) Validity Valid - always '20'x char(1) Reserved Reserved by architecture char(1) Class Class for subsystem node char(1) CHPID CHP ID for specified int char(6) TypeNum Type number of the SDC char(3) ModelNum Model number in the form of 3 EBCDIC OCTETS char(3) Manufacturer Manufacturer in the form of 3 EBCDIC OCTETS char(2) Mfr Plant Plant of manufacture-2 digit code char(12)SeqNum Sequence number (12 EBCDIC OCTETS) char(2) Tag Tag") ibmOSAExpChannelProcCodeLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelProcCodeLevel.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcCodeLevel.setDescription('This is the firmware (or micro code level) of the OSA feature. For example, OSA code level 05.6A would be represented as 0x056A.') ibmOSAExpChannelPCIBusUtil1Min = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil1Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil1Min.setDescription('The average, over a 1 minute interval, of the percentage of time that the PCI bus was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibmOSAExpChannelProcUtil1Min = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil1Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil1Min.setDescription('The average, over a 1 minute interval, of the percentage of time that the CHPID Processor was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibmOSAExpChannelPCIBusUtil5Min = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil5Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil5Min.setDescription('The average, over a 5 minute interval, of the percentage of time that the PCI bus was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibmOSAExpChannelProcUtil5Min = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil5Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil5Min.setDescription('The average, over a 5 minute interval, of the percentage of time that the CHPID Processor was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibmOSAExpChannelPCIBusUtilHour = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtilHour.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtilHour.setDescription('The average, over an hour interval, of the percentage of time that the PCI bus was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks.') ibmOSAExpChannelProcUtilHour = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpChannelProcUtilHour.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtilHour.setDescription('The average, over an hour interval, of the percentage of time that the CHPID Processor was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibmOSAExpPerfTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2), ) if mibBuilder.loadTexts: ibmOSAExpPerfTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfTable.setDescription('This table provides performance information for each Logical Partition (LP) the OSA can connect to.') ibmOSAExpPerfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: ibmOSAExpPerfEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfEntry.setDescription('Definition of a single entry for a single LP in the ibmOSAExpPerfTable. Indexed by the ifIndex of the corresponding Device interface.') ibmOSAExpPerfDataLP0 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP0.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP0.setDescription('The performance data on this OSA for partition 0. The 40 bytes of hex data that are returned are decoded as follows: Offset Bytes Field Meaning 0 4 LP Number 4 4 Processor Util 1 Minute 8 4 In Kbytes Rate 1 Minute 12 4 Out Kbytes Rate 1 Minute 16 4 Processor Util 5 Minutes 20 4 In Kbytes Rate 5 Minutes 24 4 Out Kbytes Rate 5 Minutes 28 4 Processor Util 60 Minutes 32 4 In Kbytes Rate 60 Minutes 36 4 Out Kbytes Rate 60 Minutes The Processor Util 1 Minute is defined as follows: The average, over a 1 minute interval, of the percentage of time that the CHPID Processor was utilized to transfer data for a specific LP. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%. The In Kbytes Rate 1 Minute is defined as follows: The average, over a 1 minute interval, of the number of inbound kilobytes processed for a specific LP. The Out Kbytes Rate 1 Minute is defined as follows: The average, over a 1 minute interval, of the number of outbound kilobytes processed for a specific LP. The 5 and 60 minute fields are defined similar to the 1 minute fields, but pertain to intervals of 5 and 60 minutes.') ibmOSAExpPerfDataLP1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP1.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP1.setDescription('The performance data on this OSA for partition 1. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP2.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP2.setDescription('The performance data on this OSA for partition 2. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP3.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP3.setDescription('The performance data on this OSA for partition 3. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP4 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP4.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP4.setDescription('The performance data on this OSA for partition 4. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP5 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP5.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP5.setDescription('The performance data on this OSA for partition 5. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP6 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP6.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP6.setDescription('The performance data on this OSA for partition 6. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP7 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP7.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP7.setDescription('The performance data on this OSA for partition 7. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP8 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP8.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP8.setDescription('The performance data on this OSA for partition 8. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP9 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP9.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP9.setDescription('The performance data on this OSA for partition 9. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP10 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 11), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP10.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP10.setDescription('The performance data on this OSA for partition 10. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP11 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP11.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP11.setDescription('The performance data on this OSA for partition 11. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP12 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 13), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP12.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP12.setDescription('The performance data on this OSA for partition 12. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP13 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 14), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP13.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP13.setDescription('The performance data on this OSA for partition 13. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP14 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 15), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP14.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP14.setDescription('The performance data on this OSA for partition 14. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPerfDataLP15 = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(40, 40)).setFixedLength(40)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPerfDataLP15.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP15.setDescription('The performance data on this OSA for partition 15. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibmOSAExpPETable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3), ) if mibBuilder.loadTexts: ibmOSAExpPETable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPETable.setDescription('This table provides PE information to help IBM diagnose any OSA problems.') ibmOSAExpPEEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: ibmOSAExpPEEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEEntry.setDescription('Definition of a single entry in the ibmOSAExpPETable. Indexed by the ifIndex of the corresponding Device interface') ibmOSAExpPEMaxSizeArpCache = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 214783647))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPEMaxSizeArpCache.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEMaxSizeArpCache.setDescription('The maximum size of the OSA ARP Cache') ibmOSAExpPEArpPendingEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPEArpPendingEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEArpPendingEntries.setDescription('This is the number of Pending entries in the ARP cache.') ibmOSAExpPEArpActiveEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPEArpActiveEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEArpActiveEntries.setDescription('This the number of active ARP entries.') ibmOSAExpPEIPEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPEIPEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEIPEntries.setDescription('The number of IP addresses known to the OSA For OSD chpids, this is the maximum # of IP addresses that are: - home ip addresses (Version 4 and Version 6) - remote ip addresses in the arp cache (Version 4 only) - multicast ip addresses that the OSA must accept inbound data packets for (Version 4 and Version 6)') ibmOSAExpPEMulticastEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPEMulticastEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEMulticastEntries.setDescription('This is the number of IP multicast addresses currently on the OSA') ibmOSAExpPEMulticastData = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(3360, 3360)).setFixedLength(3360)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOSAExpPEMulticastData.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEMulticastData.setDescription('This contains information on the multicast entries that are currently on the OSA. These are in a format that is for IBM use only') ibmOSAExpEthPortTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4), ) if mibBuilder.loadTexts: ibmOSAExpEthPortTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpEthPortTable.setDescription('This table represents the data associated with a port on an OSA-Express Gigabit or Fast Ethernet OSA.') ibmOSAExpEthPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: ibmOSAExpEthPortEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpEthPortEntry.setDescription('Definition of a single entry in the ibmOSAExpEthPortTable. Indexed by the ifIndex of the corresponding Device interface.') ibmOsaExpEthPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthPortNumber.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthPortNumber.setDescription('The physical port number for this port.') ibmOsaExpEthPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(65, 81))).clone(namedValues=NamedValues(("gigabitEthernet", 65), ("fastEthernet", 81)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthPortType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthPortType.setDescription('The physical port type.') ibmOsaExpEthLanTrafficState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("undefined", 0), ("unavailable", 1), ("enabling", 2), ("disabling", 3), ("enabled", 4), ("disabled", 5), ("linkMonitor", 6), ("definitionError", 7), ("configuredOffline", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthLanTrafficState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthLanTrafficState.setDescription('The LAN state value ranges from 0 to 8. A value of 5, disabled is further explained in object ibmOsaExpEthDisabledStatus.') ibmOsaExpEthServiceMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notInServiceMode", 0), ("inServiceMode", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthServiceMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthServiceMode.setDescription('This object indicates if the processor is in service mode or not.') ibmOsaExpEthDisabledStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 5), Bits().clone(namedValues=NamedValues(("reserved0", 0), ("internalPortFailure", 1), ("reserved2", 2), ("reserved3", 3), ("reserved4", 4), ("reserved5", 5), ("portTemporarilyDisabled", 6), ("reserved7", 7), ("reserved8", 8), ("serviceProcessorRequest", 9), ("networkRequest", 10), ("osasfRequest", 11), ("configurationChange", 12), ("linkFailureThresholdExceeded", 13), ("reserved14", 14), ("reserved15", 15)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthDisabledStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthDisabledStatus.setDescription('When the value of ibmOsaExpEthLanTrafficState is NOT disabled, the value of this object will be zero. When the value of ibmOsaExpEthLanTrafficState is disabled(5), this object explains the reason for the disabled state. The value for this object may be a combination of the bits shown.') ibmOsaExpEthConfigName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 34))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthConfigName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthConfigName.setDescription('This is the name of the configuration that is on the OSA. It is set using OSA/SF. It is not used by OSA') ibmOsaExpEthConfigSpeedMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(-1, 0, 1, 2, 3, 4, 6))).clone(namedValues=NamedValues(("notValidGigabit", -1), ("autoNegotiate", 0), ("tenMbHalfDuplex", 1), ("tenMbFullDuplex", 2), ("oneHundredMbHalfDuplex", 3), ("oneHundredMbFullDuplex", 4), ("oneThousandMbFullDuplex", 6)))).setUnits('Megabits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthConfigSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthConfigSpeedMode.setDescription('The configured port speed. This field shows the speed that was configured by the user for the OSA-Express Fast Ethernet feature. It is not used by OSA-Express Gigabit features and will return -1 (FFFF)') ibmOsaExpEthActiveSpeedMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 6))).clone(namedValues=NamedValues(("unknown", 0), ("tenMbHalfDuplex", 1), ("tenMbFullDuplex", 2), ("oneHundredMbHalfDuplex", 3), ("oneHundredMbFullDuplex", 4), ("oneThousandMbFullDuplex", 6)))).setUnits('Megabits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthActiveSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthActiveSpeedMode.setDescription('The actual speed and mode the OSA is running in') ibmOsaExpEthMacAddrActive = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthMacAddrActive.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthMacAddrActive.setDescription('A 6 byte OCTET STRING which contains the current MAC address in use on the adapter. The values are in canonical format.') ibmOsaExpEthMacAddrBurntIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthMacAddrBurntIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthMacAddrBurntIn.setDescription('A 6 byte OCTET STRING which contains the burned in MAC address on the OSA. The values are in canonical format.') ibmOsaExpEthUserData = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthUserData.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthUserData.setDescription('Data set by the user. It is ignored by the OSA.') ibmOsaExpEthOutPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthOutPackets.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthOutPackets.setDescription('This is the number of packets that have been transmitted by the OSA since the last time the OSA port was reset') ibmOsaExpEthInPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthInPackets.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInPackets.setDescription('This is the number of packets that have been received by the OSA since the last time the OSA port was reset') ibmOsaExpEthInGroupFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthInGroupFrames.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInGroupFrames.setDescription('This is the number of multicast frames that have been received by the OSA.') ibmOsaExpEthInBroadcastFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthInBroadcastFrames.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInBroadcastFrames.setDescription('This is the number of broadcast frames that have been received by the OSA.') ibmOsaExpEthPortName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthPortName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthPortName.setDescription('Name of the port as used by TCP/IP') ibmOsaExpEthInUnknownIPFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthInUnknownIPFrames.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInUnknownIPFrames.setDescription('This is the number of non-IP received frames') ibmOsaExpEthGroupAddrTable = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(256, 256)).setFixedLength(256)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpEthGroupAddrTable.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthGroupAddrTable.setDescription('This field contains the active Group Addresses. An individual Group Address is 6 bytes long with an additional 2 bytes of padding. There are 32 group addresses.') ibmOSAExpTRPortTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5), ) if mibBuilder.loadTexts: ibmOSAExpTRPortTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpTRPortTable.setDescription('This table represents the data associated with a port on an OSA-Express token ring feature.') ibmOSAExpTRPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: ibmOSAExpTRPortEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpTRPortEntry.setDescription('Definition of a single entry in the ibmOSAExpTRPortTable. Indexed by the ifIndex of the corresponding Device interface.') ibmOsaExpTRPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRPortNumber.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPortNumber.setDescription('The physical port number for this port.') ibmOsaExpTRPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(82))).clone(namedValues=NamedValues(("tokenring", 82)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRPortType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPortType.setDescription('The physical port type.') ibmOsaExpTRLanTrafficState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("undefined", 0), ("unavailable", 1), ("enabling", 2), ("disabling", 3), ("enabled", 4), ("disabled", 5), ("linkMonitor", 6), ("definitionError", 7), ("configuredOffline", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRLanTrafficState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLanTrafficState.setDescription('The LAN state value ranges from 0 to 8. A value of 5, disabled is further explained in object ibmOsaExpTRDisabledStatus') ibmOsaExpTRServiceMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notInServiceMode", 0), ("inServiceMode", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRServiceMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRServiceMode.setDescription('This object indicates if the processor is in service mode or not.') ibmOsaExpTRDisabledStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 5), Bits().clone(namedValues=NamedValues(("reserved0", 0), ("internalPortFailure", 1), ("reserved2", 2), ("reserved3", 3), ("reserved4", 4), ("reserved5", 5), ("portTemporarilyDisabled", 6), ("reserved7", 7), ("reserved8", 8), ("serviceProcessorRequest", 9), ("networkRequest", 10), ("osasfRequest", 11), ("configurationChange", 12), ("linkFailureThresholdExceeded", 13), ("reserved14", 14), ("reserved15", 15)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRDisabledStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRDisabledStatus.setDescription('When the value of ibmOsaExpTRLanTrafficState is NOT disabled, the value of this object will be zero. When the value of ibmOsaExpTRLanTrafficState is disabled(5), this object explains the reason for the disabled state. The value for this object may be a combination of the bits shown.') ibmOsaExpTRConfigName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 34))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRConfigName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRConfigName.setDescription('This is the name of the configuration that is on the OSA. It is set using OSA/SF. It is not used by OSA') ibmOsaExpTRMacAddrActive = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRMacAddrActive.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRMacAddrActive.setDescription('A 6 byte OCTET STRING which contains the current MAC address in use on the OSA.') ibmOsaExpTRMacAddrBurntIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRMacAddrBurntIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRMacAddrBurntIn.setDescription('A 6 byte OCTET STRING which contains the burned in MAC address on the OSA') ibmOsaExpTRConfigSpeedMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 6))).clone(namedValues=NamedValues(("autoNegotiate", 0), ("fourMbHalfDuplex", 1), ("fourMbFullDuplex", 2), ("sixteenMbHalfDuplex", 3), ("sixteenMbFullDuplex", 4), ("oneHundredMbFullDuplex", 6)))).setUnits('Megabits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRConfigSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRConfigSpeedMode.setDescription('The configured port speed. This field shows the speed that was configured by the user for the OSA-Express Token Ring feature.') ibmOsaExpTRActiveSpeedMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 6))).clone(namedValues=NamedValues(("unknown", 0), ("fourMbHalfDuplex", 1), ("fourMbFullDuplex", 2), ("sixteenMbHalfDuplex", 3), ("sixteenMbFullDuplex", 4), ("oneHundredMbFullDuplex", 6)))).setUnits('Megabits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRActiveSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRActiveSpeedMode.setDescription('The actual speed and mode the OSA is running in') ibmOsaExpTRUserData = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRUserData.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRUserData.setDescription('Data set by the user. It is ignored by the OSA.') ibmOsaExpTRPortName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRPortName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPortName.setDescription('Name of the port as used by TCP/IP') ibmOsaExpTRGroupAddrTable = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 13), OctetString().subtype(subtypeSpec=ValueSizeConstraint(256, 256)).setFixedLength(256)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRGroupAddrTable.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRGroupAddrTable.setDescription('This field contains the active Group Addresses. An individual Group Address is 6 bytes long with an additional 2 bytes of padding.') ibmOsaExpTRFunctionalAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 14), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRFunctionalAddr.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRFunctionalAddr.setDescription("A 4 byte OCTET STRING which contains the OSA-Express's functional address.") ibmOsaExpTRRingStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 15), Bits().clone(namedValues=NamedValues(("reserved0", 0), ("reserved1", 1), ("reserved2", 2), ("reserved3", 3), ("reserved4", 4), ("reserved5", 5), ("reserved6", 6), ("reserved7", 7), ("reserved8", 8), ("reserved9", 9), ("reserved10", 10), ("reserved11", 11), ("reserved12", 12), ("reserved13", 13), ("noStatusOpenNotCompleted", 14), ("reserved15", 15), ("signalLoss", 16), ("hardError", 17), ("softError", 18), ("reserved19", 19), ("lobeWireFault", 20), ("autoRemovalError", 21), ("fdxProtocol", 22), ("removeReceived", 23), ("counterOverflow", 24), ("singleStation", 25), ("ringRecovery", 26), ("sRCounterOverflow", 27), ("reserved29", 28), ("openInFDXmode", 29), ("fourMbFullDuplex", 30), ("fourMbHalfDuplex", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRRingStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRingStatus.setDescription("The current interface status which can be used to diagnose fluctuating problems that can occur on token rings after a station has successfully been added to the ring. Before an open is completed, this object has the value for the 'noStatusOpenNotCompleted' condition. The ibmOsaExpTRRingState and ibmOsaExpTRRingOpenStatus objects provide for debugging problems when the station can not even enter the ring. The object's value is a sum of values, one for each currently applicable condition. This information is essentially from RFC 1231.") ibmOsaExpTRAllowAccessPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRAllowAccessPriority.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRAllowAccessPriority.setDescription('This field contains the maximum token priority the ring station defined by this entry in the table is permitted to transmit.') ibmOsaExpTREarlyTokenRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("true", 0), ("false", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTREarlyTokenRelease.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTREarlyTokenRelease.setDescription('Indicates if the ring station supports early token release. Only valid when port is running in 16Mb half duplex mode. Otherwise it is always set to false (1)') ibmOsaExpTRBeaconingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRBeaconingAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRBeaconingAddress.setDescription('This field contains the node address of the NAUN as reported in the most recently received Beacon MAC frame. This field is valid when ibmOsaExpTRRingOpenStatus is set to beaconing. Otherwise it is ignored') ibmOsaExpTRUpstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRUpstreamNeighbor.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRUpstreamNeighbor.setDescription('The MAC-address of the up stream neighbor station in the ring (NAUN).') ibmOsaExpTRRingState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("opened", 1), ("closed", 2), ("opening", 3), ("closing", 4), ("openFailure", 5), ("ringFailure", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRRingState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRingState.setDescription('The current interface state with respect to entering or leaving the ring.') ibmOsaExpTRRingOpenStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26))).clone(namedValues=NamedValues(("noOpen", 1), ("badParameter", 2), ("lobeFailed", 3), ("signalLoss", 4), ("insertionTimeout", 5), ("ringFailed", 6), ("beaconing", 7), ("duplicateMAC", 8), ("requestFailed", 9), ("removeReceived", 10), ("open", 11), ("sARecFrameNotEqualNAUNs", 12), ("claimTokenRec", 13), ("ringPurgeFramRec", 14), ("activeMonPresRec", 15), ("standbyMonPresRec", 16), ("accessProtocolDenied", 17), ("fDXInsDeniedDACfailOnOpen", 18), ("fDXInsDeniedDACfailOnBeaconTest", 19), ("beaconBeforeOpen", 20), ("insertTimerExpDuringDAC", 21), ("insertTimerExpDuringBeaconTest", 22), ("lobeMedizTestFailure", 23), ("heartbeatFailBeforeOpenCompleted", 24), ("heartbeatFailDuringBeaconTest", 25), ("recBeaconFrameWithInvalidSA", 26)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRRingOpenStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRingOpenStatus.setDescription("This object indicates the success, or the reason for failure of the station's most recent attempt to enter the ring.") ibmOsaExpTRPacketsTransmitted = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 22), Counter32()).setUnits('packets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRPacketsTransmitted.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPacketsTransmitted.setDescription('This field contains the count of the total number of packets transmitted from this port since the OSA port was reset') ibmOsaExpTRPacketsReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 23), Counter32()).setUnits('packets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRPacketsReceived.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPacketsReceived.setDescription('This field contains the count of the total number of packets received by this port since the OSA port was reset') ibmOsaExpTRLineErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRLineErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLineErrorCount.setDescription('This counter is incremented when a frame or token is copied or repeated by a station, the E bit is zero in the frame or token and one of the following conditions exists: 1) there is a non-data bit (J or K bit) between the SD and the ED of the frame or token, or 2) there is an FCS error in the frame.') ibmOsaExpTRBurstErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRBurstErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRBurstErrorCount.setDescription('This counter is incremented when a station detects the absence of transitions for five half-bit timers (burst-five error).') ibmOsaExpTRACErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRACErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRACErrorCount.setDescription('This counter is incremented when a station receives an AMP or SMP frame in which A is equal to C is equal to 0, and then receives another SMP frame with A is equal to C is equal to 0 without first receiving an AMP frame. It denotes a station that cannot set the AC bits properly.') ibmOsaExpTRAbortTransErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRAbortTransErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRAbortTransErrorCount.setDescription('This counter is incremented when a station transmits an abort delimiter while transmitting.') ibmOsaExpTRInternalErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRInternalErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRInternalErrorCount.setDescription('This counter is incremented when a station recognizes an internal error.') ibmOsaExpTRLostFrameErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRLostFrameErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLostFrameErrorCount.setDescription('This counter is incremented when a station is transmitting and its TRR timer expires. This condition denotes a condition transmitting station in strip mode does not receive the trailer of the frame TRR timer goes off.') ibmOsaExpTRRcvCongestionCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRRcvCongestionCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRcvCongestionCount.setDescription('This counter is incremented when a station recognizes a frame addressed to its specific address, but has no available buffer space indicating that the station is congested.') ibmOsaExpTRFrameCopyErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 31), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRFrameCopyErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRFrameCopyErrorCount.setDescription('This counter is incremented when a station recognizes a frame addressed to its specific address and detects that the FS field A bits are set to 1 indicating a possible line hit or duplicate address.') ibmOsaExpTRTokenErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 32), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRTokenErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRTokenErrorCount.setDescription('This counter is incremented when a station acting as the active monitor recognizes an error condition that needs a token transmitted.') ibmOsaExpTRFullDuplexErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 33), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRFullDuplexErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRFullDuplexErrorCount.setDescription('An error has been detected by the FDX protocol') ibmOsaExpTRSoftErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 34), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRSoftErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRSoftErrorCount.setDescription('The number of Soft Errors the interface has detected. It directly corresponds to the number of Report Error MAC frames that this interface has transmitted. Soft Errors are those which are recoverable by the MAC layer protocols.') ibmOsaExpTRHardErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 35), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRHardErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRHardErrorCount.setDescription('The number of times this interface has detected an immediately recoverable fatal error. It denotes the number of times this interface is either transmitting or receiving beacon MAC frames.') ibmOsaExpTRSignalLossErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 36), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRSignalLossErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRSignalLossErrorCount.setDescription('The number of times this interface has detected the loss of signal condition from the ring.') ibmOsaExpTRTransmitBeaconCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 37), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRTransmitBeaconCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRTransmitBeaconCount.setDescription('The number of times this interface has transmitted a beacon frame.') ibmOsaExpTRRecoveryCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 38), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRRecoveryCounter.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRecoveryCounter.setDescription('The number of Claim Token MAC frames received or transmitted after the interface has received a frame Ring Ring Purge MAC counter signifies the number of times the ring has been purged and is being recovered back into a normal operating state.') ibmOsaExpTRLobeWireFaultCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 39), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRLobeWireFaultCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLobeWireFaultCount.setDescription('The number of times the interface has detected an open or short circuit in the lobe data path. The adapter will be closed and ibmOsaExpTRRingState will signify this condition.') ibmOsaExpTRRemoveReceivedCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 40), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRRemoveReceivedCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRemoveReceivedCount.setDescription('The number of times the interface has received a Remove Ring Station MAC frame request. When this frame is received the interface will enter the closed state and ibmOsaExpTRRingState will signify this condition.') ibmOsaExpTRSingleStationCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 41), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpTRSingleStationCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRSingleStationCount.setDescription('The number of times the interface has sensed that it is the only station on the ring. This will happen if the interface is the first one up on a ring, or if there is a hardware problem.') ibmOSAExpATMPortTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7), ) if mibBuilder.loadTexts: ibmOSAExpATMPortTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpATMPortTable.setDescription('This table represents the data associated with an emulated Ethernet port on an OSA-Express ATM feature. There are a maximum of 2 logical ports on each ATM feature, however, each port is shown as though it exists independently with each having an entry in the ibmOSAExpChannelTable.') ibmOSAExpATMPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: ibmOSAExpATMPortEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpATMPortEntry.setDescription('Definition of a single entry in the ibmOSAExpATMPortTable. Indexed by the ifIndex of the corresponding Device interface.') ibmOsaExpATMPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMPortNumber.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPortNumber.setDescription('The logical port number of this port') ibmOsaExpATMPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(17))).clone(namedValues=NamedValues(("emulatedEthernet", 17)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMPortType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPortType.setDescription('The logical port type.') ibmOsaExpATMLanTrafficState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("undefined", 0), ("unavailable", 1), ("enabling", 2), ("disabling", 3), ("enabled", 4), ("disabled", 5), ("linkMonitor", 6), ("definitionError", 7), ("configuredOffline", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLanTrafficState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLanTrafficState.setDescription('The LAN state value ranges from 0 to 8. A value of 5, disabled is further explained in object ibmOsaExpATMDisabledStatus.') ibmOsaExpATMServiceMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notInServiceMode", 0), ("inServiceMode", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMServiceMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMServiceMode.setDescription('This object indicates if the processor is in service mode or not.') ibmOsaExpATMDisabledStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 5), Bits().clone(namedValues=NamedValues(("reserved0", 0), ("internalPortFailure", 1), ("reserved2", 2), ("reserved3", 3), ("reserved4", 4), ("reserved5", 5), ("portTemporarilyDisabled", 6), ("reserved7", 7), ("reserved8", 8), ("serviceProcessorRequest", 9), ("networkRequest", 10), ("osasfRequest", 11), ("configurationChange", 12), ("linkFailureThresholdExceeded", 13), ("reserved14", 14), ("reserved15", 15)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMDisabledStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMDisabledStatus.setDescription('When the value of ibmOsaExpATMLanTrafficState is NOT disabled, the value of this object will be zero. When the value of ibmOsaExpATMLanTrafficState is disabled(5), this object explains the reason for the disabled state. The value for this object may be a combination of the bits shown.') ibmOsaExpATMConfigName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 34))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigName.setDescription('This is the name of the configuration that is on the OSA. It is set using OSA/SF. It is not used by OSA') ibmOsaExpATMMacAddrActive = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMacAddrActive.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMacAddrActive.setDescription('A 6 byte OCTET STRING which contains the current MAC address in use on the OSA. The values are in canonical format.') ibmOsaExpATMMacAddrBurntIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMacAddrBurntIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMacAddrBurntIn.setDescription('A 6 byte OCTET STRING which contains the burned in MAC address on the OSA. The values are in canonical format.') ibmOsaExpATMUserData = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMUserData.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMUserData.setDescription('Data set by the user. It is ignored by the OSA.') ibmOsaExpATMPortName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMPortName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPortName.setDescription('Name of the port as used by TCP/IP') ibmOsaExpATMGroupMacAddrTable = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 13), OctetString().subtype(subtypeSpec=ValueSizeConstraint(256, 256)).setFixedLength(256)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMGroupMacAddrTable.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMGroupMacAddrTable.setDescription('This field contains the active Group Addresses. An individual Group Address is 6 bytes long with an additional 2 bytes of padding.') ibmOsaExpATMIBMEnhancedMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMIBMEnhancedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMIBMEnhancedMode.setDescription('When set to Yes, this keeps data connections active when the connection to the LES is lost.') ibmOsaExpATMBestEffortPeakRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 15), Integer32()).setUnits('Megabytes per second').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMBestEffortPeakRate.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMBestEffortPeakRate.setDescription('Values range from 10-1550 and must be divided by 10 to get the proper value. A value of 1550 indicates 155.0 Mbytes/sec') ibmOsaExpATMConfigMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("automatic", 1), ("manual", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigMode.setDescription('Indicates whether this LAN Emulation Client should auto-configure the next time it is (re)started. In automatic (1) mode, a client uses a LAN Emulation Configuration Server to learn the ATM address of its LAN Emulation Server, and to obtain other parameters. lecConfig (LanType, MaxDataFrameSize, LanName) are used in the configure request. ibmOsaExpATMConfigLESATMAddress is ignored. In manual (2) mode, management tells the client the ATM address of its LAN Emulation Server and the value of the other parmeters. lecConfig (LanType, MaxDataFrameSize, LanName) are used in the Join request. ibmOsaExpATMConfigLESATMAddress tells the client which LES to call.') ibmOsaExpATMConfigLanType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(17))).clone(namedValues=NamedValues(("emulatedEthernet", 17)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigLanType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigLanType.setDescription('The logical port type that the user configured the port for') ibmOsaExpATMActualLanType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(17))).clone(namedValues=NamedValues(("emulatedEthernet", 17)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMActualLanType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualLanType.setDescription('The actual logical port type the port is running in') ibmOsaExpATMConfigMaxDataFrmSz = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unspecified", 1), ("f1516", 2), ("f4544", 3), ("f9234", 4), ("f18190", 5)))).setUnits('bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigMaxDataFrmSz.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigMaxDataFrmSz.setDescription('The maximum data frame size (in bytes) which this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibmOsaExpATMActualMaxDataFrmSz = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unspecified", 1), ("f1516", 2), ("f4544", 3), ("f9234", 4), ("f18190", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMActualMaxDataFrmSz.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualMaxDataFrmSz.setDescription('The maximum data frame size (in bytes) which this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibmOsaExpATMConfigELANName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 36))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigELANName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigELANName.setDescription('The ELAN Name this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibmOsaExpATMActualELANName = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 22), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 36))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMActualELANName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualELANName.setDescription('The ELAN Name this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibmOsaExpATMConfigLESATMAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 23), OctetString().subtype(subtypeSpec=ValueSizeConstraint(20, 20)).setFixedLength(20)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigLESATMAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigLESATMAddress.setDescription("The LAN Emulation Server which this client will use the next time it is started in manual configuration mode. When ibmOsaExpATMConfigMode is 'automatic', there is no need to set this address, Address) and no advantage to doing so. The client will use the LECS to find a LES, putting the auto-configured address in ibmOsaExpATMActualLESATMAddress while leaving ibmOsaExpATMConfigLESATMAddress alone. Corresponds to Initial State Parameter C9. In LAN Emulation MIB, the OCTET STRING has length 0 or 20. For OSA, the length shall be 20, with the value 0 defined to mean that ibmOsaExpATMConfigMode is 'automatic'.") ibmOsaExpATMActualLESATMAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(20, 20)).setFixedLength(20)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMActualLESATMAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualLESATMAddress.setDescription("The LAN Emulation Server which this client will use the next time it is started in manual configuration mode. When lecConfigMode is 'automatic', there is no need to set this address, Address) and no advantage to doing so. The client will use the LECS to find a LES, putting the auto-configured address in ibmOsaExpATMActualLESATMAddress while leaving ibmOsaExpATMConfigLESATMAddress alone. Corresponds to Initial State Parameter C9. In LAN Emulation MIB, the OCTET STRING has length 0 or 20. For OSA, the length shall be 20, with the value 0 defined to mean that ibmOsaExpATMConfigMode is 'automatic'.") ibmOsaExpATMControlTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 300))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlTimeout.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlTimeout.setDescription('Control Time-out. Time out period used for timing out most request/response control frame interactions, as specified elsewhere in the LAN Emulation specification. This time value is expressed in seconds. Corresponds to Initial State Parameter C7.') ibmOsaExpATMMaxUnknownFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameCount.setDescription('Maximum Unknown Frame Count. See the description of ibmOsaExpATMMaxUnknownFrameTime below. Corresponds to Initial State Parameter C10.') ibmOsaExpATMMaxUnknownFrameTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameTime.setDescription('Maximum Unknown Frame Time. Within the period of time defined by the Maximum Unknown Frame Time, a LE Client will send no more than Maximum Unknown Frame Count frames to the BUS for a given unicast LAN Destination, and it must also initiate the address resolution protocol to resolve that LAN Destination. This time value is expressed in seconds. Corresponds to Initial State Parameter C11.') ibmOsaExpATMVCCTimeoutPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 28), Integer32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMVCCTimeoutPeriod.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMVCCTimeoutPeriod.setDescription('VCC Time-out Period. A LE Client SHOULD release any Data Direct VCC that it has not used to transmit or receive any data frames for the length of the VCC Time-out Period. This parameter is only meaningful for SVC Data Direct VCCs. This time value is expressed in seconds. The default value is 20 minutes. A value of 0 seconds means that the timeout period is infinite. Negative values will be rejected by the agent. Corresponds to Initial State Parameter C12.') ibmOsaExpATMMaxRetryCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMaxRetryCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMaxRetryCount.setDescription("Maximum Retry Count. A LE CLient MUST not retry a LE_ARP_REQUEST for a given frame's LAN destination more than Maximum Retry Count times, after the first LE_ARP_REQUEST for that same frame's LAN destination. Corresponds to Initial State Parameter C13.") ibmOsaExpATMAgingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 30), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 300))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMAgingTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMAgingTime.setDescription('Aging Time. The maximum time that a LE Client will maintain an entry in its LE_ARP cache in the absence of a verification of that relationship. This time value is expressed in seconds. Corresponds to Initial State Parameter C17.') ibmOsaExpATMForwardDelayTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 31), Integer32().subtype(subtypeSpec=ValueRangeConstraint(4, 30))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMForwardDelayTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMForwardDelayTime.setDescription('Forward Delay Time. The maximum time that a LE Client will maintain an entry for a non-local MAC address in its LE_ARP cache in the absence of a verification of that relationship, as long as the Topology Change flag C19 is true. ibmOsaExpATMForwardDelayTime SHOULD BE less than ibmOsaExpATMAgingTIme. When it is not, ibmOsaExpATMAgingTime governs LE_ARP aging. This time value is expressed in seconds. Corresponds to Initial State Parameter C18.') ibmOsaExpATMExpectedARPRespTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 32), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMExpectedARPRespTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMExpectedARPRespTime.setDescription('Expected LE_ARP Reponse Time. The maximum time that the LEC expects an LE_ARP_REQUEST/LE_ARP_RESPONSE cycle to take. Used for retries and verifies. This time value is expressed in seconds. Corresponds to Initial State Parameter C20.') ibmOsaExpATMFlushTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 33), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMFlushTimeout.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMFlushTimeout.setDescription('Flush Time-out. Time limit to wait to receive a LE_FLUSH_RESPONSE after the LE_FLUSH_REQUEST has been sent before taking recovery action. This time value is expressed in seconds. Corresponds to Initial State Parameter C21.') ibmOsaExpATMPathSwitchingDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMPathSwitchingDelay.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPathSwitchingDelay.setDescription('Path Switching Delay. The time since sending a frame to the BUS after which the LE Client may assume that the frame has been either discarded or delivered to the recipient. May be used to bypass the Flush protocol. This time value is expressed in seconds. Corresponds to Initial State Parameter C22.') ibmOsaExpATMLocalSegmentID = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 35), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLocalSegmentID.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLocalSegmentID.setDescription('Local Segment ID. The segment ID of the emulated LAN. This is only required for IEEE 802.5 clients that are Source Routing bridges. Corresponds to Initial State Parameter C23.') ibmOsaExpATMMltcstSendVCCType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("bestEffort", 1), ("variableBitRate", 2), ("constantBitRate", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCType.setDescription('Multicast Send VCC Type. Signalling parameter that SHOULD be used by the LE Client when establishing the Multicast Send VCC. This is the method to be used by the LE Client when specifying traffic parameters when it sets up the Multicast Send VCC for this emulated LAN. Corresponds to Initial State Parameter C24.') ibmOsaExpATMMltcstSendVCCAvgRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 37), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCAvgRate.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCAvgRate.setDescription('Multicast Send VCC AvgRate. Signalling parameter that SHOULD be used by the LE Client when estabishing the Multicast Send VCC. Forward and Backward Sustained Cell Rate to be requested by LE Client when setting up Multicast Send VCC, if using Variable bit rate codings. Corresponds to Initial State Parameter C25.') ibmOsaExpATMMcastSendVCCPeakRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 38), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMcastSendVCCPeakRate.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMcastSendVCCPeakRate.setDescription('Multicast Send VCC PeakRate. Signalling parameter that SHOULD be used by the LE Client when establishing the Multicast Send VCC. Forward and Backward Peak Cell Rate to be requested by LE Client when setting up the Multicast Send VCC when using either Variable or Constant bit rate codings. Corresponds to Initial State Parameter C26.') ibmOsaExpATMConnectCompleteTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 39), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConnectCompleteTimer.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConnectCompleteTimer.setDescription('Connection Complete Timer. Optional. In Connection Establish ment this is the time period in which data or a READY_IND message is expected from a Calling Party. This time value is expressed in seconds. Corresponds to Initial State Parameter C28.') ibmOsaExpATMClientATMAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 40), OctetString().subtype(subtypeSpec=ValueSizeConstraint(20, 20)).setFixedLength(20)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMClientATMAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMClientATMAddress.setDescription("LE Client's ATM Addresses. The primary ATM address of this LAN Emulation Client. This address is used to establish the Control Direct and Multicast Send VCCs, and may also be used to set up Data Direct VCCs. A client may have additional ATM addresses for use with Data Direct VCCs. Corresponds to Initial State Parameter C1.") ibmOsaExpATMClientIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 41), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65279))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMClientIdentifier.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMClientIdentifier.setDescription("LE Client Identifier. Each LE Client requires a LE Client Identifier (LECID) assigned by the LE Server during the Join phase. The LECID is placed in control requests by the LE Client and MAY be used for echo suppression on multicast data frames sent by that LE Client. This value MUST NOT change without terminating the LE Client and returning to the Initial state. A valid LECID MUST be in the range X'0001' through X'FEFF'. The value of this object is only meaningful for a LEC that is connected to a LES. For a LEC which does not belong to an emulated LAN, the value of this object is defined to be 0. Corresponds to Initial State Parameter C14.") ibmOsaExpATMClientCurrentState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("initialState", 1), ("lecsConnect", 2), ("configure", 3), ("join", 4), ("initialRegistration", 5), ("busConnect", 6), ("operational", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMClientCurrentState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMClientCurrentState.setDescription("The current state of the LAN Emulation Client. Note that 'ifOperStatus' is defined to be 'up' when, and only when, this field is 'operational'.") ibmOsaExpATMLastFailureRespCode = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("none", 1), ("timeout", 2), ("undefinedError", 3), ("versionNotSupported", 4), ("invalidRequestParameters", 5), ("duplicateLanDestination", 6), ("duplicateAtmAddress", 7), ("insufficientResources", 8), ("accessDenied", 9), ("invalidRequesterId", 10), ("invalidLanDestination", 11), ("invalidAtmAddress", 12), ("noConfiguration", 13), ("leConfigureError", 14), ("insufficientInformation", 15)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLastFailureRespCode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLastFailureRespCode.setDescription("Status code from the last failed Configure response or Join response. Failed responses are those for which the LE_CONFIGURE_RESPONSE / LE_JOIN_RESPONSE frame contains a non-zero code, or fails to arrive within a timeout period. If none of this client's requests have failed, this object has the value 'none'. If the failed response contained a STATUS code that is not defined in the LAN Emulation specification, this object has the value 'undefinedError'. The value 'timeout' is self explanatory. Other failure codes correspond to those defined in the specification, although they may have different numeric values.") ibmOsaExpATMLastFailureState = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("initialState", 1), ("lecsConnect", 2), ("configure", 3), ("join", 4), ("initialRegistration", 5), ("busConnect", 6), ("operational", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLastFailureState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLastFailureState.setDescription("The state this client was in when it updated the 'ibmOsaExpATMLastFailureRespCode'. If 'ibmOsaExpATMLastFailureRespCode' is 'none', this object has the value initialState(1).") ibmOsaExpATMProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 45), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMProtocol.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMProtocol.setDescription('The LAN Emulation protocol which this client supports, and specifies in its LE_JOIN_REQUESTs.') ibmOsaExpATMLeVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 46), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLeVersion.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeVersion.setDescription('The LAN Emulation protocol version which this client supports, and specifies in its LE_JOIN_REQUESTs.') ibmOsaExpATMTopologyChange = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMTopologyChange.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMTopologyChange.setDescription("Topology Change. Boolean indication that the LE Client is using the Forward Delay Time C18, instead of the Aging Time C17, to age non-local entries in its LE_ARP cache C16. For a client which is not connected to the LES, this object is defined to have the value 'false'. Corresponds to Initial State Parameter C19.") ibmOsaExpATMConfigServerATMAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 48), OctetString().subtype(subtypeSpec=ValueSizeConstraint(20, 20)).setFixedLength(20)).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigServerATMAddr.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigServerATMAddr.setDescription('The ATM address of the LAN Emulation Configuration Server (if known) or 0 (otherwise). In LAN Emulation MIB, the OCTET STRING is either 0 length or 20 octets. For OSA-ATM, this Address has been changed to a constant 20 octets, with the value 0 equivalent to the 0 length OCTET STRING.') ibmOsaExpATMConfigSource = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("gotAddressViaIlmi", 1), ("usedWellKnownAddress", 2), ("usedLecsPvc", 3), ("didNotUseLecs", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigSource.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigSource.setDescription('Indicates whether this LAN Emulation Client used the LAN Emulation Configuration Server, and, if so, what method it used to establish the Configuration Direct VCC') ibmOsaExpATMProxyClient = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMProxyClient.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMProxyClient.setDescription('Indicates whether this client is acting as a proxy. Proxy clients are allowed to represent unregistered MAC addresses, and receive copies of LE_ARP_REQUEST frames for such addresses. Corresponds to Initial State Parameter C4.') ibmOsaExpATMLePDUOctetsInbound = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 51), Counter64()).setUnits('octets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsInbound.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsInbound.setDescription('The number of Le PDU Octets received') ibmOsaExpATMNonErrLePDUDiscIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 52), Counter32()).setUnits('octets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscIn.setDescription('The number of Non Error Le PDU Octets received') ibmOsaExpATMErrLePDUDiscIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 53), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscIn.setDescription('The number of Errored Le PDU Discards received') ibmOsaExpATMLePDUOctetsOutbound = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 54), Counter64()).setUnits('octets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsOutbound.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsOutbound.setDescription('The number of Le PDU Discards sent') ibmOsaExpATMNonErrLePDUDiscOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 55), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscOut.setDescription('The number of Non Error Le PDU Discards sent') ibmOsaExpATMErrLePDUDiscOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 56), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscOut.setDescription('The number of Errored Le PDU Discards sent') ibmOsaExpATMLeARPRequestsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 57), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsOut.setDescription('The number of LE ARP Requests sent') ibmOsaExpATMLeARPRequestsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 58), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsIn.setDescription('The number of LE ARP Requests received over the LUNI by this LAN Emulation Client. Requests may arrive on the Control Direct VCC or on the Control Distribute VCC, depending upon how the LES is implemented and the chances it has had for learning. This counter covers both VCCs.') ibmOsaExpATMLeARPRepliesOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 59), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesOut.setDescription('The number of LE ARP Responses sent over the LUNI by this LAN Emulation Client.') ibmOsaExpATMLeARPRepliesIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 60), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesIn.setDescription('The number of LE ARP Responses received over the LUNI by this LAN Emulation Client. This count includes all such replies, whether solicited or not. Replies may arrive on the Control Direct VCC or on the Control Distribute VCC, depending upon how the LES is implemented. This counter covers both VCCs.') ibmOsaExpATMControlFramesOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 61), Counter32()).setUnits('packets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlFramesOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlFramesOut.setDescription('The total number of control packets sent by this LAN Emulation Client over the LUNI.') ibmOsaExpATMControlFramesIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 62), Counter32()).setUnits('packets').setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlFramesIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlFramesIn.setDescription('The total number of control packets received by this LAN Emulation Client over the LUNI.') ibmOsaExpATMSVCFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 63), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMSVCFailures.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMSVCFailures.setDescription('The total number of outgoing LAN Emulation SVCs which this client tried, but failed, to open; incoming LAN Emulation SVCs which this client tried, but failed to establish; and incoming LAN Emulation SVCs which this client rejected for protocol or security reasons.') ibmOsaExpATMConfigDirectIntfc = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 64), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectIntfc.setDescription('The interface associated with the Configuration Direct VCC. If no Configuration Direct VCC exists, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMConfigDirectIntfc, ibmOsaExpATMConfigDirectVPI, ibmOsaExpATMConfigDirectVCI) identify the circuit.') ibmOsaExpATMConfigDirectVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 65), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVPI.setDescription('If the Configuration Direct VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMConfigDirectVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 66), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVCI.setDescription('If the Configuration Direct VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMControlDirectIntfc = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 67), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlDirectIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectIntfc.setDescription('The interface associated with the Control Direct VCC. If no Control Direct VCC exists, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMConfigDirectIntfc, ibmOsaExpATMConfigDirectVPI, ibmOsaExpATMConfigDirectVCI) identify the circuit.') ibmOsaExpATMControlDirectVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 68), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVPI.setDescription('If the Control Direct VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMControlDirectVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 69), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVCI.setDescription('If the Control Direct VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMControlDistIntfc = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 70), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlDistIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDistIntfc.setDescription('The interface associated with the Control Distribute VCC. If no Control Distribute VCC has been set up to this client, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMControlDistIntfc, ibmOsaExpATMControlDistributeVPI. ibmOsaExpATMControlDistributeVCI) identify the circuit.') ibmOsaExpATMControlDistributeVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 71), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVPI.setDescription('If the Control Distribute VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMControlDistributeVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 72), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVCI.setDescription('If the Control Distribute VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object contains the value 0.') ibmOsaExpATMMulticastSendIntfc = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 73), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendIntfc.setDescription('The interface associated with the Multicast Send VCC. If no Multicast Send VCC exists, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMMulticastSendIntfc, ibmOsaExpATMMulticastSendVPI, ibmOsaExpATMMulticastSendVCI) identify the circuit.') ibmOsaExpATMMulticastSendVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 74), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVPI.setDescription('If the Multicast Send VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMMulticastSendVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 75), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVCI.setDescription('If the Multicast Send VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMMulticastFwdIntfc = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 76), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMulticastFwdIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastFwdIntfc.setDescription('The interface associated with the Multicast Forward VCC. If no Multicast Forward VCC has been set up to this client, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMMulticastFwdIntfc, ibmOsaExpATMMulticastForwardVPI, ibmOsaExpATMMulticastForwardVCI) identify the circuit.') ibmOsaExpATMMulticastForwardVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 77), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVPI.setDescription('If the Multicast Forward VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOsaExpATMMulticastForwardVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 78), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVCI.setDescription('If the Multicast Forward VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibmOSAMibCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 1)) ibmOSAMibGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2)) ibmOSAMibCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 1, 1)).setObjects(("IBM-OSA-MIB", "ibmOSAExpChannelGroup"), ("IBM-OSA-MIB", "ibmOSAExpPerfGroup"), ("IBM-OSA-MIB", "ibmOSAExpPEGroup"), ("IBM-OSA-MIB", "ibmOSAExpEthGroup"), ("IBM-OSA-MIB", "ibmOSAExpTRGroup"), ("IBM-OSA-MIB", "ibmOSAExpATMGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAMibCompliance = ibmOSAMibCompliance.setStatus('current') if mibBuilder.loadTexts: ibmOSAMibCompliance.setDescription('The compliance statement for the OSA DIrect SNMP product.') ibmOSAExpChannelGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 1)).setObjects(("IBM-OSA-MIB", "ibmOSAExpChannelNumber"), ("IBM-OSA-MIB", "ibmOSAExpChannelType"), ("IBM-OSA-MIB", "ibmOSAExpChannelHdwLevel"), ("IBM-OSA-MIB", "ibmOSAExpChannelSubType"), ("IBM-OSA-MIB", "ibmOSAExpChannelShared"), ("IBM-OSA-MIB", "ibmOSAExpChannelNodeDesc"), ("IBM-OSA-MIB", "ibmOSAExpChannelProcCodeLevel"), ("IBM-OSA-MIB", "ibmOSAExpChannelPCIBusUtil1Min"), ("IBM-OSA-MIB", "ibmOSAExpChannelProcUtil1Min"), ("IBM-OSA-MIB", "ibmOSAExpChannelPCIBusUtil5Min"), ("IBM-OSA-MIB", "ibmOSAExpChannelProcUtil5Min"), ("IBM-OSA-MIB", "ibmOSAExpChannelPCIBusUtilHour"), ("IBM-OSA-MIB", "ibmOSAExpChannelProcUtilHour")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAExpChannelGroup = ibmOSAExpChannelGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelGroup.setDescription('This group comprises those objects that are related to OSA-Express Channel support.') ibmOSAExpPerfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 2)).setObjects(("IBM-OSA-MIB", "ibmOSAExpPerfDataLP0"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP1"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP2"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP3"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP4"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP5"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP6"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP7"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP8"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP9"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP10"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP11"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP12"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP13"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP14"), ("IBM-OSA-MIB", "ibmOSAExpPerfDataLP15")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAExpPerfGroup = ibmOSAExpPerfGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfGroup.setDescription('This group comprises those objects that are related to OSA-Express Performance data support.') ibmOSAExpPEGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 3)).setObjects(("IBM-OSA-MIB", "ibmOSAExpPEMaxSizeArpCache"), ("IBM-OSA-MIB", "ibmOSAExpPEArpPendingEntries"), ("IBM-OSA-MIB", "ibmOSAExpPEArpActiveEntries"), ("IBM-OSA-MIB", "ibmOSAExpPEIPEntries"), ("IBM-OSA-MIB", "ibmOSAExpPEMulticastEntries"), ("IBM-OSA-MIB", "ibmOSAExpPEMulticastData")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAExpPEGroup = ibmOSAExpPEGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEGroup.setDescription('This group comprises those objects that are related to OSA-Express PE data support.') ibmOSAExpEthGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 4)).setObjects(("IBM-OSA-MIB", "ibmOsaExpEthPortNumber"), ("IBM-OSA-MIB", "ibmOsaExpEthPortType"), ("IBM-OSA-MIB", "ibmOsaExpEthLanTrafficState"), ("IBM-OSA-MIB", "ibmOsaExpEthServiceMode"), ("IBM-OSA-MIB", "ibmOsaExpEthDisabledStatus"), ("IBM-OSA-MIB", "ibmOsaExpEthConfigName"), ("IBM-OSA-MIB", "ibmOsaExpEthConfigSpeedMode"), ("IBM-OSA-MIB", "ibmOsaExpEthActiveSpeedMode"), ("IBM-OSA-MIB", "ibmOsaExpEthMacAddrActive"), ("IBM-OSA-MIB", "ibmOsaExpEthMacAddrBurntIn"), ("IBM-OSA-MIB", "ibmOsaExpEthUserData"), ("IBM-OSA-MIB", "ibmOsaExpEthOutPackets"), ("IBM-OSA-MIB", "ibmOsaExpEthInPackets"), ("IBM-OSA-MIB", "ibmOsaExpEthInGroupFrames"), ("IBM-OSA-MIB", "ibmOsaExpEthInBroadcastFrames"), ("IBM-OSA-MIB", "ibmOsaExpEthPortName"), ("IBM-OSA-MIB", "ibmOsaExpEthInUnknownIPFrames"), ("IBM-OSA-MIB", "ibmOsaExpEthGroupAddrTable")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAExpEthGroup = ibmOSAExpEthGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpEthGroup.setDescription('This group comprises those objects that are related to OSA-Express Fast Ethernet and Gigabit features only') ibmOSAExpTRGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 5)).setObjects(("IBM-OSA-MIB", "ibmOsaExpTRPortNumber"), ("IBM-OSA-MIB", "ibmOsaExpTRPortType"), ("IBM-OSA-MIB", "ibmOsaExpTRLanTrafficState"), ("IBM-OSA-MIB", "ibmOsaExpTRServiceMode"), ("IBM-OSA-MIB", "ibmOsaExpTRDisabledStatus"), ("IBM-OSA-MIB", "ibmOsaExpTRConfigName"), ("IBM-OSA-MIB", "ibmOsaExpTRMacAddrActive"), ("IBM-OSA-MIB", "ibmOsaExpTRMacAddrBurntIn"), ("IBM-OSA-MIB", "ibmOsaExpTRConfigSpeedMode"), ("IBM-OSA-MIB", "ibmOsaExpTRActiveSpeedMode"), ("IBM-OSA-MIB", "ibmOsaExpTRUserData"), ("IBM-OSA-MIB", "ibmOsaExpTRPortName"), ("IBM-OSA-MIB", "ibmOsaExpTRGroupAddrTable"), ("IBM-OSA-MIB", "ibmOsaExpTRFunctionalAddr"), ("IBM-OSA-MIB", "ibmOsaExpTRRingStatus"), ("IBM-OSA-MIB", "ibmOsaExpTRAllowAccessPriority"), ("IBM-OSA-MIB", "ibmOsaExpTREarlyTokenRelease"), ("IBM-OSA-MIB", "ibmOsaExpTRBeaconingAddress"), ("IBM-OSA-MIB", "ibmOsaExpTRUpstreamNeighbor"), ("IBM-OSA-MIB", "ibmOsaExpTRRingState"), ("IBM-OSA-MIB", "ibmOsaExpTRRingOpenStatus"), ("IBM-OSA-MIB", "ibmOsaExpTRPacketsTransmitted"), ("IBM-OSA-MIB", "ibmOsaExpTRPacketsReceived"), ("IBM-OSA-MIB", "ibmOsaExpTRLineErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRBurstErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRACErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRAbortTransErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRInternalErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRLostFrameErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRRcvCongestionCount"), ("IBM-OSA-MIB", "ibmOsaExpTRFrameCopyErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRTokenErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRFullDuplexErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRSoftErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRHardErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRSignalLossErrorCount"), ("IBM-OSA-MIB", "ibmOsaExpTRTransmitBeaconCount"), ("IBM-OSA-MIB", "ibmOsaExpTRRecoveryCounter"), ("IBM-OSA-MIB", "ibmOsaExpTRLobeWireFaultCount"), ("IBM-OSA-MIB", "ibmOsaExpTRRemoveReceivedCount"), ("IBM-OSA-MIB", "ibmOsaExpTRSingleStationCount")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAExpTRGroup = ibmOSAExpTRGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpTRGroup.setDescription('This group comprises those objects that are related to OSA-Express Token Ring feature only') ibmOSAExpATMGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 7)).setObjects(("IBM-OSA-MIB", "ibmOsaExpATMPortNumber"), ("IBM-OSA-MIB", "ibmOsaExpATMPortType"), ("IBM-OSA-MIB", "ibmOsaExpATMLanTrafficState"), ("IBM-OSA-MIB", "ibmOsaExpATMServiceMode"), ("IBM-OSA-MIB", "ibmOsaExpATMDisabledStatus"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigName"), ("IBM-OSA-MIB", "ibmOsaExpATMMacAddrActive"), ("IBM-OSA-MIB", "ibmOsaExpATMMacAddrBurntIn"), ("IBM-OSA-MIB", "ibmOsaExpATMUserData"), ("IBM-OSA-MIB", "ibmOsaExpATMPortName"), ("IBM-OSA-MIB", "ibmOsaExpATMGroupMacAddrTable"), ("IBM-OSA-MIB", "ibmOsaExpATMIBMEnhancedMode"), ("IBM-OSA-MIB", "ibmOsaExpATMBestEffortPeakRate"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigMode"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigLanType"), ("IBM-OSA-MIB", "ibmOsaExpATMActualLanType"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigMaxDataFrmSz"), ("IBM-OSA-MIB", "ibmOsaExpATMActualMaxDataFrmSz"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigELANName"), ("IBM-OSA-MIB", "ibmOsaExpATMActualELANName"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigLESATMAddress"), ("IBM-OSA-MIB", "ibmOsaExpATMActualLESATMAddress"), ("IBM-OSA-MIB", "ibmOsaExpATMControlTimeout"), ("IBM-OSA-MIB", "ibmOsaExpATMMaxUnknownFrameCount"), ("IBM-OSA-MIB", "ibmOsaExpATMMaxUnknownFrameTime"), ("IBM-OSA-MIB", "ibmOsaExpATMVCCTimeoutPeriod"), ("IBM-OSA-MIB", "ibmOsaExpATMMaxRetryCount"), ("IBM-OSA-MIB", "ibmOsaExpATMAgingTime"), ("IBM-OSA-MIB", "ibmOsaExpATMForwardDelayTime"), ("IBM-OSA-MIB", "ibmOsaExpATMExpectedARPRespTime"), ("IBM-OSA-MIB", "ibmOsaExpATMFlushTimeout"), ("IBM-OSA-MIB", "ibmOsaExpATMPathSwitchingDelay"), ("IBM-OSA-MIB", "ibmOsaExpATMLocalSegmentID"), ("IBM-OSA-MIB", "ibmOsaExpATMMltcstSendVCCType"), ("IBM-OSA-MIB", "ibmOsaExpATMMltcstSendVCCAvgRate"), ("IBM-OSA-MIB", "ibmOsaExpATMMcastSendVCCPeakRate"), ("IBM-OSA-MIB", "ibmOsaExpATMConnectCompleteTimer"), ("IBM-OSA-MIB", "ibmOsaExpATMClientATMAddress"), ("IBM-OSA-MIB", "ibmOsaExpATMClientIdentifier"), ("IBM-OSA-MIB", "ibmOsaExpATMClientCurrentState"), ("IBM-OSA-MIB", "ibmOsaExpATMLastFailureRespCode"), ("IBM-OSA-MIB", "ibmOsaExpATMLastFailureState"), ("IBM-OSA-MIB", "ibmOsaExpATMProtocol"), ("IBM-OSA-MIB", "ibmOsaExpATMLeVersion"), ("IBM-OSA-MIB", "ibmOsaExpATMTopologyChange"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigServerATMAddr"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigSource"), ("IBM-OSA-MIB", "ibmOsaExpATMProxyClient"), ("IBM-OSA-MIB", "ibmOsaExpATMLePDUOctetsInbound"), ("IBM-OSA-MIB", "ibmOsaExpATMNonErrLePDUDiscIn"), ("IBM-OSA-MIB", "ibmOsaExpATMErrLePDUDiscIn"), ("IBM-OSA-MIB", "ibmOsaExpATMLePDUOctetsOutbound"), ("IBM-OSA-MIB", "ibmOsaExpATMNonErrLePDUDiscOut"), ("IBM-OSA-MIB", "ibmOsaExpATMErrLePDUDiscOut"), ("IBM-OSA-MIB", "ibmOsaExpATMLeARPRequestsOut"), ("IBM-OSA-MIB", "ibmOsaExpATMLeARPRequestsIn"), ("IBM-OSA-MIB", "ibmOsaExpATMLeARPRepliesOut"), ("IBM-OSA-MIB", "ibmOsaExpATMLeARPRepliesIn"), ("IBM-OSA-MIB", "ibmOsaExpATMControlFramesOut"), ("IBM-OSA-MIB", "ibmOsaExpATMControlFramesIn"), ("IBM-OSA-MIB", "ibmOsaExpATMSVCFailures"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigDirectIntfc"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigDirectVPI"), ("IBM-OSA-MIB", "ibmOsaExpATMConfigDirectVCI"), ("IBM-OSA-MIB", "ibmOsaExpATMControlDirectIntfc"), ("IBM-OSA-MIB", "ibmOsaExpATMControlDirectVPI"), ("IBM-OSA-MIB", "ibmOsaExpATMControlDirectVCI"), ("IBM-OSA-MIB", "ibmOsaExpATMControlDistIntfc"), ("IBM-OSA-MIB", "ibmOsaExpATMControlDistributeVPI"), ("IBM-OSA-MIB", "ibmOsaExpATMControlDistributeVCI"), ("IBM-OSA-MIB", "ibmOsaExpATMMulticastSendIntfc"), ("IBM-OSA-MIB", "ibmOsaExpATMMulticastSendVPI"), ("IBM-OSA-MIB", "ibmOsaExpATMMulticastSendVCI"), ("IBM-OSA-MIB", "ibmOsaExpATMMulticastFwdIntfc"), ("IBM-OSA-MIB", "ibmOsaExpATMMulticastForwardVPI"), ("IBM-OSA-MIB", "ibmOsaExpATMMulticastForwardVCI")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibmOSAExpATMGroup = ibmOSAExpATMGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpATMGroup.setDescription('This group comprises those objects that are related to OSA-Express ATM LAN Emulation feature only') mibBuilder.exportSymbols("IBM-OSA-MIB", ibmOsaExpATMControlFramesIn=ibmOsaExpATMControlFramesIn, ibmOSAExpChannelGroup=ibmOSAExpChannelGroup, ibmOsaExpTRConfigName=ibmOsaExpTRConfigName, ibmOsaExpATMNonErrLePDUDiscOut=ibmOsaExpATMNonErrLePDUDiscOut, ibmOsaExpTRSingleStationCount=ibmOsaExpTRSingleStationCount, ibmOSAExpPerfDataLP7=ibmOSAExpPerfDataLP7, ibmOsaExpTRTransmitBeaconCount=ibmOsaExpTRTransmitBeaconCount, ibmOsaExpTRUpstreamNeighbor=ibmOsaExpTRUpstreamNeighbor, ibmOsaExpATMControlTimeout=ibmOsaExpATMControlTimeout, ibmOSAMibConformance=ibmOSAMibConformance, ibmOsaExpEthOutPackets=ibmOsaExpEthOutPackets, ibmOsaExpEthConfigName=ibmOsaExpEthConfigName, ibmOsaExpTRInternalErrorCount=ibmOsaExpTRInternalErrorCount, ibmOsaExpATMMulticastSendVCI=ibmOsaExpATMMulticastSendVCI, ibmOsaExpATMControlDirectIntfc=ibmOsaExpATMControlDirectIntfc, ibm=ibm, ibmOsaExpEthUserData=ibmOsaExpEthUserData, ibmOsaExpATMGroupMacAddrTable=ibmOsaExpATMGroupMacAddrTable, ibmOSAExpPEArpPendingEntries=ibmOSAExpPEArpPendingEntries, ibmOsaExpTRUserData=ibmOsaExpTRUserData, ibmOSAExpPETable=ibmOSAExpPETable, ibmOsaExpATMMacAddrBurntIn=ibmOsaExpATMMacAddrBurntIn, ibmOsaExpATMPortName=ibmOsaExpATMPortName, ibmOsaExpATMMulticastForwardVCI=ibmOsaExpATMMulticastForwardVCI, ibmOsaExpTRPortName=ibmOsaExpTRPortName, ibmOsaExpTRPortNumber=ibmOsaExpTRPortNumber, ibmOsaExpTRTokenErrorCount=ibmOsaExpTRTokenErrorCount, ibmOsaExpATMControlDistributeVPI=ibmOsaExpATMControlDistributeVPI, ibmOSAExpPerfDataLP15=ibmOSAExpPerfDataLP15, ibmOsaExpATMMulticastFwdIntfc=ibmOsaExpATMMulticastFwdIntfc, ibmOsaExpTRGroupAddrTable=ibmOsaExpTRGroupAddrTable, ibmOsaExpATMProxyClient=ibmOsaExpATMProxyClient, ibmOSAExpPerfTable=ibmOSAExpPerfTable, ibmOSAExpChannelEntry=ibmOSAExpChannelEntry, ibmOSAExpTRGroup=ibmOSAExpTRGroup, ibmOsaExpEthMacAddrBurntIn=ibmOsaExpEthMacAddrBurntIn, ibmOSAExpChannelSubType=ibmOSAExpChannelSubType, ibmOsaExpATMControlDistIntfc=ibmOsaExpATMControlDistIntfc, ibmOsaExpATMAgingTime=ibmOsaExpATMAgingTime, ibmOsaExpTRHardErrorCount=ibmOsaExpTRHardErrorCount, ibmOsaExpTRAbortTransErrorCount=ibmOsaExpTRAbortTransErrorCount, ibmOsaExpTRActiveSpeedMode=ibmOsaExpTRActiveSpeedMode, ibmOSAExpChannelTable=ibmOSAExpChannelTable, ibmOsaExpATMConfigServerATMAddr=ibmOsaExpATMConfigServerATMAddr, ibmOSAExpTRPortEntry=ibmOSAExpTRPortEntry, ibmOsaExpTREarlyTokenRelease=ibmOsaExpTREarlyTokenRelease, ibmOSAExpPerfDataLP13=ibmOSAExpPerfDataLP13, ibmOsaExpATMTopologyChange=ibmOsaExpATMTopologyChange, ibmOsaExpEthLanTrafficState=ibmOsaExpEthLanTrafficState, ibmOSAExpPEMulticastEntries=ibmOSAExpPEMulticastEntries, ibmOsaExpEthPortNumber=ibmOsaExpEthPortNumber, ibmOsaExpTRMacAddrActive=ibmOsaExpTRMacAddrActive, ibmOSAExpPerfGroup=ibmOSAExpPerfGroup, ibmOsaExpTRSignalLossErrorCount=ibmOsaExpTRSignalLossErrorCount, ibmOSAExpPerfDataLP11=ibmOSAExpPerfDataLP11, ibmOsaExpATMVCCTimeoutPeriod=ibmOsaExpATMVCCTimeoutPeriod, ibmOSAExpPEMaxSizeArpCache=ibmOSAExpPEMaxSizeArpCache, ibmOsaExpTRRecoveryCounter=ibmOsaExpTRRecoveryCounter, ibmOsaExpTRPacketsTransmitted=ibmOsaExpTRPacketsTransmitted, ibmOsaExpATMLePDUOctetsOutbound=ibmOsaExpATMLePDUOctetsOutbound, ibmOsaExpATMConfigLanType=ibmOsaExpATMConfigLanType, ibmOsaExpTRConfigSpeedMode=ibmOsaExpTRConfigSpeedMode, ibmOSAExpPerfDataLP4=ibmOSAExpPerfDataLP4, ibmOSAMib=ibmOSAMib, ibmOsaExpEthInGroupFrames=ibmOsaExpEthInGroupFrames, ibmOSAExpPerfDataLP6=ibmOSAExpPerfDataLP6, ibmOSAExpChannelProcUtilHour=ibmOSAExpChannelProcUtilHour, ibmOsaExpATMPortNumber=ibmOsaExpATMPortNumber, ibmOSAExpChannelHdwLevel=ibmOSAExpChannelHdwLevel, ibmOsaExpEthInUnknownIPFrames=ibmOsaExpEthInUnknownIPFrames, ibmOSAExpChannelType=ibmOSAExpChannelType, ibmOsaExpATMUserData=ibmOsaExpATMUserData, ibmOsaExpATMForwardDelayTime=ibmOsaExpATMForwardDelayTime, ibmOsaExpEthActiveSpeedMode=ibmOsaExpEthActiveSpeedMode, ibmOSAExpPEGroup=ibmOSAExpPEGroup, ibmOSAExpPEEntry=ibmOSAExpPEEntry, ibmOSAExpTRPortTable=ibmOSAExpTRPortTable, ibmOsaExpATMActualELANName=ibmOsaExpATMActualELANName, ibmOsaExpATMMacAddrActive=ibmOsaExpATMMacAddrActive, ibmOsaExpEthConfigSpeedMode=ibmOsaExpEthConfigSpeedMode, ibmOsaExpTRBeaconingAddress=ibmOsaExpTRBeaconingAddress, ibmOsaExpTRRemoveReceivedCount=ibmOsaExpTRRemoveReceivedCount, ibmOsaExpATMProtocol=ibmOsaExpATMProtocol, ibmOsaExpATMNonErrLePDUDiscIn=ibmOsaExpATMNonErrLePDUDiscIn, ibmOsaExpATMErrLePDUDiscOut=ibmOsaExpATMErrLePDUDiscOut, ibmOsaExpATMControlFramesOut=ibmOsaExpATMControlFramesOut, ibmOsaExpTRACErrorCount=ibmOsaExpTRACErrorCount, ibmOsaExpTRMacAddrBurntIn=ibmOsaExpTRMacAddrBurntIn, ibmOsaExpATMMaxUnknownFrameTime=ibmOsaExpATMMaxUnknownFrameTime, ibmOsaExpTRDisabledStatus=ibmOsaExpTRDisabledStatus, ibmOSAExpChannelShared=ibmOSAExpChannelShared, ibmOsaExpEthDisabledStatus=ibmOsaExpEthDisabledStatus, ibmOsaExpEthMacAddrActive=ibmOsaExpEthMacAddrActive, ibmOSAExpEthPortTable=ibmOSAExpEthPortTable, ibmOsaExpTRLineErrorCount=ibmOsaExpTRLineErrorCount, ibmOSAExpEthPortEntry=ibmOSAExpEthPortEntry, ibmOsaExpEthInPackets=ibmOsaExpEthInPackets, ibmOSAExpPerfDataLP8=ibmOSAExpPerfDataLP8, ibmOsaExpTRRingOpenStatus=ibmOsaExpTRRingOpenStatus, ibmOsaExpEthPortName=ibmOsaExpEthPortName, ibmOsaExpATMExpectedARPRespTime=ibmOsaExpATMExpectedARPRespTime, ibmOsaExpTRFunctionalAddr=ibmOsaExpTRFunctionalAddr, ibmOsaExpATMLeARPRequestsIn=ibmOsaExpATMLeARPRequestsIn, ibmOsaExpATMConfigDirectIntfc=ibmOsaExpATMConfigDirectIntfc, ibmOSAExpPerfDataLP1=ibmOSAExpPerfDataLP1, ibmOsaExpATMConfigMaxDataFrmSz=ibmOsaExpATMConfigMaxDataFrmSz, ibmOsaExpATMConfigName=ibmOsaExpATMConfigName, ibmOsaExpATMLeARPRequestsOut=ibmOsaExpATMLeARPRequestsOut, ibmOsaExpATMMulticastForwardVPI=ibmOsaExpATMMulticastForwardVPI, ibmOSAExpChannelPCIBusUtilHour=ibmOSAExpChannelPCIBusUtilHour, ibmOsaExpATMConfigDirectVPI=ibmOsaExpATMConfigDirectVPI, ibmOsaExpTRLostFrameErrorCount=ibmOsaExpTRLostFrameErrorCount, ibmOsaExpTRRingState=ibmOsaExpTRRingState, ibmProd=ibmProd, ibmOsaExpTRLobeWireFaultCount=ibmOsaExpTRLobeWireFaultCount, ibmOSAExpPerfDataLP2=ibmOSAExpPerfDataLP2, ibmOSAExpPEMulticastData=ibmOSAExpPEMulticastData, ibmOsaExpATMLocalSegmentID=ibmOsaExpATMLocalSegmentID, ibmOsaExpATMMulticastSendVPI=ibmOsaExpATMMulticastSendVPI, ibmOSAExpATMGroup=ibmOSAExpATMGroup, ibmOsaExpEthInBroadcastFrames=ibmOsaExpEthInBroadcastFrames, ibmOsaExpATMConfigMode=ibmOsaExpATMConfigMode, ibmOsaExpATMMltcstSendVCCType=ibmOsaExpATMMltcstSendVCCType, ibmOSAExpEthGroup=ibmOSAExpEthGroup, ibmOsaExpATMConfigLESATMAddress=ibmOsaExpATMConfigLESATMAddress, ibmOsaExpTRRcvCongestionCount=ibmOsaExpTRRcvCongestionCount, ibmOsaExpTRPortType=ibmOsaExpTRPortType, ibmOsaExpTRSoftErrorCount=ibmOsaExpTRSoftErrorCount, PYSNMP_MODULE_ID=ibmOSAMib, ibmOsaExpTRRingStatus=ibmOsaExpTRRingStatus, ibmOsaExpATMControlDirectVPI=ibmOsaExpATMControlDirectVPI, ibmOsaExpATMSVCFailures=ibmOsaExpATMSVCFailures, ibmOsaExpATMPortType=ibmOsaExpATMPortType, ibmOsaExpATMMulticastSendIntfc=ibmOsaExpATMMulticastSendIntfc, ibmOsaExpTRBurstErrorCount=ibmOsaExpTRBurstErrorCount, ibmOsaExpATMClientCurrentState=ibmOsaExpATMClientCurrentState, ibmOSAExpPEArpActiveEntries=ibmOSAExpPEArpActiveEntries, ibmOSAExpPerfDataLP9=ibmOSAExpPerfDataLP9, ibmOSAExpATMPortTable=ibmOSAExpATMPortTable, ibmOsaExpATMMltcstSendVCCAvgRate=ibmOsaExpATMMltcstSendVCCAvgRate, ibmOsaExpATMLeARPRepliesOut=ibmOsaExpATMLeARPRepliesOut, ibmOsaExpATMServiceMode=ibmOsaExpATMServiceMode, ibmOSAExpChannelProcCodeLevel=ibmOSAExpChannelProcCodeLevel, ibmOsaExpTRLanTrafficState=ibmOsaExpTRLanTrafficState, ibmOsaExpATMMaxUnknownFrameCount=ibmOsaExpATMMaxUnknownFrameCount, ibmOSAExpChannelProcUtil5Min=ibmOSAExpChannelProcUtil5Min, ibmOsaExpATMBestEffortPeakRate=ibmOsaExpATMBestEffortPeakRate, ibmOSAExpPerfDataLP5=ibmOSAExpPerfDataLP5, ibmOSAExpPEIPEntries=ibmOSAExpPEIPEntries, ibmOsaExpATMLanTrafficState=ibmOsaExpATMLanTrafficState, ibmOsaExpTRFullDuplexErrorCount=ibmOsaExpTRFullDuplexErrorCount, ibmOSAExpChannelNumber=ibmOSAExpChannelNumber, ibmOsaExpATMLastFailureState=ibmOsaExpATMLastFailureState, ibmOsaExpATMClientIdentifier=ibmOsaExpATMClientIdentifier, ibmOsaExpTRServiceMode=ibmOsaExpTRServiceMode, ibmOsaExpEthPortType=ibmOsaExpEthPortType, ibmOsaExpATMIBMEnhancedMode=ibmOsaExpATMIBMEnhancedMode, ibmOSAExpPerfDataLP0=ibmOSAExpPerfDataLP0, ibmOsaExpTRFrameCopyErrorCount=ibmOsaExpTRFrameCopyErrorCount, ibmOsaExpATMControlDirectVCI=ibmOsaExpATMControlDirectVCI, ibmOsaExpTRAllowAccessPriority=ibmOsaExpTRAllowAccessPriority, ibmOsaExpATMFlushTimeout=ibmOsaExpATMFlushTimeout, ibmOsaExpATMConfigELANName=ibmOsaExpATMConfigELANName, ibmOSAExpPerfDataLP10=ibmOSAExpPerfDataLP10, ibmOsaExpEthServiceMode=ibmOsaExpEthServiceMode, ibmOSAMibCompliance=ibmOSAMibCompliance, ibmOSAExpChannelNodeDesc=ibmOSAExpChannelNodeDesc, ibmOSAExpPerfDataLP12=ibmOSAExpPerfDataLP12, ibmOsaExpTRPacketsReceived=ibmOsaExpTRPacketsReceived, ibmOsaExpATMMaxRetryCount=ibmOsaExpATMMaxRetryCount, ibmOsaExpATMActualLESATMAddress=ibmOsaExpATMActualLESATMAddress, ibmOSAMibCompliances=ibmOSAMibCompliances, ibmOSAExpChannelProcUtil1Min=ibmOSAExpChannelProcUtil1Min, ibmOsaExpATMActualMaxDataFrmSz=ibmOsaExpATMActualMaxDataFrmSz, ibmOsaExpEthGroupAddrTable=ibmOsaExpEthGroupAddrTable, ibmOsaExpATMLeVersion=ibmOsaExpATMLeVersion, ibmOsaExpATMConfigDirectVCI=ibmOsaExpATMConfigDirectVCI, ibmOSAExpATMPortEntry=ibmOSAExpATMPortEntry, ibmOsaExpATMControlDistributeVCI=ibmOsaExpATMControlDistributeVCI, ibmOsaExpATMConnectCompleteTimer=ibmOsaExpATMConnectCompleteTimer, ibmOsaExpATMDisabledStatus=ibmOsaExpATMDisabledStatus, ibmOSAExpChannelPCIBusUtil5Min=ibmOSAExpChannelPCIBusUtil5Min, ibmOsaExpATMClientATMAddress=ibmOsaExpATMClientATMAddress, ibmOsaExpATMLePDUOctetsInbound=ibmOsaExpATMLePDUOctetsInbound, ibmOsaExpATMConfigSource=ibmOsaExpATMConfigSource, ibmOsaExpATMMcastSendVCCPeakRate=ibmOsaExpATMMcastSendVCCPeakRate, ibmOsaExpATMErrLePDUDiscIn=ibmOsaExpATMErrLePDUDiscIn, ibmOsaExpATMLastFailureRespCode=ibmOsaExpATMLastFailureRespCode, ibmOSAExpPerfDataLP3=ibmOSAExpPerfDataLP3, ibmOSAExpChannelPCIBusUtil1Min=ibmOSAExpChannelPCIBusUtil1Min, ibmOSAExpPerfEntry=ibmOSAExpPerfEntry, ibmOsaExpATMLeARPRepliesIn=ibmOsaExpATMLeARPRepliesIn, ibmOsaExpATMActualLanType=ibmOsaExpATMActualLanType, ibmOsaExpATMPathSwitchingDelay=ibmOsaExpATMPathSwitchingDelay, ibmOSAMibObjects=ibmOSAMibObjects, ibmOSAExpPerfDataLP14=ibmOSAExpPerfDataLP14, ibmOSAMibGroups=ibmOSAMibGroups)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, value_range_constraint, value_size_constraint, constraints_union, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection') (if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex') (notification_group, object_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ObjectGroup', 'ModuleCompliance') (integer32, gauge32, notification_type, iso, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, time_ticks, module_identity, mib_identifier, enterprises, counter64, unsigned32, ip_address, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'Gauge32', 'NotificationType', 'iso', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'TimeTicks', 'ModuleIdentity', 'MibIdentifier', 'enterprises', 'Counter64', 'Unsigned32', 'IpAddress', 'Counter32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') ibm_osa_mib = module_identity((1, 3, 6, 1, 4, 1, 2, 6, 188)) ibmOSAMib.setRevisions(('2002-05-23 00:00', '2002-03-26 08:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ibmOSAMib.setRevisionsDescriptions(('Editorial revisions', 'Initial release')) if mibBuilder.loadTexts: ibmOSAMib.setLastUpdated('200205230000Z') if mibBuilder.loadTexts: ibmOSAMib.setOrganization('IBM eServer Development') if mibBuilder.loadTexts: ibmOSAMib.setContactInfo(' Joel Goldman Postal: International Business Machines Corporation 2455 South Road Dept. B44G/Bldg. 706 Poughkeepsie, NY 12601 USA Tel: +1 845 435 5501 Internet: jgoldman@us.ibm.com') if mibBuilder.loadTexts: ibmOSAMib.setDescription('The IBM Enterprise Specific MIB definitions for enabling management of an IBM OSA-Express feature. Licensed Materials - Property of IBM Restricted Materials of IBM 5694-A01 (C) Copyright IBM Corp. 2002 US Government Users Restricted Rights - Use, duplication or disclosure restricted by GSA ADP Schedule Contract with IBM Corp.') ibm = mib_identifier((1, 3, 6, 1, 4, 1, 2)) ibm_prod = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6)) ibm_osa_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 1)) ibm_osa_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 2)) ibm_osa_exp_channel_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1)) if mibBuilder.loadTexts: ibmOSAExpChannelTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelTable.setDescription('Indexed by ifIndex. One entry in this table will exist per OSA Device Interface.') ibm_osa_exp_channel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: ibmOSAExpChannelEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelEntry.setDescription('Definition of a single entry in the ibmOSAExpChannelTable. Indexed by the ifIndex of the corresponding Device interface.') ibm_osa_exp_channel_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelNumber.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelNumber.setDescription('The CHPID corresponding to this ifIndex.') ibm_osa_exp_channel_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(17))).clone(namedValues=named_values(('osaDirectExpress', 17)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelType.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelType.setDescription('The type of channel for this interface. OSA Direct Express has a value of 17.') ibm_osa_exp_channel_hdw_level = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('osaExp150', 2), ('osaExp175', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelHdwLevel.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelHdwLevel.setDescription('Hardware model of the channel. The value oasExp150(2) indicates a hardware level of 1.50. The value oasExp175(3) indicates a hardware level of 1.75.') ibm_osa_exp_channel_sub_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 65, 81, 82, 2304))).clone(namedValues=named_values(('unknown', 1), ('gigabitEthernet', 65), ('fastEthernet', 81), ('tokenRing', 82), ('atmEmulatedEthernet', 2304)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelSubType.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelSubType.setDescription('Indicates the type of OSA feature present.') ibm_osa_exp_channel_shared = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notShared', 0), ('shared', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelShared.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelShared.setDescription('An OSA-Express feature can be shared across multiple LPs. This object indicates if this feature is currently being shared between LPs') ibm_osa_exp_channel_node_desc = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(32, 32)).setFixedLength(32)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelNodeDesc.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelNodeDesc.setDescription("This is the Node Descriptor of the OSA feature. It represents the ND obtained from the Channel Subsystem. Bits Name Flag is first byte char(1) Validity Valid - always '20'x char(1) Reserved Reserved by architecture char(1) Class Class for subsystem node char(1) CHPID CHP ID for specified int char(6) TypeNum Type number of the SDC char(3) ModelNum Model number in the form of 3 EBCDIC OCTETS char(3) Manufacturer Manufacturer in the form of 3 EBCDIC OCTETS char(2) Mfr Plant Plant of manufacture-2 digit code char(12)SeqNum Sequence number (12 EBCDIC OCTETS) char(2) Tag Tag") ibm_osa_exp_channel_proc_code_level = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelProcCodeLevel.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcCodeLevel.setDescription('This is the firmware (or micro code level) of the OSA feature. For example, OSA code level 05.6A would be represented as 0x056A.') ibm_osa_exp_channel_pci_bus_util1_min = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil1Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil1Min.setDescription('The average, over a 1 minute interval, of the percentage of time that the PCI bus was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibm_osa_exp_channel_proc_util1_min = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil1Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil1Min.setDescription('The average, over a 1 minute interval, of the percentage of time that the CHPID Processor was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibm_osa_exp_channel_pci_bus_util5_min = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil5Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtil5Min.setDescription('The average, over a 5 minute interval, of the percentage of time that the PCI bus was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibm_osa_exp_channel_proc_util5_min = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil5Min.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtil5Min.setDescription('The average, over a 5 minute interval, of the percentage of time that the CHPID Processor was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibm_osa_exp_channel_pci_bus_util_hour = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtilHour.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelPCIBusUtilHour.setDescription('The average, over an hour interval, of the percentage of time that the PCI bus was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks.') ibm_osa_exp_channel_proc_util_hour = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 1, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtilHour.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelProcUtilHour.setDescription('The average, over an hour interval, of the percentage of time that the CHPID Processor was utilized to transfer data. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%.') ibm_osa_exp_perf_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2)) if mibBuilder.loadTexts: ibmOSAExpPerfTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfTable.setDescription('This table provides performance information for each Logical Partition (LP) the OSA can connect to.') ibm_osa_exp_perf_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: ibmOSAExpPerfEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfEntry.setDescription('Definition of a single entry for a single LP in the ibmOSAExpPerfTable. Indexed by the ifIndex of the corresponding Device interface.') ibm_osa_exp_perf_data_lp0 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP0.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP0.setDescription('The performance data on this OSA for partition 0. The 40 bytes of hex data that are returned are decoded as follows: Offset Bytes Field Meaning 0 4 LP Number 4 4 Processor Util 1 Minute 8 4 In Kbytes Rate 1 Minute 12 4 Out Kbytes Rate 1 Minute 16 4 Processor Util 5 Minutes 20 4 In Kbytes Rate 5 Minutes 24 4 Out Kbytes Rate 5 Minutes 28 4 Processor Util 60 Minutes 32 4 In Kbytes Rate 60 Minutes 36 4 Out Kbytes Rate 60 Minutes The Processor Util 1 Minute is defined as follows: The average, over a 1 minute interval, of the percentage of time that the CHPID Processor was utilized to transfer data for a specific LP. It does not include idle time or time used by routine maintenance tasks. The range for this value is from 0 to 100%. The In Kbytes Rate 1 Minute is defined as follows: The average, over a 1 minute interval, of the number of inbound kilobytes processed for a specific LP. The Out Kbytes Rate 1 Minute is defined as follows: The average, over a 1 minute interval, of the number of outbound kilobytes processed for a specific LP. The 5 and 60 minute fields are defined similar to the 1 minute fields, but pertain to intervals of 5 and 60 minutes.') ibm_osa_exp_perf_data_lp1 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP1.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP1.setDescription('The performance data on this OSA for partition 1. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp2 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP2.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP2.setDescription('The performance data on this OSA for partition 2. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp3 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP3.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP3.setDescription('The performance data on this OSA for partition 3. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp4 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP4.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP4.setDescription('The performance data on this OSA for partition 4. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp5 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP5.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP5.setDescription('The performance data on this OSA for partition 5. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp6 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP6.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP6.setDescription('The performance data on this OSA for partition 6. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp7 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP7.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP7.setDescription('The performance data on this OSA for partition 7. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp8 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP8.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP8.setDescription('The performance data on this OSA for partition 8. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp9 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 10), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP9.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP9.setDescription('The performance data on this OSA for partition 9. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp10 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 11), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP10.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP10.setDescription('The performance data on this OSA for partition 10. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp11 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP11.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP11.setDescription('The performance data on this OSA for partition 11. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp12 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 13), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP12.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP12.setDescription('The performance data on this OSA for partition 12. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp13 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 14), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP13.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP13.setDescription('The performance data on this OSA for partition 13. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp14 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 15), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP14.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP14.setDescription('The performance data on this OSA for partition 14. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_perf_data_lp15 = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 2, 1, 16), octet_string().subtype(subtypeSpec=value_size_constraint(40, 40)).setFixedLength(40)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP15.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfDataLP15.setDescription('The performance data on this OSA for partition 15. The 40 bytes of hex data that are returned are decoded the same as for partition 0.') ibm_osa_exp_pe_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3)) if mibBuilder.loadTexts: ibmOSAExpPETable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPETable.setDescription('This table provides PE information to help IBM diagnose any OSA problems.') ibm_osa_exp_pe_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: ibmOSAExpPEEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEEntry.setDescription('Definition of a single entry in the ibmOSAExpPETable. Indexed by the ifIndex of the corresponding Device interface') ibm_osa_exp_pe_max_size_arp_cache = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 214783647))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPEMaxSizeArpCache.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEMaxSizeArpCache.setDescription('The maximum size of the OSA ARP Cache') ibm_osa_exp_pe_arp_pending_entries = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 2), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPEArpPendingEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEArpPendingEntries.setDescription('This is the number of Pending entries in the ARP cache.') ibm_osa_exp_pe_arp_active_entries = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPEArpActiveEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEArpActiveEntries.setDescription('This the number of active ARP entries.') ibm_osa_exp_peip_entries = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPEIPEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEIPEntries.setDescription('The number of IP addresses known to the OSA For OSD chpids, this is the maximum # of IP addresses that are: - home ip addresses (Version 4 and Version 6) - remote ip addresses in the arp cache (Version 4 only) - multicast ip addresses that the OSA must accept inbound data packets for (Version 4 and Version 6)') ibm_osa_exp_pe_multicast_entries = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPEMulticastEntries.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEMulticastEntries.setDescription('This is the number of IP multicast addresses currently on the OSA') ibm_osa_exp_pe_multicast_data = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 3, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(3360, 3360)).setFixedLength(3360)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOSAExpPEMulticastData.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEMulticastData.setDescription('This contains information on the multicast entries that are currently on the OSA. These are in a format that is for IBM use only') ibm_osa_exp_eth_port_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4)) if mibBuilder.loadTexts: ibmOSAExpEthPortTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpEthPortTable.setDescription('This table represents the data associated with a port on an OSA-Express Gigabit or Fast Ethernet OSA.') ibm_osa_exp_eth_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: ibmOSAExpEthPortEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpEthPortEntry.setDescription('Definition of a single entry in the ibmOSAExpEthPortTable. Indexed by the ifIndex of the corresponding Device interface.') ibm_osa_exp_eth_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthPortNumber.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthPortNumber.setDescription('The physical port number for this port.') ibm_osa_exp_eth_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(65, 81))).clone(namedValues=named_values(('gigabitEthernet', 65), ('fastEthernet', 81)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthPortType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthPortType.setDescription('The physical port type.') ibm_osa_exp_eth_lan_traffic_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('undefined', 0), ('unavailable', 1), ('enabling', 2), ('disabling', 3), ('enabled', 4), ('disabled', 5), ('linkMonitor', 6), ('definitionError', 7), ('configuredOffline', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthLanTrafficState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthLanTrafficState.setDescription('The LAN state value ranges from 0 to 8. A value of 5, disabled is further explained in object ibmOsaExpEthDisabledStatus.') ibm_osa_exp_eth_service_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notInServiceMode', 0), ('inServiceMode', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthServiceMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthServiceMode.setDescription('This object indicates if the processor is in service mode or not.') ibm_osa_exp_eth_disabled_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 5), bits().clone(namedValues=named_values(('reserved0', 0), ('internalPortFailure', 1), ('reserved2', 2), ('reserved3', 3), ('reserved4', 4), ('reserved5', 5), ('portTemporarilyDisabled', 6), ('reserved7', 7), ('reserved8', 8), ('serviceProcessorRequest', 9), ('networkRequest', 10), ('osasfRequest', 11), ('configurationChange', 12), ('linkFailureThresholdExceeded', 13), ('reserved14', 14), ('reserved15', 15)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthDisabledStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthDisabledStatus.setDescription('When the value of ibmOsaExpEthLanTrafficState is NOT disabled, the value of this object will be zero. When the value of ibmOsaExpEthLanTrafficState is disabled(5), this object explains the reason for the disabled state. The value for this object may be a combination of the bits shown.') ibm_osa_exp_eth_config_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 34))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthConfigName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthConfigName.setDescription('This is the name of the configuration that is on the OSA. It is set using OSA/SF. It is not used by OSA') ibm_osa_exp_eth_config_speed_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(-1, 0, 1, 2, 3, 4, 6))).clone(namedValues=named_values(('notValidGigabit', -1), ('autoNegotiate', 0), ('tenMbHalfDuplex', 1), ('tenMbFullDuplex', 2), ('oneHundredMbHalfDuplex', 3), ('oneHundredMbFullDuplex', 4), ('oneThousandMbFullDuplex', 6)))).setUnits('Megabits per second').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthConfigSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthConfigSpeedMode.setDescription('The configured port speed. This field shows the speed that was configured by the user for the OSA-Express Fast Ethernet feature. It is not used by OSA-Express Gigabit features and will return -1 (FFFF)') ibm_osa_exp_eth_active_speed_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 6))).clone(namedValues=named_values(('unknown', 0), ('tenMbHalfDuplex', 1), ('tenMbFullDuplex', 2), ('oneHundredMbHalfDuplex', 3), ('oneHundredMbFullDuplex', 4), ('oneThousandMbFullDuplex', 6)))).setUnits('Megabits per second').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthActiveSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthActiveSpeedMode.setDescription('The actual speed and mode the OSA is running in') ibm_osa_exp_eth_mac_addr_active = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthMacAddrActive.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthMacAddrActive.setDescription('A 6 byte OCTET STRING which contains the current MAC address in use on the adapter. The values are in canonical format.') ibm_osa_exp_eth_mac_addr_burnt_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 10), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthMacAddrBurntIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthMacAddrBurntIn.setDescription('A 6 byte OCTET STRING which contains the burned in MAC address on the OSA. The values are in canonical format.') ibm_osa_exp_eth_user_data = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthUserData.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthUserData.setDescription('Data set by the user. It is ignored by the OSA.') ibm_osa_exp_eth_out_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthOutPackets.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthOutPackets.setDescription('This is the number of packets that have been transmitted by the OSA since the last time the OSA port was reset') ibm_osa_exp_eth_in_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthInPackets.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInPackets.setDescription('This is the number of packets that have been received by the OSA since the last time the OSA port was reset') ibm_osa_exp_eth_in_group_frames = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthInGroupFrames.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInGroupFrames.setDescription('This is the number of multicast frames that have been received by the OSA.') ibm_osa_exp_eth_in_broadcast_frames = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthInBroadcastFrames.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInBroadcastFrames.setDescription('This is the number of broadcast frames that have been received by the OSA.') ibm_osa_exp_eth_port_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 16), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthPortName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthPortName.setDescription('Name of the port as used by TCP/IP') ibm_osa_exp_eth_in_unknown_ip_frames = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthInUnknownIPFrames.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthInUnknownIPFrames.setDescription('This is the number of non-IP received frames') ibm_osa_exp_eth_group_addr_table = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 4, 1, 18), octet_string().subtype(subtypeSpec=value_size_constraint(256, 256)).setFixedLength(256)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpEthGroupAddrTable.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpEthGroupAddrTable.setDescription('This field contains the active Group Addresses. An individual Group Address is 6 bytes long with an additional 2 bytes of padding. There are 32 group addresses.') ibm_osa_exp_tr_port_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5)) if mibBuilder.loadTexts: ibmOSAExpTRPortTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpTRPortTable.setDescription('This table represents the data associated with a port on an OSA-Express token ring feature.') ibm_osa_exp_tr_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: ibmOSAExpTRPortEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpTRPortEntry.setDescription('Definition of a single entry in the ibmOSAExpTRPortTable. Indexed by the ifIndex of the corresponding Device interface.') ibm_osa_exp_tr_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRPortNumber.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPortNumber.setDescription('The physical port number for this port.') ibm_osa_exp_tr_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(82))).clone(namedValues=named_values(('tokenring', 82)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRPortType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPortType.setDescription('The physical port type.') ibm_osa_exp_tr_lan_traffic_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('undefined', 0), ('unavailable', 1), ('enabling', 2), ('disabling', 3), ('enabled', 4), ('disabled', 5), ('linkMonitor', 6), ('definitionError', 7), ('configuredOffline', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRLanTrafficState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLanTrafficState.setDescription('The LAN state value ranges from 0 to 8. A value of 5, disabled is further explained in object ibmOsaExpTRDisabledStatus') ibm_osa_exp_tr_service_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notInServiceMode', 0), ('inServiceMode', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRServiceMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRServiceMode.setDescription('This object indicates if the processor is in service mode or not.') ibm_osa_exp_tr_disabled_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 5), bits().clone(namedValues=named_values(('reserved0', 0), ('internalPortFailure', 1), ('reserved2', 2), ('reserved3', 3), ('reserved4', 4), ('reserved5', 5), ('portTemporarilyDisabled', 6), ('reserved7', 7), ('reserved8', 8), ('serviceProcessorRequest', 9), ('networkRequest', 10), ('osasfRequest', 11), ('configurationChange', 12), ('linkFailureThresholdExceeded', 13), ('reserved14', 14), ('reserved15', 15)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRDisabledStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRDisabledStatus.setDescription('When the value of ibmOsaExpTRLanTrafficState is NOT disabled, the value of this object will be zero. When the value of ibmOsaExpTRLanTrafficState is disabled(5), this object explains the reason for the disabled state. The value for this object may be a combination of the bits shown.') ibm_osa_exp_tr_config_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 34))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRConfigName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRConfigName.setDescription('This is the name of the configuration that is on the OSA. It is set using OSA/SF. It is not used by OSA') ibm_osa_exp_tr_mac_addr_active = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRMacAddrActive.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRMacAddrActive.setDescription('A 6 byte OCTET STRING which contains the current MAC address in use on the OSA.') ibm_osa_exp_tr_mac_addr_burnt_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRMacAddrBurntIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRMacAddrBurntIn.setDescription('A 6 byte OCTET STRING which contains the burned in MAC address on the OSA') ibm_osa_exp_tr_config_speed_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 6))).clone(namedValues=named_values(('autoNegotiate', 0), ('fourMbHalfDuplex', 1), ('fourMbFullDuplex', 2), ('sixteenMbHalfDuplex', 3), ('sixteenMbFullDuplex', 4), ('oneHundredMbFullDuplex', 6)))).setUnits('Megabits per second').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRConfigSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRConfigSpeedMode.setDescription('The configured port speed. This field shows the speed that was configured by the user for the OSA-Express Token Ring feature.') ibm_osa_exp_tr_active_speed_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 6))).clone(namedValues=named_values(('unknown', 0), ('fourMbHalfDuplex', 1), ('fourMbFullDuplex', 2), ('sixteenMbHalfDuplex', 3), ('sixteenMbFullDuplex', 4), ('oneHundredMbFullDuplex', 6)))).setUnits('Megabits per second').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRActiveSpeedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRActiveSpeedMode.setDescription('The actual speed and mode the OSA is running in') ibm_osa_exp_tr_user_data = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRUserData.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRUserData.setDescription('Data set by the user. It is ignored by the OSA.') ibm_osa_exp_tr_port_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRPortName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPortName.setDescription('Name of the port as used by TCP/IP') ibm_osa_exp_tr_group_addr_table = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 13), octet_string().subtype(subtypeSpec=value_size_constraint(256, 256)).setFixedLength(256)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRGroupAddrTable.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRGroupAddrTable.setDescription('This field contains the active Group Addresses. An individual Group Address is 6 bytes long with an additional 2 bytes of padding.') ibm_osa_exp_tr_functional_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 14), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRFunctionalAddr.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRFunctionalAddr.setDescription("A 4 byte OCTET STRING which contains the OSA-Express's functional address.") ibm_osa_exp_tr_ring_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 15), bits().clone(namedValues=named_values(('reserved0', 0), ('reserved1', 1), ('reserved2', 2), ('reserved3', 3), ('reserved4', 4), ('reserved5', 5), ('reserved6', 6), ('reserved7', 7), ('reserved8', 8), ('reserved9', 9), ('reserved10', 10), ('reserved11', 11), ('reserved12', 12), ('reserved13', 13), ('noStatusOpenNotCompleted', 14), ('reserved15', 15), ('signalLoss', 16), ('hardError', 17), ('softError', 18), ('reserved19', 19), ('lobeWireFault', 20), ('autoRemovalError', 21), ('fdxProtocol', 22), ('removeReceived', 23), ('counterOverflow', 24), ('singleStation', 25), ('ringRecovery', 26), ('sRCounterOverflow', 27), ('reserved29', 28), ('openInFDXmode', 29), ('fourMbFullDuplex', 30), ('fourMbHalfDuplex', 31)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRRingStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRingStatus.setDescription("The current interface status which can be used to diagnose fluctuating problems that can occur on token rings after a station has successfully been added to the ring. Before an open is completed, this object has the value for the 'noStatusOpenNotCompleted' condition. The ibmOsaExpTRRingState and ibmOsaExpTRRingOpenStatus objects provide for debugging problems when the station can not even enter the ring. The object's value is a sum of values, one for each currently applicable condition. This information is essentially from RFC 1231.") ibm_osa_exp_tr_allow_access_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 16), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRAllowAccessPriority.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRAllowAccessPriority.setDescription('This field contains the maximum token priority the ring station defined by this entry in the table is permitted to transmit.') ibm_osa_exp_tr_early_token_release = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('true', 0), ('false', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTREarlyTokenRelease.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTREarlyTokenRelease.setDescription('Indicates if the ring station supports early token release. Only valid when port is running in 16Mb half duplex mode. Otherwise it is always set to false (1)') ibm_osa_exp_tr_beaconing_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 18), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRBeaconingAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRBeaconingAddress.setDescription('This field contains the node address of the NAUN as reported in the most recently received Beacon MAC frame. This field is valid when ibmOsaExpTRRingOpenStatus is set to beaconing. Otherwise it is ignored') ibm_osa_exp_tr_upstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 19), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRUpstreamNeighbor.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRUpstreamNeighbor.setDescription('The MAC-address of the up stream neighbor station in the ring (NAUN).') ibm_osa_exp_tr_ring_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('opened', 1), ('closed', 2), ('opening', 3), ('closing', 4), ('openFailure', 5), ('ringFailure', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRRingState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRingState.setDescription('The current interface state with respect to entering or leaving the ring.') ibm_osa_exp_tr_ring_open_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26))).clone(namedValues=named_values(('noOpen', 1), ('badParameter', 2), ('lobeFailed', 3), ('signalLoss', 4), ('insertionTimeout', 5), ('ringFailed', 6), ('beaconing', 7), ('duplicateMAC', 8), ('requestFailed', 9), ('removeReceived', 10), ('open', 11), ('sARecFrameNotEqualNAUNs', 12), ('claimTokenRec', 13), ('ringPurgeFramRec', 14), ('activeMonPresRec', 15), ('standbyMonPresRec', 16), ('accessProtocolDenied', 17), ('fDXInsDeniedDACfailOnOpen', 18), ('fDXInsDeniedDACfailOnBeaconTest', 19), ('beaconBeforeOpen', 20), ('insertTimerExpDuringDAC', 21), ('insertTimerExpDuringBeaconTest', 22), ('lobeMedizTestFailure', 23), ('heartbeatFailBeforeOpenCompleted', 24), ('heartbeatFailDuringBeaconTest', 25), ('recBeaconFrameWithInvalidSA', 26)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRRingOpenStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRingOpenStatus.setDescription("This object indicates the success, or the reason for failure of the station's most recent attempt to enter the ring.") ibm_osa_exp_tr_packets_transmitted = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 22), counter32()).setUnits('packets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRPacketsTransmitted.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPacketsTransmitted.setDescription('This field contains the count of the total number of packets transmitted from this port since the OSA port was reset') ibm_osa_exp_tr_packets_received = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 23), counter32()).setUnits('packets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRPacketsReceived.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRPacketsReceived.setDescription('This field contains the count of the total number of packets received by this port since the OSA port was reset') ibm_osa_exp_tr_line_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRLineErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLineErrorCount.setDescription('This counter is incremented when a frame or token is copied or repeated by a station, the E bit is zero in the frame or token and one of the following conditions exists: 1) there is a non-data bit (J or K bit) between the SD and the ED of the frame or token, or 2) there is an FCS error in the frame.') ibm_osa_exp_tr_burst_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRBurstErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRBurstErrorCount.setDescription('This counter is incremented when a station detects the absence of transitions for five half-bit timers (burst-five error).') ibm_osa_exp_trac_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRACErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRACErrorCount.setDescription('This counter is incremented when a station receives an AMP or SMP frame in which A is equal to C is equal to 0, and then receives another SMP frame with A is equal to C is equal to 0 without first receiving an AMP frame. It denotes a station that cannot set the AC bits properly.') ibm_osa_exp_tr_abort_trans_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRAbortTransErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRAbortTransErrorCount.setDescription('This counter is incremented when a station transmits an abort delimiter while transmitting.') ibm_osa_exp_tr_internal_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRInternalErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRInternalErrorCount.setDescription('This counter is incremented when a station recognizes an internal error.') ibm_osa_exp_tr_lost_frame_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRLostFrameErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLostFrameErrorCount.setDescription('This counter is incremented when a station is transmitting and its TRR timer expires. This condition denotes a condition transmitting station in strip mode does not receive the trailer of the frame TRR timer goes off.') ibm_osa_exp_tr_rcv_congestion_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRRcvCongestionCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRcvCongestionCount.setDescription('This counter is incremented when a station recognizes a frame addressed to its specific address, but has no available buffer space indicating that the station is congested.') ibm_osa_exp_tr_frame_copy_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 31), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRFrameCopyErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRFrameCopyErrorCount.setDescription('This counter is incremented when a station recognizes a frame addressed to its specific address and detects that the FS field A bits are set to 1 indicating a possible line hit or duplicate address.') ibm_osa_exp_tr_token_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 32), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRTokenErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRTokenErrorCount.setDescription('This counter is incremented when a station acting as the active monitor recognizes an error condition that needs a token transmitted.') ibm_osa_exp_tr_full_duplex_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 33), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRFullDuplexErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRFullDuplexErrorCount.setDescription('An error has been detected by the FDX protocol') ibm_osa_exp_tr_soft_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 34), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRSoftErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRSoftErrorCount.setDescription('The number of Soft Errors the interface has detected. It directly corresponds to the number of Report Error MAC frames that this interface has transmitted. Soft Errors are those which are recoverable by the MAC layer protocols.') ibm_osa_exp_tr_hard_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 35), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRHardErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRHardErrorCount.setDescription('The number of times this interface has detected an immediately recoverable fatal error. It denotes the number of times this interface is either transmitting or receiving beacon MAC frames.') ibm_osa_exp_tr_signal_loss_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 36), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRSignalLossErrorCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRSignalLossErrorCount.setDescription('The number of times this interface has detected the loss of signal condition from the ring.') ibm_osa_exp_tr_transmit_beacon_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 37), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRTransmitBeaconCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRTransmitBeaconCount.setDescription('The number of times this interface has transmitted a beacon frame.') ibm_osa_exp_tr_recovery_counter = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 38), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRRecoveryCounter.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRecoveryCounter.setDescription('The number of Claim Token MAC frames received or transmitted after the interface has received a frame Ring Ring Purge MAC counter signifies the number of times the ring has been purged and is being recovered back into a normal operating state.') ibm_osa_exp_tr_lobe_wire_fault_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 39), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRLobeWireFaultCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRLobeWireFaultCount.setDescription('The number of times the interface has detected an open or short circuit in the lobe data path. The adapter will be closed and ibmOsaExpTRRingState will signify this condition.') ibm_osa_exp_tr_remove_received_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 40), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRRemoveReceivedCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRRemoveReceivedCount.setDescription('The number of times the interface has received a Remove Ring Station MAC frame request. When this frame is received the interface will enter the closed state and ibmOsaExpTRRingState will signify this condition.') ibm_osa_exp_tr_single_station_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 5, 1, 41), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpTRSingleStationCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpTRSingleStationCount.setDescription('The number of times the interface has sensed that it is the only station on the ring. This will happen if the interface is the first one up on a ring, or if there is a hardware problem.') ibm_osa_exp_atm_port_table = mib_table((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7)) if mibBuilder.loadTexts: ibmOSAExpATMPortTable.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpATMPortTable.setDescription('This table represents the data associated with an emulated Ethernet port on an OSA-Express ATM feature. There are a maximum of 2 logical ports on each ATM feature, however, each port is shown as though it exists independently with each having an entry in the ibmOSAExpChannelTable.') ibm_osa_exp_atm_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: ibmOSAExpATMPortEntry.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpATMPortEntry.setDescription('Definition of a single entry in the ibmOSAExpATMPortTable. Indexed by the ifIndex of the corresponding Device interface.') ibm_osa_exp_atm_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMPortNumber.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPortNumber.setDescription('The logical port number of this port') ibm_osa_exp_atm_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(17))).clone(namedValues=named_values(('emulatedEthernet', 17)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMPortType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPortType.setDescription('The logical port type.') ibm_osa_exp_atm_lan_traffic_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('undefined', 0), ('unavailable', 1), ('enabling', 2), ('disabling', 3), ('enabled', 4), ('disabled', 5), ('linkMonitor', 6), ('definitionError', 7), ('configuredOffline', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLanTrafficState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLanTrafficState.setDescription('The LAN state value ranges from 0 to 8. A value of 5, disabled is further explained in object ibmOsaExpATMDisabledStatus.') ibm_osa_exp_atm_service_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notInServiceMode', 0), ('inServiceMode', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMServiceMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMServiceMode.setDescription('This object indicates if the processor is in service mode or not.') ibm_osa_exp_atm_disabled_status = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 5), bits().clone(namedValues=named_values(('reserved0', 0), ('internalPortFailure', 1), ('reserved2', 2), ('reserved3', 3), ('reserved4', 4), ('reserved5', 5), ('portTemporarilyDisabled', 6), ('reserved7', 7), ('reserved8', 8), ('serviceProcessorRequest', 9), ('networkRequest', 10), ('osasfRequest', 11), ('configurationChange', 12), ('linkFailureThresholdExceeded', 13), ('reserved14', 14), ('reserved15', 15)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMDisabledStatus.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMDisabledStatus.setDescription('When the value of ibmOsaExpATMLanTrafficState is NOT disabled, the value of this object will be zero. When the value of ibmOsaExpATMLanTrafficState is disabled(5), this object explains the reason for the disabled state. The value for this object may be a combination of the bits shown.') ibm_osa_exp_atm_config_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 34))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigName.setDescription('This is the name of the configuration that is on the OSA. It is set using OSA/SF. It is not used by OSA') ibm_osa_exp_atm_mac_addr_active = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMacAddrActive.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMacAddrActive.setDescription('A 6 byte OCTET STRING which contains the current MAC address in use on the OSA. The values are in canonical format.') ibm_osa_exp_atm_mac_addr_burnt_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMacAddrBurntIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMacAddrBurntIn.setDescription('A 6 byte OCTET STRING which contains the burned in MAC address on the OSA. The values are in canonical format.') ibm_osa_exp_atm_user_data = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMUserData.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMUserData.setDescription('Data set by the user. It is ignored by the OSA.') ibm_osa_exp_atm_port_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMPortName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPortName.setDescription('Name of the port as used by TCP/IP') ibm_osa_exp_atm_group_mac_addr_table = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 13), octet_string().subtype(subtypeSpec=value_size_constraint(256, 256)).setFixedLength(256)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMGroupMacAddrTable.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMGroupMacAddrTable.setDescription('This field contains the active Group Addresses. An individual Group Address is 6 bytes long with an additional 2 bytes of padding.') ibm_osa_exp_atmibm_enhanced_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMIBMEnhancedMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMIBMEnhancedMode.setDescription('When set to Yes, this keeps data connections active when the connection to the LES is lost.') ibm_osa_exp_atm_best_effort_peak_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 15), integer32()).setUnits('Megabytes per second').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMBestEffortPeakRate.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMBestEffortPeakRate.setDescription('Values range from 10-1550 and must be divided by 10 to get the proper value. A value of 1550 indicates 155.0 Mbytes/sec') ibm_osa_exp_atm_config_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('automatic', 1), ('manual', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigMode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigMode.setDescription('Indicates whether this LAN Emulation Client should auto-configure the next time it is (re)started. In automatic (1) mode, a client uses a LAN Emulation Configuration Server to learn the ATM address of its LAN Emulation Server, and to obtain other parameters. lecConfig (LanType, MaxDataFrameSize, LanName) are used in the configure request. ibmOsaExpATMConfigLESATMAddress is ignored. In manual (2) mode, management tells the client the ATM address of its LAN Emulation Server and the value of the other parmeters. lecConfig (LanType, MaxDataFrameSize, LanName) are used in the Join request. ibmOsaExpATMConfigLESATMAddress tells the client which LES to call.') ibm_osa_exp_atm_config_lan_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(17))).clone(namedValues=named_values(('emulatedEthernet', 17)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigLanType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigLanType.setDescription('The logical port type that the user configured the port for') ibm_osa_exp_atm_actual_lan_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(17))).clone(namedValues=named_values(('emulatedEthernet', 17)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMActualLanType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualLanType.setDescription('The actual logical port type the port is running in') ibm_osa_exp_atm_config_max_data_frm_sz = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('unspecified', 1), ('f1516', 2), ('f4544', 3), ('f9234', 4), ('f18190', 5)))).setUnits('bytes').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigMaxDataFrmSz.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigMaxDataFrmSz.setDescription('The maximum data frame size (in bytes) which this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibm_osa_exp_atm_actual_max_data_frm_sz = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('unspecified', 1), ('f1516', 2), ('f4544', 3), ('f9234', 4), ('f18190', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMActualMaxDataFrmSz.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualMaxDataFrmSz.setDescription('The maximum data frame size (in bytes) which this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibm_osa_exp_atm_config_elan_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(0, 36))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigELANName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigELANName.setDescription('The ELAN Name this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibm_osa_exp_atm_actual_elan_name = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 22), display_string().subtype(subtypeSpec=value_size_constraint(0, 36))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMActualELANName.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualELANName.setDescription('The ELAN Name this client will use the next time it returns to the Initial State. Auto-configuring clients use this parameter in their configure requests. Manually configured clients use it in their join requests.') ibm_osa_exp_atm_config_lesatm_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 23), octet_string().subtype(subtypeSpec=value_size_constraint(20, 20)).setFixedLength(20)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigLESATMAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigLESATMAddress.setDescription("The LAN Emulation Server which this client will use the next time it is started in manual configuration mode. When ibmOsaExpATMConfigMode is 'automatic', there is no need to set this address, Address) and no advantage to doing so. The client will use the LECS to find a LES, putting the auto-configured address in ibmOsaExpATMActualLESATMAddress while leaving ibmOsaExpATMConfigLESATMAddress alone. Corresponds to Initial State Parameter C9. In LAN Emulation MIB, the OCTET STRING has length 0 or 20. For OSA, the length shall be 20, with the value 0 defined to mean that ibmOsaExpATMConfigMode is 'automatic'.") ibm_osa_exp_atm_actual_lesatm_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 24), octet_string().subtype(subtypeSpec=value_size_constraint(20, 20)).setFixedLength(20)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMActualLESATMAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMActualLESATMAddress.setDescription("The LAN Emulation Server which this client will use the next time it is started in manual configuration mode. When lecConfigMode is 'automatic', there is no need to set this address, Address) and no advantage to doing so. The client will use the LECS to find a LES, putting the auto-configured address in ibmOsaExpATMActualLESATMAddress while leaving ibmOsaExpATMConfigLESATMAddress alone. Corresponds to Initial State Parameter C9. In LAN Emulation MIB, the OCTET STRING has length 0 or 20. For OSA, the length shall be 20, with the value 0 defined to mean that ibmOsaExpATMConfigMode is 'automatic'.") ibm_osa_exp_atm_control_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 25), integer32().subtype(subtypeSpec=value_range_constraint(10, 300))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlTimeout.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlTimeout.setDescription('Control Time-out. Time out period used for timing out most request/response control frame interactions, as specified elsewhere in the LAN Emulation specification. This time value is expressed in seconds. Corresponds to Initial State Parameter C7.') ibm_osa_exp_atm_max_unknown_frame_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameCount.setDescription('Maximum Unknown Frame Count. See the description of ibmOsaExpATMMaxUnknownFrameTime below. Corresponds to Initial State Parameter C10.') ibm_osa_exp_atm_max_unknown_frame_time = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 27), integer32().subtype(subtypeSpec=value_range_constraint(1, 60))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMaxUnknownFrameTime.setDescription('Maximum Unknown Frame Time. Within the period of time defined by the Maximum Unknown Frame Time, a LE Client will send no more than Maximum Unknown Frame Count frames to the BUS for a given unicast LAN Destination, and it must also initiate the address resolution protocol to resolve that LAN Destination. This time value is expressed in seconds. Corresponds to Initial State Parameter C11.') ibm_osa_exp_atmvcc_timeout_period = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 28), integer32()).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMVCCTimeoutPeriod.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMVCCTimeoutPeriod.setDescription('VCC Time-out Period. A LE Client SHOULD release any Data Direct VCC that it has not used to transmit or receive any data frames for the length of the VCC Time-out Period. This parameter is only meaningful for SVC Data Direct VCCs. This time value is expressed in seconds. The default value is 20 minutes. A value of 0 seconds means that the timeout period is infinite. Negative values will be rejected by the agent. Corresponds to Initial State Parameter C12.') ibm_osa_exp_atm_max_retry_count = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMaxRetryCount.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMaxRetryCount.setDescription("Maximum Retry Count. A LE CLient MUST not retry a LE_ARP_REQUEST for a given frame's LAN destination more than Maximum Retry Count times, after the first LE_ARP_REQUEST for that same frame's LAN destination. Corresponds to Initial State Parameter C13.") ibm_osa_exp_atm_aging_time = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 30), integer32().subtype(subtypeSpec=value_range_constraint(10, 300))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMAgingTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMAgingTime.setDescription('Aging Time. The maximum time that a LE Client will maintain an entry in its LE_ARP cache in the absence of a verification of that relationship. This time value is expressed in seconds. Corresponds to Initial State Parameter C17.') ibm_osa_exp_atm_forward_delay_time = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 31), integer32().subtype(subtypeSpec=value_range_constraint(4, 30))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMForwardDelayTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMForwardDelayTime.setDescription('Forward Delay Time. The maximum time that a LE Client will maintain an entry for a non-local MAC address in its LE_ARP cache in the absence of a verification of that relationship, as long as the Topology Change flag C19 is true. ibmOsaExpATMForwardDelayTime SHOULD BE less than ibmOsaExpATMAgingTIme. When it is not, ibmOsaExpATMAgingTime governs LE_ARP aging. This time value is expressed in seconds. Corresponds to Initial State Parameter C18.') ibm_osa_exp_atm_expected_arp_resp_time = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 32), integer32().subtype(subtypeSpec=value_range_constraint(1, 30))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMExpectedARPRespTime.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMExpectedARPRespTime.setDescription('Expected LE_ARP Reponse Time. The maximum time that the LEC expects an LE_ARP_REQUEST/LE_ARP_RESPONSE cycle to take. Used for retries and verifies. This time value is expressed in seconds. Corresponds to Initial State Parameter C20.') ibm_osa_exp_atm_flush_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 33), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMFlushTimeout.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMFlushTimeout.setDescription('Flush Time-out. Time limit to wait to receive a LE_FLUSH_RESPONSE after the LE_FLUSH_REQUEST has been sent before taking recovery action. This time value is expressed in seconds. Corresponds to Initial State Parameter C21.') ibm_osa_exp_atm_path_switching_delay = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 34), integer32().subtype(subtypeSpec=value_range_constraint(1, 8))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMPathSwitchingDelay.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMPathSwitchingDelay.setDescription('Path Switching Delay. The time since sending a frame to the BUS after which the LE Client may assume that the frame has been either discarded or delivered to the recipient. May be used to bypass the Flush protocol. This time value is expressed in seconds. Corresponds to Initial State Parameter C22.') ibm_osa_exp_atm_local_segment_id = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 35), integer32().subtype(subtypeSpec=value_range_constraint(0, 4095))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLocalSegmentID.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLocalSegmentID.setDescription('Local Segment ID. The segment ID of the emulated LAN. This is only required for IEEE 802.5 clients that are Source Routing bridges. Corresponds to Initial State Parameter C23.') ibm_osa_exp_atm_mltcst_send_vcc_type = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 36), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('bestEffort', 1), ('variableBitRate', 2), ('constantBitRate', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCType.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCType.setDescription('Multicast Send VCC Type. Signalling parameter that SHOULD be used by the LE Client when establishing the Multicast Send VCC. This is the method to be used by the LE Client when specifying traffic parameters when it sets up the Multicast Send VCC for this emulated LAN. Corresponds to Initial State Parameter C24.') ibm_osa_exp_atm_mltcst_send_vcc_avg_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 37), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCAvgRate.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMltcstSendVCCAvgRate.setDescription('Multicast Send VCC AvgRate. Signalling parameter that SHOULD be used by the LE Client when estabishing the Multicast Send VCC. Forward and Backward Sustained Cell Rate to be requested by LE Client when setting up Multicast Send VCC, if using Variable bit rate codings. Corresponds to Initial State Parameter C25.') ibm_osa_exp_atm_mcast_send_vcc_peak_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 38), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMcastSendVCCPeakRate.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMcastSendVCCPeakRate.setDescription('Multicast Send VCC PeakRate. Signalling parameter that SHOULD be used by the LE Client when establishing the Multicast Send VCC. Forward and Backward Peak Cell Rate to be requested by LE Client when setting up the Multicast Send VCC when using either Variable or Constant bit rate codings. Corresponds to Initial State Parameter C26.') ibm_osa_exp_atm_connect_complete_timer = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 39), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConnectCompleteTimer.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConnectCompleteTimer.setDescription('Connection Complete Timer. Optional. In Connection Establish ment this is the time period in which data or a READY_IND message is expected from a Calling Party. This time value is expressed in seconds. Corresponds to Initial State Parameter C28.') ibm_osa_exp_atm_client_atm_address = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 40), octet_string().subtype(subtypeSpec=value_size_constraint(20, 20)).setFixedLength(20)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMClientATMAddress.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMClientATMAddress.setDescription("LE Client's ATM Addresses. The primary ATM address of this LAN Emulation Client. This address is used to establish the Control Direct and Multicast Send VCCs, and may also be used to set up Data Direct VCCs. A client may have additional ATM addresses for use with Data Direct VCCs. Corresponds to Initial State Parameter C1.") ibm_osa_exp_atm_client_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 41), integer32().subtype(subtypeSpec=value_range_constraint(0, 65279))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMClientIdentifier.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMClientIdentifier.setDescription("LE Client Identifier. Each LE Client requires a LE Client Identifier (LECID) assigned by the LE Server during the Join phase. The LECID is placed in control requests by the LE Client and MAY be used for echo suppression on multicast data frames sent by that LE Client. This value MUST NOT change without terminating the LE Client and returning to the Initial state. A valid LECID MUST be in the range X'0001' through X'FEFF'. The value of this object is only meaningful for a LEC that is connected to a LES. For a LEC which does not belong to an emulated LAN, the value of this object is defined to be 0. Corresponds to Initial State Parameter C14.") ibm_osa_exp_atm_client_current_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 42), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('initialState', 1), ('lecsConnect', 2), ('configure', 3), ('join', 4), ('initialRegistration', 5), ('busConnect', 6), ('operational', 7)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMClientCurrentState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMClientCurrentState.setDescription("The current state of the LAN Emulation Client. Note that 'ifOperStatus' is defined to be 'up' when, and only when, this field is 'operational'.") ibm_osa_exp_atm_last_failure_resp_code = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('none', 1), ('timeout', 2), ('undefinedError', 3), ('versionNotSupported', 4), ('invalidRequestParameters', 5), ('duplicateLanDestination', 6), ('duplicateAtmAddress', 7), ('insufficientResources', 8), ('accessDenied', 9), ('invalidRequesterId', 10), ('invalidLanDestination', 11), ('invalidAtmAddress', 12), ('noConfiguration', 13), ('leConfigureError', 14), ('insufficientInformation', 15)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLastFailureRespCode.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLastFailureRespCode.setDescription("Status code from the last failed Configure response or Join response. Failed responses are those for which the LE_CONFIGURE_RESPONSE / LE_JOIN_RESPONSE frame contains a non-zero code, or fails to arrive within a timeout period. If none of this client's requests have failed, this object has the value 'none'. If the failed response contained a STATUS code that is not defined in the LAN Emulation specification, this object has the value 'undefinedError'. The value 'timeout' is self explanatory. Other failure codes correspond to those defined in the specification, although they may have different numeric values.") ibm_osa_exp_atm_last_failure_state = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 44), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('initialState', 1), ('lecsConnect', 2), ('configure', 3), ('join', 4), ('initialRegistration', 5), ('busConnect', 6), ('operational', 7)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLastFailureState.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLastFailureState.setDescription("The state this client was in when it updated the 'ibmOsaExpATMLastFailureRespCode'. If 'ibmOsaExpATMLastFailureRespCode' is 'none', this object has the value initialState(1).") ibm_osa_exp_atm_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 45), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMProtocol.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMProtocol.setDescription('The LAN Emulation protocol which this client supports, and specifies in its LE_JOIN_REQUESTs.') ibm_osa_exp_atm_le_version = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 46), integer32().subtype(subtypeSpec=value_range_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLeVersion.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeVersion.setDescription('The LAN Emulation protocol version which this client supports, and specifies in its LE_JOIN_REQUESTs.') ibm_osa_exp_atm_topology_change = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 47), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMTopologyChange.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMTopologyChange.setDescription("Topology Change. Boolean indication that the LE Client is using the Forward Delay Time C18, instead of the Aging Time C17, to age non-local entries in its LE_ARP cache C16. For a client which is not connected to the LES, this object is defined to have the value 'false'. Corresponds to Initial State Parameter C19.") ibm_osa_exp_atm_config_server_atm_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 48), octet_string().subtype(subtypeSpec=value_size_constraint(20, 20)).setFixedLength(20)).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigServerATMAddr.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigServerATMAddr.setDescription('The ATM address of the LAN Emulation Configuration Server (if known) or 0 (otherwise). In LAN Emulation MIB, the OCTET STRING is either 0 length or 20 octets. For OSA-ATM, this Address has been changed to a constant 20 octets, with the value 0 equivalent to the 0 length OCTET STRING.') ibm_osa_exp_atm_config_source = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 49), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('gotAddressViaIlmi', 1), ('usedWellKnownAddress', 2), ('usedLecsPvc', 3), ('didNotUseLecs', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigSource.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigSource.setDescription('Indicates whether this LAN Emulation Client used the LAN Emulation Configuration Server, and, if so, what method it used to establish the Configuration Direct VCC') ibm_osa_exp_atm_proxy_client = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 50), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMProxyClient.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMProxyClient.setDescription('Indicates whether this client is acting as a proxy. Proxy clients are allowed to represent unregistered MAC addresses, and receive copies of LE_ARP_REQUEST frames for such addresses. Corresponds to Initial State Parameter C4.') ibm_osa_exp_atm_le_pdu_octets_inbound = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 51), counter64()).setUnits('octets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsInbound.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsInbound.setDescription('The number of Le PDU Octets received') ibm_osa_exp_atm_non_err_le_pdu_disc_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 52), counter32()).setUnits('octets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscIn.setDescription('The number of Non Error Le PDU Octets received') ibm_osa_exp_atm_err_le_pdu_disc_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 53), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscIn.setDescription('The number of Errored Le PDU Discards received') ibm_osa_exp_atm_le_pdu_octets_outbound = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 54), counter64()).setUnits('octets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsOutbound.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLePDUOctetsOutbound.setDescription('The number of Le PDU Discards sent') ibm_osa_exp_atm_non_err_le_pdu_disc_out = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 55), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMNonErrLePDUDiscOut.setDescription('The number of Non Error Le PDU Discards sent') ibm_osa_exp_atm_err_le_pdu_disc_out = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 56), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMErrLePDUDiscOut.setDescription('The number of Errored Le PDU Discards sent') ibm_osa_exp_atm_le_arp_requests_out = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 57), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsOut.setDescription('The number of LE ARP Requests sent') ibm_osa_exp_atm_le_arp_requests_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 58), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRequestsIn.setDescription('The number of LE ARP Requests received over the LUNI by this LAN Emulation Client. Requests may arrive on the Control Direct VCC or on the Control Distribute VCC, depending upon how the LES is implemented and the chances it has had for learning. This counter covers both VCCs.') ibm_osa_exp_atm_le_arp_replies_out = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 59), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesOut.setDescription('The number of LE ARP Responses sent over the LUNI by this LAN Emulation Client.') ibm_osa_exp_atm_le_arp_replies_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 60), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMLeARPRepliesIn.setDescription('The number of LE ARP Responses received over the LUNI by this LAN Emulation Client. This count includes all such replies, whether solicited or not. Replies may arrive on the Control Direct VCC or on the Control Distribute VCC, depending upon how the LES is implemented. This counter covers both VCCs.') ibm_osa_exp_atm_control_frames_out = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 61), counter32()).setUnits('packets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlFramesOut.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlFramesOut.setDescription('The total number of control packets sent by this LAN Emulation Client over the LUNI.') ibm_osa_exp_atm_control_frames_in = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 62), counter32()).setUnits('packets').setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlFramesIn.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlFramesIn.setDescription('The total number of control packets received by this LAN Emulation Client over the LUNI.') ibm_osa_exp_atmsvc_failures = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 63), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMSVCFailures.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMSVCFailures.setDescription('The total number of outgoing LAN Emulation SVCs which this client tried, but failed, to open; incoming LAN Emulation SVCs which this client tried, but failed to establish; and incoming LAN Emulation SVCs which this client rejected for protocol or security reasons.') ibm_osa_exp_atm_config_direct_intfc = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 64), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectIntfc.setDescription('The interface associated with the Configuration Direct VCC. If no Configuration Direct VCC exists, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMConfigDirectIntfc, ibmOsaExpATMConfigDirectVPI, ibmOsaExpATMConfigDirectVCI) identify the circuit.') ibm_osa_exp_atm_config_direct_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 65), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVPI.setDescription('If the Configuration Direct VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_config_direct_vci = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 66), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMConfigDirectVCI.setDescription('If the Configuration Direct VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_control_direct_intfc = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 67), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectIntfc.setDescription('The interface associated with the Control Direct VCC. If no Control Direct VCC exists, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMConfigDirectIntfc, ibmOsaExpATMConfigDirectVPI, ibmOsaExpATMConfigDirectVCI) identify the circuit.') ibm_osa_exp_atm_control_direct_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 68), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVPI.setDescription('If the Control Direct VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_control_direct_vci = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 69), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDirectVCI.setDescription('If the Control Direct VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_control_dist_intfc = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 70), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlDistIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDistIntfc.setDescription('The interface associated with the Control Distribute VCC. If no Control Distribute VCC has been set up to this client, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMControlDistIntfc, ibmOsaExpATMControlDistributeVPI. ibmOsaExpATMControlDistributeVCI) identify the circuit.') ibm_osa_exp_atm_control_distribute_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 71), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVPI.setDescription('If the Control Distribute VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_control_distribute_vci = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 72), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMControlDistributeVCI.setDescription('If the Control Distribute VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object contains the value 0.') ibm_osa_exp_atm_multicast_send_intfc = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 73), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendIntfc.setDescription('The interface associated with the Multicast Send VCC. If no Multicast Send VCC exists, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMMulticastSendIntfc, ibmOsaExpATMMulticastSendVPI, ibmOsaExpATMMulticastSendVCI) identify the circuit.') ibm_osa_exp_atm_multicast_send_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 74), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVPI.setDescription('If the Multicast Send VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_multicast_send_vci = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 75), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastSendVCI.setDescription('If the Multicast Send VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_multicast_fwd_intfc = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 76), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMulticastFwdIntfc.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastFwdIntfc.setDescription('The interface associated with the Multicast Forward VCC. If no Multicast Forward VCC has been set up to this client, this object has the value 0. Otherwise, the objects ( ibmOsaExpATMMulticastFwdIntfc, ibmOsaExpATMMulticastForwardVPI, ibmOsaExpATMMulticastForwardVCI) identify the circuit.') ibm_osa_exp_atm_multicast_forward_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 77), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVPI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVPI.setDescription('If the Multicast Forward VCC exists, this object contains the VPI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_exp_atm_multicast_forward_vci = mib_table_column((1, 3, 6, 1, 4, 1, 2, 6, 188, 1, 7, 1, 78), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVCI.setStatus('current') if mibBuilder.loadTexts: ibmOsaExpATMMulticastForwardVCI.setDescription('If the Multicast Forward VCC exists, this object contains the VCI which identifies that VCC at the point where it connects to this LE client. Otherwise, this object has the value 0.') ibm_osa_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 1)) ibm_osa_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2)) ibm_osa_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 1, 1)).setObjects(('IBM-OSA-MIB', 'ibmOSAExpChannelGroup'), ('IBM-OSA-MIB', 'ibmOSAExpPerfGroup'), ('IBM-OSA-MIB', 'ibmOSAExpPEGroup'), ('IBM-OSA-MIB', 'ibmOSAExpEthGroup'), ('IBM-OSA-MIB', 'ibmOSAExpTRGroup'), ('IBM-OSA-MIB', 'ibmOSAExpATMGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_mib_compliance = ibmOSAMibCompliance.setStatus('current') if mibBuilder.loadTexts: ibmOSAMibCompliance.setDescription('The compliance statement for the OSA DIrect SNMP product.') ibm_osa_exp_channel_group = object_group((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 1)).setObjects(('IBM-OSA-MIB', 'ibmOSAExpChannelNumber'), ('IBM-OSA-MIB', 'ibmOSAExpChannelType'), ('IBM-OSA-MIB', 'ibmOSAExpChannelHdwLevel'), ('IBM-OSA-MIB', 'ibmOSAExpChannelSubType'), ('IBM-OSA-MIB', 'ibmOSAExpChannelShared'), ('IBM-OSA-MIB', 'ibmOSAExpChannelNodeDesc'), ('IBM-OSA-MIB', 'ibmOSAExpChannelProcCodeLevel'), ('IBM-OSA-MIB', 'ibmOSAExpChannelPCIBusUtil1Min'), ('IBM-OSA-MIB', 'ibmOSAExpChannelProcUtil1Min'), ('IBM-OSA-MIB', 'ibmOSAExpChannelPCIBusUtil5Min'), ('IBM-OSA-MIB', 'ibmOSAExpChannelProcUtil5Min'), ('IBM-OSA-MIB', 'ibmOSAExpChannelPCIBusUtilHour'), ('IBM-OSA-MIB', 'ibmOSAExpChannelProcUtilHour')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_exp_channel_group = ibmOSAExpChannelGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpChannelGroup.setDescription('This group comprises those objects that are related to OSA-Express Channel support.') ibm_osa_exp_perf_group = object_group((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 2)).setObjects(('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP0'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP1'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP2'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP3'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP4'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP5'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP6'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP7'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP8'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP9'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP10'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP11'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP12'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP13'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP14'), ('IBM-OSA-MIB', 'ibmOSAExpPerfDataLP15')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_exp_perf_group = ibmOSAExpPerfGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPerfGroup.setDescription('This group comprises those objects that are related to OSA-Express Performance data support.') ibm_osa_exp_pe_group = object_group((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 3)).setObjects(('IBM-OSA-MIB', 'ibmOSAExpPEMaxSizeArpCache'), ('IBM-OSA-MIB', 'ibmOSAExpPEArpPendingEntries'), ('IBM-OSA-MIB', 'ibmOSAExpPEArpActiveEntries'), ('IBM-OSA-MIB', 'ibmOSAExpPEIPEntries'), ('IBM-OSA-MIB', 'ibmOSAExpPEMulticastEntries'), ('IBM-OSA-MIB', 'ibmOSAExpPEMulticastData')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_exp_pe_group = ibmOSAExpPEGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpPEGroup.setDescription('This group comprises those objects that are related to OSA-Express PE data support.') ibm_osa_exp_eth_group = object_group((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 4)).setObjects(('IBM-OSA-MIB', 'ibmOsaExpEthPortNumber'), ('IBM-OSA-MIB', 'ibmOsaExpEthPortType'), ('IBM-OSA-MIB', 'ibmOsaExpEthLanTrafficState'), ('IBM-OSA-MIB', 'ibmOsaExpEthServiceMode'), ('IBM-OSA-MIB', 'ibmOsaExpEthDisabledStatus'), ('IBM-OSA-MIB', 'ibmOsaExpEthConfigName'), ('IBM-OSA-MIB', 'ibmOsaExpEthConfigSpeedMode'), ('IBM-OSA-MIB', 'ibmOsaExpEthActiveSpeedMode'), ('IBM-OSA-MIB', 'ibmOsaExpEthMacAddrActive'), ('IBM-OSA-MIB', 'ibmOsaExpEthMacAddrBurntIn'), ('IBM-OSA-MIB', 'ibmOsaExpEthUserData'), ('IBM-OSA-MIB', 'ibmOsaExpEthOutPackets'), ('IBM-OSA-MIB', 'ibmOsaExpEthInPackets'), ('IBM-OSA-MIB', 'ibmOsaExpEthInGroupFrames'), ('IBM-OSA-MIB', 'ibmOsaExpEthInBroadcastFrames'), ('IBM-OSA-MIB', 'ibmOsaExpEthPortName'), ('IBM-OSA-MIB', 'ibmOsaExpEthInUnknownIPFrames'), ('IBM-OSA-MIB', 'ibmOsaExpEthGroupAddrTable')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_exp_eth_group = ibmOSAExpEthGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpEthGroup.setDescription('This group comprises those objects that are related to OSA-Express Fast Ethernet and Gigabit features only') ibm_osa_exp_tr_group = object_group((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 5)).setObjects(('IBM-OSA-MIB', 'ibmOsaExpTRPortNumber'), ('IBM-OSA-MIB', 'ibmOsaExpTRPortType'), ('IBM-OSA-MIB', 'ibmOsaExpTRLanTrafficState'), ('IBM-OSA-MIB', 'ibmOsaExpTRServiceMode'), ('IBM-OSA-MIB', 'ibmOsaExpTRDisabledStatus'), ('IBM-OSA-MIB', 'ibmOsaExpTRConfigName'), ('IBM-OSA-MIB', 'ibmOsaExpTRMacAddrActive'), ('IBM-OSA-MIB', 'ibmOsaExpTRMacAddrBurntIn'), ('IBM-OSA-MIB', 'ibmOsaExpTRConfigSpeedMode'), ('IBM-OSA-MIB', 'ibmOsaExpTRActiveSpeedMode'), ('IBM-OSA-MIB', 'ibmOsaExpTRUserData'), ('IBM-OSA-MIB', 'ibmOsaExpTRPortName'), ('IBM-OSA-MIB', 'ibmOsaExpTRGroupAddrTable'), ('IBM-OSA-MIB', 'ibmOsaExpTRFunctionalAddr'), ('IBM-OSA-MIB', 'ibmOsaExpTRRingStatus'), ('IBM-OSA-MIB', 'ibmOsaExpTRAllowAccessPriority'), ('IBM-OSA-MIB', 'ibmOsaExpTREarlyTokenRelease'), ('IBM-OSA-MIB', 'ibmOsaExpTRBeaconingAddress'), ('IBM-OSA-MIB', 'ibmOsaExpTRUpstreamNeighbor'), ('IBM-OSA-MIB', 'ibmOsaExpTRRingState'), ('IBM-OSA-MIB', 'ibmOsaExpTRRingOpenStatus'), ('IBM-OSA-MIB', 'ibmOsaExpTRPacketsTransmitted'), ('IBM-OSA-MIB', 'ibmOsaExpTRPacketsReceived'), ('IBM-OSA-MIB', 'ibmOsaExpTRLineErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRBurstErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRACErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRAbortTransErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRInternalErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRLostFrameErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRRcvCongestionCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRFrameCopyErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRTokenErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRFullDuplexErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRSoftErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRHardErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRSignalLossErrorCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRTransmitBeaconCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRRecoveryCounter'), ('IBM-OSA-MIB', 'ibmOsaExpTRLobeWireFaultCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRRemoveReceivedCount'), ('IBM-OSA-MIB', 'ibmOsaExpTRSingleStationCount')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_exp_tr_group = ibmOSAExpTRGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpTRGroup.setDescription('This group comprises those objects that are related to OSA-Express Token Ring feature only') ibm_osa_exp_atm_group = object_group((1, 3, 6, 1, 4, 1, 2, 6, 188, 2, 2, 7)).setObjects(('IBM-OSA-MIB', 'ibmOsaExpATMPortNumber'), ('IBM-OSA-MIB', 'ibmOsaExpATMPortType'), ('IBM-OSA-MIB', 'ibmOsaExpATMLanTrafficState'), ('IBM-OSA-MIB', 'ibmOsaExpATMServiceMode'), ('IBM-OSA-MIB', 'ibmOsaExpATMDisabledStatus'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigName'), ('IBM-OSA-MIB', 'ibmOsaExpATMMacAddrActive'), ('IBM-OSA-MIB', 'ibmOsaExpATMMacAddrBurntIn'), ('IBM-OSA-MIB', 'ibmOsaExpATMUserData'), ('IBM-OSA-MIB', 'ibmOsaExpATMPortName'), ('IBM-OSA-MIB', 'ibmOsaExpATMGroupMacAddrTable'), ('IBM-OSA-MIB', 'ibmOsaExpATMIBMEnhancedMode'), ('IBM-OSA-MIB', 'ibmOsaExpATMBestEffortPeakRate'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigMode'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigLanType'), ('IBM-OSA-MIB', 'ibmOsaExpATMActualLanType'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigMaxDataFrmSz'), ('IBM-OSA-MIB', 'ibmOsaExpATMActualMaxDataFrmSz'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigELANName'), ('IBM-OSA-MIB', 'ibmOsaExpATMActualELANName'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigLESATMAddress'), ('IBM-OSA-MIB', 'ibmOsaExpATMActualLESATMAddress'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlTimeout'), ('IBM-OSA-MIB', 'ibmOsaExpATMMaxUnknownFrameCount'), ('IBM-OSA-MIB', 'ibmOsaExpATMMaxUnknownFrameTime'), ('IBM-OSA-MIB', 'ibmOsaExpATMVCCTimeoutPeriod'), ('IBM-OSA-MIB', 'ibmOsaExpATMMaxRetryCount'), ('IBM-OSA-MIB', 'ibmOsaExpATMAgingTime'), ('IBM-OSA-MIB', 'ibmOsaExpATMForwardDelayTime'), ('IBM-OSA-MIB', 'ibmOsaExpATMExpectedARPRespTime'), ('IBM-OSA-MIB', 'ibmOsaExpATMFlushTimeout'), ('IBM-OSA-MIB', 'ibmOsaExpATMPathSwitchingDelay'), ('IBM-OSA-MIB', 'ibmOsaExpATMLocalSegmentID'), ('IBM-OSA-MIB', 'ibmOsaExpATMMltcstSendVCCType'), ('IBM-OSA-MIB', 'ibmOsaExpATMMltcstSendVCCAvgRate'), ('IBM-OSA-MIB', 'ibmOsaExpATMMcastSendVCCPeakRate'), ('IBM-OSA-MIB', 'ibmOsaExpATMConnectCompleteTimer'), ('IBM-OSA-MIB', 'ibmOsaExpATMClientATMAddress'), ('IBM-OSA-MIB', 'ibmOsaExpATMClientIdentifier'), ('IBM-OSA-MIB', 'ibmOsaExpATMClientCurrentState'), ('IBM-OSA-MIB', 'ibmOsaExpATMLastFailureRespCode'), ('IBM-OSA-MIB', 'ibmOsaExpATMLastFailureState'), ('IBM-OSA-MIB', 'ibmOsaExpATMProtocol'), ('IBM-OSA-MIB', 'ibmOsaExpATMLeVersion'), ('IBM-OSA-MIB', 'ibmOsaExpATMTopologyChange'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigServerATMAddr'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigSource'), ('IBM-OSA-MIB', 'ibmOsaExpATMProxyClient'), ('IBM-OSA-MIB', 'ibmOsaExpATMLePDUOctetsInbound'), ('IBM-OSA-MIB', 'ibmOsaExpATMNonErrLePDUDiscIn'), ('IBM-OSA-MIB', 'ibmOsaExpATMErrLePDUDiscIn'), ('IBM-OSA-MIB', 'ibmOsaExpATMLePDUOctetsOutbound'), ('IBM-OSA-MIB', 'ibmOsaExpATMNonErrLePDUDiscOut'), ('IBM-OSA-MIB', 'ibmOsaExpATMErrLePDUDiscOut'), ('IBM-OSA-MIB', 'ibmOsaExpATMLeARPRequestsOut'), ('IBM-OSA-MIB', 'ibmOsaExpATMLeARPRequestsIn'), ('IBM-OSA-MIB', 'ibmOsaExpATMLeARPRepliesOut'), ('IBM-OSA-MIB', 'ibmOsaExpATMLeARPRepliesIn'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlFramesOut'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlFramesIn'), ('IBM-OSA-MIB', 'ibmOsaExpATMSVCFailures'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigDirectIntfc'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigDirectVPI'), ('IBM-OSA-MIB', 'ibmOsaExpATMConfigDirectVCI'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlDirectIntfc'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlDirectVPI'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlDirectVCI'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlDistIntfc'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlDistributeVPI'), ('IBM-OSA-MIB', 'ibmOsaExpATMControlDistributeVCI'), ('IBM-OSA-MIB', 'ibmOsaExpATMMulticastSendIntfc'), ('IBM-OSA-MIB', 'ibmOsaExpATMMulticastSendVPI'), ('IBM-OSA-MIB', 'ibmOsaExpATMMulticastSendVCI'), ('IBM-OSA-MIB', 'ibmOsaExpATMMulticastFwdIntfc'), ('IBM-OSA-MIB', 'ibmOsaExpATMMulticastForwardVPI'), ('IBM-OSA-MIB', 'ibmOsaExpATMMulticastForwardVCI')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ibm_osa_exp_atm_group = ibmOSAExpATMGroup.setStatus('current') if mibBuilder.loadTexts: ibmOSAExpATMGroup.setDescription('This group comprises those objects that are related to OSA-Express ATM LAN Emulation feature only') mibBuilder.exportSymbols('IBM-OSA-MIB', ibmOsaExpATMControlFramesIn=ibmOsaExpATMControlFramesIn, ibmOSAExpChannelGroup=ibmOSAExpChannelGroup, ibmOsaExpTRConfigName=ibmOsaExpTRConfigName, ibmOsaExpATMNonErrLePDUDiscOut=ibmOsaExpATMNonErrLePDUDiscOut, ibmOsaExpTRSingleStationCount=ibmOsaExpTRSingleStationCount, ibmOSAExpPerfDataLP7=ibmOSAExpPerfDataLP7, ibmOsaExpTRTransmitBeaconCount=ibmOsaExpTRTransmitBeaconCount, ibmOsaExpTRUpstreamNeighbor=ibmOsaExpTRUpstreamNeighbor, ibmOsaExpATMControlTimeout=ibmOsaExpATMControlTimeout, ibmOSAMibConformance=ibmOSAMibConformance, ibmOsaExpEthOutPackets=ibmOsaExpEthOutPackets, ibmOsaExpEthConfigName=ibmOsaExpEthConfigName, ibmOsaExpTRInternalErrorCount=ibmOsaExpTRInternalErrorCount, ibmOsaExpATMMulticastSendVCI=ibmOsaExpATMMulticastSendVCI, ibmOsaExpATMControlDirectIntfc=ibmOsaExpATMControlDirectIntfc, ibm=ibm, ibmOsaExpEthUserData=ibmOsaExpEthUserData, ibmOsaExpATMGroupMacAddrTable=ibmOsaExpATMGroupMacAddrTable, ibmOSAExpPEArpPendingEntries=ibmOSAExpPEArpPendingEntries, ibmOsaExpTRUserData=ibmOsaExpTRUserData, ibmOSAExpPETable=ibmOSAExpPETable, ibmOsaExpATMMacAddrBurntIn=ibmOsaExpATMMacAddrBurntIn, ibmOsaExpATMPortName=ibmOsaExpATMPortName, ibmOsaExpATMMulticastForwardVCI=ibmOsaExpATMMulticastForwardVCI, ibmOsaExpTRPortName=ibmOsaExpTRPortName, ibmOsaExpTRPortNumber=ibmOsaExpTRPortNumber, ibmOsaExpTRTokenErrorCount=ibmOsaExpTRTokenErrorCount, ibmOsaExpATMControlDistributeVPI=ibmOsaExpATMControlDistributeVPI, ibmOSAExpPerfDataLP15=ibmOSAExpPerfDataLP15, ibmOsaExpATMMulticastFwdIntfc=ibmOsaExpATMMulticastFwdIntfc, ibmOsaExpTRGroupAddrTable=ibmOsaExpTRGroupAddrTable, ibmOsaExpATMProxyClient=ibmOsaExpATMProxyClient, ibmOSAExpPerfTable=ibmOSAExpPerfTable, ibmOSAExpChannelEntry=ibmOSAExpChannelEntry, ibmOSAExpTRGroup=ibmOSAExpTRGroup, ibmOsaExpEthMacAddrBurntIn=ibmOsaExpEthMacAddrBurntIn, ibmOSAExpChannelSubType=ibmOSAExpChannelSubType, ibmOsaExpATMControlDistIntfc=ibmOsaExpATMControlDistIntfc, ibmOsaExpATMAgingTime=ibmOsaExpATMAgingTime, ibmOsaExpTRHardErrorCount=ibmOsaExpTRHardErrorCount, ibmOsaExpTRAbortTransErrorCount=ibmOsaExpTRAbortTransErrorCount, ibmOsaExpTRActiveSpeedMode=ibmOsaExpTRActiveSpeedMode, ibmOSAExpChannelTable=ibmOSAExpChannelTable, ibmOsaExpATMConfigServerATMAddr=ibmOsaExpATMConfigServerATMAddr, ibmOSAExpTRPortEntry=ibmOSAExpTRPortEntry, ibmOsaExpTREarlyTokenRelease=ibmOsaExpTREarlyTokenRelease, ibmOSAExpPerfDataLP13=ibmOSAExpPerfDataLP13, ibmOsaExpATMTopologyChange=ibmOsaExpATMTopologyChange, ibmOsaExpEthLanTrafficState=ibmOsaExpEthLanTrafficState, ibmOSAExpPEMulticastEntries=ibmOSAExpPEMulticastEntries, ibmOsaExpEthPortNumber=ibmOsaExpEthPortNumber, ibmOsaExpTRMacAddrActive=ibmOsaExpTRMacAddrActive, ibmOSAExpPerfGroup=ibmOSAExpPerfGroup, ibmOsaExpTRSignalLossErrorCount=ibmOsaExpTRSignalLossErrorCount, ibmOSAExpPerfDataLP11=ibmOSAExpPerfDataLP11, ibmOsaExpATMVCCTimeoutPeriod=ibmOsaExpATMVCCTimeoutPeriod, ibmOSAExpPEMaxSizeArpCache=ibmOSAExpPEMaxSizeArpCache, ibmOsaExpTRRecoveryCounter=ibmOsaExpTRRecoveryCounter, ibmOsaExpTRPacketsTransmitted=ibmOsaExpTRPacketsTransmitted, ibmOsaExpATMLePDUOctetsOutbound=ibmOsaExpATMLePDUOctetsOutbound, ibmOsaExpATMConfigLanType=ibmOsaExpATMConfigLanType, ibmOsaExpTRConfigSpeedMode=ibmOsaExpTRConfigSpeedMode, ibmOSAExpPerfDataLP4=ibmOSAExpPerfDataLP4, ibmOSAMib=ibmOSAMib, ibmOsaExpEthInGroupFrames=ibmOsaExpEthInGroupFrames, ibmOSAExpPerfDataLP6=ibmOSAExpPerfDataLP6, ibmOSAExpChannelProcUtilHour=ibmOSAExpChannelProcUtilHour, ibmOsaExpATMPortNumber=ibmOsaExpATMPortNumber, ibmOSAExpChannelHdwLevel=ibmOSAExpChannelHdwLevel, ibmOsaExpEthInUnknownIPFrames=ibmOsaExpEthInUnknownIPFrames, ibmOSAExpChannelType=ibmOSAExpChannelType, ibmOsaExpATMUserData=ibmOsaExpATMUserData, ibmOsaExpATMForwardDelayTime=ibmOsaExpATMForwardDelayTime, ibmOsaExpEthActiveSpeedMode=ibmOsaExpEthActiveSpeedMode, ibmOSAExpPEGroup=ibmOSAExpPEGroup, ibmOSAExpPEEntry=ibmOSAExpPEEntry, ibmOSAExpTRPortTable=ibmOSAExpTRPortTable, ibmOsaExpATMActualELANName=ibmOsaExpATMActualELANName, ibmOsaExpATMMacAddrActive=ibmOsaExpATMMacAddrActive, ibmOsaExpEthConfigSpeedMode=ibmOsaExpEthConfigSpeedMode, ibmOsaExpTRBeaconingAddress=ibmOsaExpTRBeaconingAddress, ibmOsaExpTRRemoveReceivedCount=ibmOsaExpTRRemoveReceivedCount, ibmOsaExpATMProtocol=ibmOsaExpATMProtocol, ibmOsaExpATMNonErrLePDUDiscIn=ibmOsaExpATMNonErrLePDUDiscIn, ibmOsaExpATMErrLePDUDiscOut=ibmOsaExpATMErrLePDUDiscOut, ibmOsaExpATMControlFramesOut=ibmOsaExpATMControlFramesOut, ibmOsaExpTRACErrorCount=ibmOsaExpTRACErrorCount, ibmOsaExpTRMacAddrBurntIn=ibmOsaExpTRMacAddrBurntIn, ibmOsaExpATMMaxUnknownFrameTime=ibmOsaExpATMMaxUnknownFrameTime, ibmOsaExpTRDisabledStatus=ibmOsaExpTRDisabledStatus, ibmOSAExpChannelShared=ibmOSAExpChannelShared, ibmOsaExpEthDisabledStatus=ibmOsaExpEthDisabledStatus, ibmOsaExpEthMacAddrActive=ibmOsaExpEthMacAddrActive, ibmOSAExpEthPortTable=ibmOSAExpEthPortTable, ibmOsaExpTRLineErrorCount=ibmOsaExpTRLineErrorCount, ibmOSAExpEthPortEntry=ibmOSAExpEthPortEntry, ibmOsaExpEthInPackets=ibmOsaExpEthInPackets, ibmOSAExpPerfDataLP8=ibmOSAExpPerfDataLP8, ibmOsaExpTRRingOpenStatus=ibmOsaExpTRRingOpenStatus, ibmOsaExpEthPortName=ibmOsaExpEthPortName, ibmOsaExpATMExpectedARPRespTime=ibmOsaExpATMExpectedARPRespTime, ibmOsaExpTRFunctionalAddr=ibmOsaExpTRFunctionalAddr, ibmOsaExpATMLeARPRequestsIn=ibmOsaExpATMLeARPRequestsIn, ibmOsaExpATMConfigDirectIntfc=ibmOsaExpATMConfigDirectIntfc, ibmOSAExpPerfDataLP1=ibmOSAExpPerfDataLP1, ibmOsaExpATMConfigMaxDataFrmSz=ibmOsaExpATMConfigMaxDataFrmSz, ibmOsaExpATMConfigName=ibmOsaExpATMConfigName, ibmOsaExpATMLeARPRequestsOut=ibmOsaExpATMLeARPRequestsOut, ibmOsaExpATMMulticastForwardVPI=ibmOsaExpATMMulticastForwardVPI, ibmOSAExpChannelPCIBusUtilHour=ibmOSAExpChannelPCIBusUtilHour, ibmOsaExpATMConfigDirectVPI=ibmOsaExpATMConfigDirectVPI, ibmOsaExpTRLostFrameErrorCount=ibmOsaExpTRLostFrameErrorCount, ibmOsaExpTRRingState=ibmOsaExpTRRingState, ibmProd=ibmProd, ibmOsaExpTRLobeWireFaultCount=ibmOsaExpTRLobeWireFaultCount, ibmOSAExpPerfDataLP2=ibmOSAExpPerfDataLP2, ibmOSAExpPEMulticastData=ibmOSAExpPEMulticastData, ibmOsaExpATMLocalSegmentID=ibmOsaExpATMLocalSegmentID, ibmOsaExpATMMulticastSendVPI=ibmOsaExpATMMulticastSendVPI, ibmOSAExpATMGroup=ibmOSAExpATMGroup, ibmOsaExpEthInBroadcastFrames=ibmOsaExpEthInBroadcastFrames, ibmOsaExpATMConfigMode=ibmOsaExpATMConfigMode, ibmOsaExpATMMltcstSendVCCType=ibmOsaExpATMMltcstSendVCCType, ibmOSAExpEthGroup=ibmOSAExpEthGroup, ibmOsaExpATMConfigLESATMAddress=ibmOsaExpATMConfigLESATMAddress, ibmOsaExpTRRcvCongestionCount=ibmOsaExpTRRcvCongestionCount, ibmOsaExpTRPortType=ibmOsaExpTRPortType, ibmOsaExpTRSoftErrorCount=ibmOsaExpTRSoftErrorCount, PYSNMP_MODULE_ID=ibmOSAMib, ibmOsaExpTRRingStatus=ibmOsaExpTRRingStatus, ibmOsaExpATMControlDirectVPI=ibmOsaExpATMControlDirectVPI, ibmOsaExpATMSVCFailures=ibmOsaExpATMSVCFailures, ibmOsaExpATMPortType=ibmOsaExpATMPortType, ibmOsaExpATMMulticastSendIntfc=ibmOsaExpATMMulticastSendIntfc, ibmOsaExpTRBurstErrorCount=ibmOsaExpTRBurstErrorCount, ibmOsaExpATMClientCurrentState=ibmOsaExpATMClientCurrentState, ibmOSAExpPEArpActiveEntries=ibmOSAExpPEArpActiveEntries, ibmOSAExpPerfDataLP9=ibmOSAExpPerfDataLP9, ibmOSAExpATMPortTable=ibmOSAExpATMPortTable, ibmOsaExpATMMltcstSendVCCAvgRate=ibmOsaExpATMMltcstSendVCCAvgRate, ibmOsaExpATMLeARPRepliesOut=ibmOsaExpATMLeARPRepliesOut, ibmOsaExpATMServiceMode=ibmOsaExpATMServiceMode, ibmOSAExpChannelProcCodeLevel=ibmOSAExpChannelProcCodeLevel, ibmOsaExpTRLanTrafficState=ibmOsaExpTRLanTrafficState, ibmOsaExpATMMaxUnknownFrameCount=ibmOsaExpATMMaxUnknownFrameCount, ibmOSAExpChannelProcUtil5Min=ibmOSAExpChannelProcUtil5Min, ibmOsaExpATMBestEffortPeakRate=ibmOsaExpATMBestEffortPeakRate, ibmOSAExpPerfDataLP5=ibmOSAExpPerfDataLP5, ibmOSAExpPEIPEntries=ibmOSAExpPEIPEntries, ibmOsaExpATMLanTrafficState=ibmOsaExpATMLanTrafficState, ibmOsaExpTRFullDuplexErrorCount=ibmOsaExpTRFullDuplexErrorCount, ibmOSAExpChannelNumber=ibmOSAExpChannelNumber, ibmOsaExpATMLastFailureState=ibmOsaExpATMLastFailureState, ibmOsaExpATMClientIdentifier=ibmOsaExpATMClientIdentifier, ibmOsaExpTRServiceMode=ibmOsaExpTRServiceMode, ibmOsaExpEthPortType=ibmOsaExpEthPortType, ibmOsaExpATMIBMEnhancedMode=ibmOsaExpATMIBMEnhancedMode, ibmOSAExpPerfDataLP0=ibmOSAExpPerfDataLP0, ibmOsaExpTRFrameCopyErrorCount=ibmOsaExpTRFrameCopyErrorCount, ibmOsaExpATMControlDirectVCI=ibmOsaExpATMControlDirectVCI, ibmOsaExpTRAllowAccessPriority=ibmOsaExpTRAllowAccessPriority, ibmOsaExpATMFlushTimeout=ibmOsaExpATMFlushTimeout, ibmOsaExpATMConfigELANName=ibmOsaExpATMConfigELANName, ibmOSAExpPerfDataLP10=ibmOSAExpPerfDataLP10, ibmOsaExpEthServiceMode=ibmOsaExpEthServiceMode, ibmOSAMibCompliance=ibmOSAMibCompliance, ibmOSAExpChannelNodeDesc=ibmOSAExpChannelNodeDesc, ibmOSAExpPerfDataLP12=ibmOSAExpPerfDataLP12, ibmOsaExpTRPacketsReceived=ibmOsaExpTRPacketsReceived, ibmOsaExpATMMaxRetryCount=ibmOsaExpATMMaxRetryCount, ibmOsaExpATMActualLESATMAddress=ibmOsaExpATMActualLESATMAddress, ibmOSAMibCompliances=ibmOSAMibCompliances, ibmOSAExpChannelProcUtil1Min=ibmOSAExpChannelProcUtil1Min, ibmOsaExpATMActualMaxDataFrmSz=ibmOsaExpATMActualMaxDataFrmSz, ibmOsaExpEthGroupAddrTable=ibmOsaExpEthGroupAddrTable, ibmOsaExpATMLeVersion=ibmOsaExpATMLeVersion, ibmOsaExpATMConfigDirectVCI=ibmOsaExpATMConfigDirectVCI, ibmOSAExpATMPortEntry=ibmOSAExpATMPortEntry, ibmOsaExpATMControlDistributeVCI=ibmOsaExpATMControlDistributeVCI, ibmOsaExpATMConnectCompleteTimer=ibmOsaExpATMConnectCompleteTimer, ibmOsaExpATMDisabledStatus=ibmOsaExpATMDisabledStatus, ibmOSAExpChannelPCIBusUtil5Min=ibmOSAExpChannelPCIBusUtil5Min, ibmOsaExpATMClientATMAddress=ibmOsaExpATMClientATMAddress, ibmOsaExpATMLePDUOctetsInbound=ibmOsaExpATMLePDUOctetsInbound, ibmOsaExpATMConfigSource=ibmOsaExpATMConfigSource, ibmOsaExpATMMcastSendVCCPeakRate=ibmOsaExpATMMcastSendVCCPeakRate, ibmOsaExpATMErrLePDUDiscIn=ibmOsaExpATMErrLePDUDiscIn, ibmOsaExpATMLastFailureRespCode=ibmOsaExpATMLastFailureRespCode, ibmOSAExpPerfDataLP3=ibmOSAExpPerfDataLP3, ibmOSAExpChannelPCIBusUtil1Min=ibmOSAExpChannelPCIBusUtil1Min, ibmOSAExpPerfEntry=ibmOSAExpPerfEntry, ibmOsaExpATMLeARPRepliesIn=ibmOsaExpATMLeARPRepliesIn, ibmOsaExpATMActualLanType=ibmOsaExpATMActualLanType, ibmOsaExpATMPathSwitchingDelay=ibmOsaExpATMPathSwitchingDelay, ibmOSAMibObjects=ibmOSAMibObjects, ibmOSAExpPerfDataLP14=ibmOSAExpPerfDataLP14, ibmOSAMibGroups=ibmOSAMibGroups)
def diff_strings_rec(source, target, dp={}): dp_key = (source, target) if dp_key in dp: return dp[dp_key] if not source and not target: result = [] dp[dp_key] = (0, result) return dp[dp_key] if not source: result = ["+" + ch for ch in target] dp[dp_key] = (len(target), result) return dp[dp_key] if not target: result = ["-" + ch for ch in source] dp[dp_key] = (len(source), result) return dp[dp_key] if source[0] == target[0]: result = [source[0]] num_edits, edits = diff_strings_rec(source[1:], target[1:], dp) result.extend(edits) dp[dp_key] = (num_edits, result) return dp[dp_key] else: num_edits_del, edits_del = diff_strings_rec(source[1:], target, dp) num_edits_ins, edits_ins = diff_strings_rec(source, target[1:], dp) if num_edits_ins < num_edits_del: result = ["+" + target[0]] result.extend(edits_ins) dp[dp_key] = (num_edits_ins + 1, result) return dp[dp_key] else: result = ["-" + source[0]] result.extend(edits_del) dp[dp_key] = (num_edits_del + 1, result) return dp[dp_key] def diffBetweenTwoStrings(source, target): _, edits = diff_strings_rec(source, target) return edits
def diff_strings_rec(source, target, dp={}): dp_key = (source, target) if dp_key in dp: return dp[dp_key] if not source and (not target): result = [] dp[dp_key] = (0, result) return dp[dp_key] if not source: result = ['+' + ch for ch in target] dp[dp_key] = (len(target), result) return dp[dp_key] if not target: result = ['-' + ch for ch in source] dp[dp_key] = (len(source), result) return dp[dp_key] if source[0] == target[0]: result = [source[0]] (num_edits, edits) = diff_strings_rec(source[1:], target[1:], dp) result.extend(edits) dp[dp_key] = (num_edits, result) return dp[dp_key] else: (num_edits_del, edits_del) = diff_strings_rec(source[1:], target, dp) (num_edits_ins, edits_ins) = diff_strings_rec(source, target[1:], dp) if num_edits_ins < num_edits_del: result = ['+' + target[0]] result.extend(edits_ins) dp[dp_key] = (num_edits_ins + 1, result) return dp[dp_key] else: result = ['-' + source[0]] result.extend(edits_del) dp[dp_key] = (num_edits_del + 1, result) return dp[dp_key] def diff_between_two_strings(source, target): (_, edits) = diff_strings_rec(source, target) return edits
# Using list to print hello world my_list = ["H", "e", "l", "l", "o", " ", "W", "o", "r", "l", "d"] s = "" for i in my_list: s = s + i print(s)
my_list = ['H', 'e', 'l', 'l', 'o', ' ', 'W', 'o', 'r', 'l', 'd'] s = '' for i in my_list: s = s + i print(s)
# EASY # Two pointer # --> if < tar # <-- if > tar # Time O(N) Space O(1) class Solution: def twoSum(self, numbers: List[int], target: int) -> List[int]: left,right = 0, len(numbers)-1 while left < right: if numbers[left] + numbers[right] == target: return [left+1,right+1] elif numbers[left] + numbers[right] < target: left += 1 elif numbers[left] + numbers[right] > target: right -=1 return []
class Solution: def two_sum(self, numbers: List[int], target: int) -> List[int]: (left, right) = (0, len(numbers) - 1) while left < right: if numbers[left] + numbers[right] == target: return [left + 1, right + 1] elif numbers[left] + numbers[right] < target: left += 1 elif numbers[left] + numbers[right] > target: right -= 1 return []
#Polimorfismo # #Es la capacidad que tienen los objetos en # #diferentes clases para usar un comportamiento # #o atributo del mismo nombre pero con diferente valor # # # Por ejemplo #class Auto: # rueda = 4 # def desplazamiento(self): # print("el auto se esta desplazando sobre 4 ruegas") # #class Moto: # rueda = 2 # def desplazamiento(self): # print("la moto se esta desplazando sobre 2 ruedas") # #Ambos son vehiculos pero se desplazan diferente # #Ejercicio 1 class Animales: def __init__(self, nombre): self.nombre = nombre def tipo_animal(self): pass class Leon(Animales): def tipo_animal(self): print("animal salvaje") class Perro(Animales): def tipo_animal(self): print("animal domestico") nuevo_animal = Leon("Simba") nuevo_animal.tipo_animal() nuevo_animal2= Perro("Firulais") nuevo_animal2.tipo_animal()
class Animales: def __init__(self, nombre): self.nombre = nombre def tipo_animal(self): pass class Leon(Animales): def tipo_animal(self): print('animal salvaje') class Perro(Animales): def tipo_animal(self): print('animal domestico') nuevo_animal = leon('Simba') nuevo_animal.tipo_animal() nuevo_animal2 = perro('Firulais') nuevo_animal2.tipo_animal()
rows_total = 0 rows_masked = 0 ret = 0 profileret = 0
rows_total = 0 rows_masked = 0 ret = 0 profileret = 0
class Dicotomia(): def __init__(self, tabla) -> None: self.fin = len(tabla) - 1 self.tabla = tabla self.tablaordenada =[] def bubbleSort(self): for i in range(0, self.fin): for j in range(0, self.fin - i): if self.tabla[j] > self.tabla[j + 1]: temp = self.tabla[j] self.tabla[j] = self.tabla[j+1] self.tabla[j+1] = temp def insercion (self): for i in range (0,self.fin+1): self.tablaordenada.append (self.tabla[i]) for j in range (i,0,-1): if self.tablaordenada[j-1]>self.tablaordenada[j]: aux = self.tablaordenada[j] self.tablaordenada[j]=self.tablaordenada[j-1] self.tablaordenada[j-1]=aux
class Dicotomia: def __init__(self, tabla) -> None: self.fin = len(tabla) - 1 self.tabla = tabla self.tablaordenada = [] def bubble_sort(self): for i in range(0, self.fin): for j in range(0, self.fin - i): if self.tabla[j] > self.tabla[j + 1]: temp = self.tabla[j] self.tabla[j] = self.tabla[j + 1] self.tabla[j + 1] = temp def insercion(self): for i in range(0, self.fin + 1): self.tablaordenada.append(self.tabla[i]) for j in range(i, 0, -1): if self.tablaordenada[j - 1] > self.tablaordenada[j]: aux = self.tablaordenada[j] self.tablaordenada[j] = self.tablaordenada[j - 1] self.tablaordenada[j - 1] = aux
s = "12010000000000111100000000" for _ in range(int(input())): ans = 0 k = input() for i in k: if i != " ": ans += int(s[ord(i) - 65]) print(ans)
s = '12010000000000111100000000' for _ in range(int(input())): ans = 0 k = input() for i in k: if i != ' ': ans += int(s[ord(i) - 65]) print(ans)
def init_dashboard(bot): @bot.dashboard.route async def get_stats(data): channels_list = [] for guild in bot.guilds: for channel in guild.channels: channels_list.append(channel) return { "status": "200", "message": "all is ok", "guilds": str(len(bot.guilds)), "users": str(len(bot.users)), "channels": len(channels_list), } @bot.dashboard.route async def get_invite_url(data): return f"https://discord.com/oauth2/authorize?client_id={bot.user.id}&scope=bot+applications.commands&permissions=473197655" @bot.dashboard.route async def get_mutual_guilds(data): guild_ids = [] for guild in bot.guilds: guild_ids.append(guild.id) return guild_ids
def init_dashboard(bot): @bot.dashboard.route async def get_stats(data): channels_list = [] for guild in bot.guilds: for channel in guild.channels: channels_list.append(channel) return {'status': '200', 'message': 'all is ok', 'guilds': str(len(bot.guilds)), 'users': str(len(bot.users)), 'channels': len(channels_list)} @bot.dashboard.route async def get_invite_url(data): return f'https://discord.com/oauth2/authorize?client_id={bot.user.id}&scope=bot+applications.commands&permissions=473197655' @bot.dashboard.route async def get_mutual_guilds(data): guild_ids = [] for guild in bot.guilds: guild_ids.append(guild.id) return guild_ids
n = int(input().strip()) scores = [int(scores_temp) for scores_temp in input().strip().split(' ')] m = int(input().strip()) alice = [int(alice_temp) for alice_temp in input().strip().split(' ')] ranking = [scores[0]] for itm in scores: if itm != ranking[-1]: ranking.append(itm) inx = len(ranking) - 1 for itm in alice: while itm > ranking[inx] and inx > -1: inx -= 1 if itm == ranking[inx]: print (inx + 1) else: print (inx + 2)
n = int(input().strip()) scores = [int(scores_temp) for scores_temp in input().strip().split(' ')] m = int(input().strip()) alice = [int(alice_temp) for alice_temp in input().strip().split(' ')] ranking = [scores[0]] for itm in scores: if itm != ranking[-1]: ranking.append(itm) inx = len(ranking) - 1 for itm in alice: while itm > ranking[inx] and inx > -1: inx -= 1 if itm == ranking[inx]: print(inx + 1) else: print(inx + 2)
def RemovesNthDupicate(array, n): hashTable = {} i = 0 while i < len(array): if array[i] in hashTable: hashTable[array[i]] += 1 if hashTable[array[i]] == n: hashTable[array[i]] = 1 array.pop(i) else: hashTable[array[i]] = 1 i += 1 return array
def removes_nth_dupicate(array, n): hash_table = {} i = 0 while i < len(array): if array[i] in hashTable: hashTable[array[i]] += 1 if hashTable[array[i]] == n: hashTable[array[i]] = 1 array.pop(i) else: hashTable[array[i]] = 1 i += 1 return array
# Limbs LEG_UPPER_RIGHT = (24,26) LEG_LOWER_RIGHT = (26,28) UPPER_BODY_RIGHT = (12,24) ARM_UPPER_RIGHT = (12,14) ARM_LOWER_RIGHT = (14,16) FOOT_RIGHT = (28,32) LIMBS_ALL = [LEG_UPPER_RIGHT,UPPER_BODY_RIGHT,ARM_UPPER_RIGHT,ARM_LOWER_RIGHT,FOOT_RIGHT] # Joints ANKLE_RIGHT = (26,28,32) ELBOW_RIGHT = (12,14,16) SHOULDER_RIGHT = (14,12,24) HIP_RIGHT = (12,24,26) KNEE_RIGHT = (24,26,28) JOINTS_ALL = [ANKLE_RIGHT,ELBOW_RIGHT,SHOULDER_RIGHT,HIP_RIGHT,KNEE_RIGHT] joint_to_text = {(26,28,32):'Ankle',(12,14,16):'Elbow',(14,12,24):'Shdlr', (12,24,26):'Hip', (24,26,28): 'Knee'} joint_to_muscle = {(26,28,32):'Calf',(12,14,16):'Tricep',(14,12,24):'Shoulder', (12,24,26):'Glute', (24,26,28): 'Quad'}
leg_upper_right = (24, 26) leg_lower_right = (26, 28) upper_body_right = (12, 24) arm_upper_right = (12, 14) arm_lower_right = (14, 16) foot_right = (28, 32) limbs_all = [LEG_UPPER_RIGHT, UPPER_BODY_RIGHT, ARM_UPPER_RIGHT, ARM_LOWER_RIGHT, FOOT_RIGHT] ankle_right = (26, 28, 32) elbow_right = (12, 14, 16) shoulder_right = (14, 12, 24) hip_right = (12, 24, 26) knee_right = (24, 26, 28) joints_all = [ANKLE_RIGHT, ELBOW_RIGHT, SHOULDER_RIGHT, HIP_RIGHT, KNEE_RIGHT] joint_to_text = {(26, 28, 32): 'Ankle', (12, 14, 16): 'Elbow', (14, 12, 24): 'Shdlr', (12, 24, 26): 'Hip', (24, 26, 28): 'Knee'} joint_to_muscle = {(26, 28, 32): 'Calf', (12, 14, 16): 'Tricep', (14, 12, 24): 'Shoulder', (12, 24, 26): 'Glute', (24, 26, 28): 'Quad'}
# # PySNMP MIB module CISCO-SYS-INFO-LOG-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-SYS-INFO-LOG-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 17:57:12 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsIntersection") ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt") InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup") IpAddress, MibIdentifier, TimeTicks, Integer32, ModuleIdentity, Bits, Gauge32, ObjectIdentity, NotificationType, Unsigned32, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, iso, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "MibIdentifier", "TimeTicks", "Integer32", "ModuleIdentity", "Bits", "Gauge32", "ObjectIdentity", "NotificationType", "Unsigned32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "iso", "Counter32") DisplayString, TextualConvention, RowStatus, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "RowStatus", "TruthValue") ciscoSysInfoLogMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 330)) ciscoSysInfoLogMIB.setRevisions(('2005-08-12 10:00', '2003-01-24 10:00',)) if mibBuilder.loadTexts: ciscoSysInfoLogMIB.setLastUpdated('200508121000Z') if mibBuilder.loadTexts: ciscoSysInfoLogMIB.setOrganization('Cisco System, Inc.') ciscoSysInfoLogMIBNotifs = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 0)) ciscoSysInfoLogMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1)) ciscoSysInfoLogMIBConform = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 2)) csilGlobalConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 1)) csilServerConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2)) csilCommandConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3)) csilSysInfoLogEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 1, 1), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: csilSysInfoLogEnabled.setStatus('current') csilSysInfoLogNotifEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 1, 2), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: csilSysInfoLogNotifEnabled.setStatus('current') csilMaxServerAllowed = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setUnits('servers').setMaxAccess("readwrite") if mibBuilder.loadTexts: csilMaxServerAllowed.setStatus('current') csilMaxProfilePerServerAllowed = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 2), Unsigned32()).setUnits('profiles').setMaxAccess("readonly") if mibBuilder.loadTexts: csilMaxProfilePerServerAllowed.setStatus('current') csilServerTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3), ) if mibBuilder.loadTexts: csilServerTable.setStatus('current') csilServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1), ).setIndexNames((0, "CISCO-SYS-INFO-LOG-MIB", "csilServerIndex")) if mibBuilder.loadTexts: csilServerEntry.setStatus('current') csilServerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 1), Unsigned32()) if mibBuilder.loadTexts: csilServerIndex.setStatus('current') csilServerAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 2), InetAddressType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerAddressType.setStatus('current') csilServerAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 3), InetAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerAddress.setStatus('current') csilServerProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 4), Unsigned32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerProfileIndex.setStatus('current') csilServerProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tftp", 1), ("rcp", 2), ("ftp", 3)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerProtocol.setStatus('current') csilServerRcpUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 6), SnmpAdminString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerRcpUserName.setStatus('current') csilServerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 7), Unsigned32().clone(1440)).setUnits('minutes').setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerInterval.setStatus('current') csilServerLoggingFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 8), SnmpAdminString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerLoggingFileName.setStatus('current') csilServerLastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("none", 1), ("noLogFile", 2), ("noCommand", 3), ("linkBlock", 4), ("authError", 5), ("addrError", 6), ("copying", 7), ("writeError", 8), ("success", 9), ("ftpError", 10)))).setMaxAccess("readonly") if mibBuilder.loadTexts: csilServerLastStatus.setStatus('current') csilServerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 10), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilServerRowStatus.setStatus('current') csilMaxCommandPerProfile = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 1), Unsigned32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: csilMaxCommandPerProfile.setStatus('current') csilCommandsTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2), ) if mibBuilder.loadTexts: csilCommandsTable.setStatus('current') csilCommandsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1), ).setIndexNames((0, "CISCO-SYS-INFO-LOG-MIB", "csilCommandProfileIndex"), (0, "CISCO-SYS-INFO-LOG-MIB", "csilCommandIndex")) if mibBuilder.loadTexts: csilCommandsEntry.setStatus('current') csilCommandProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 1), Unsigned32()) if mibBuilder.loadTexts: csilCommandProfileIndex.setStatus('current') csilCommandIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 2), Unsigned32()) if mibBuilder.loadTexts: csilCommandIndex.setStatus('current') csilCommandString = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilCommandString.setStatus('current') csilCommandExecOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 4), Unsigned32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilCommandExecOrder.setStatus('current') csilCommandStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: csilCommandStatus.setStatus('current') csilLoggingFailNotif = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 330, 0, 1)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilServerLastStatus")) if mibBuilder.loadTexts: csilLoggingFailNotif.setStatus('current') ciscoSysInfoLogMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 1)) ciscoSysInfoLogMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2)) ciscoSysInfoLogMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 1, 1)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilGlobalConfigGroup"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerConfigGroup"), ("CISCO-SYS-INFO-LOG-MIB", "csilCommandConfigGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoSysInfoLogMIBCompliance = ciscoSysInfoLogMIBCompliance.setStatus('current') csilGlobalConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 1)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilSysInfoLogEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csilGlobalConfigGroup = csilGlobalConfigGroup.setStatus('current') csilServerConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 2)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilMaxServerAllowed"), ("CISCO-SYS-INFO-LOG-MIB", "csilMaxProfilePerServerAllowed"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerAddress"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerAddressType"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerProfileIndex"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerProtocol"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerInterval"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerLoggingFileName"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerRcpUserName"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerLastStatus"), ("CISCO-SYS-INFO-LOG-MIB", "csilServerRowStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csilServerConfigGroup = csilServerConfigGroup.setStatus('current') csilCommandConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 3)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilMaxCommandPerProfile"), ("CISCO-SYS-INFO-LOG-MIB", "csilCommandString"), ("CISCO-SYS-INFO-LOG-MIB", "csilCommandExecOrder"), ("CISCO-SYS-INFO-LOG-MIB", "csilCommandStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csilCommandConfigGroup = csilCommandConfigGroup.setStatus('current') csilNotifControlGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 4)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilSysInfoLogNotifEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csilNotifControlGroup = csilNotifControlGroup.setStatus('current') csilLoggingFailNotifGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 5)).setObjects(("CISCO-SYS-INFO-LOG-MIB", "csilLoggingFailNotif")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csilLoggingFailNotifGroup = csilLoggingFailNotifGroup.setStatus('current') mibBuilder.exportSymbols("CISCO-SYS-INFO-LOG-MIB", csilCommandIndex=csilCommandIndex, csilServerProfileIndex=csilServerProfileIndex, csilCommandConfig=csilCommandConfig, csilServerEntry=csilServerEntry, csilCommandProfileIndex=csilCommandProfileIndex, csilCommandConfigGroup=csilCommandConfigGroup, csilGlobalConfigGroup=csilGlobalConfigGroup, ciscoSysInfoLogMIBObjects=ciscoSysInfoLogMIBObjects, csilLoggingFailNotifGroup=csilLoggingFailNotifGroup, csilGlobalConfig=csilGlobalConfig, csilCommandString=csilCommandString, ciscoSysInfoLogMIBCompliance=ciscoSysInfoLogMIBCompliance, ciscoSysInfoLogMIB=ciscoSysInfoLogMIB, ciscoSysInfoLogMIBCompliances=ciscoSysInfoLogMIBCompliances, csilMaxProfilePerServerAllowed=csilMaxProfilePerServerAllowed, csilServerRcpUserName=csilServerRcpUserName, csilServerRowStatus=csilServerRowStatus, csilServerConfigGroup=csilServerConfigGroup, csilServerInterval=csilServerInterval, csilSysInfoLogNotifEnabled=csilSysInfoLogNotifEnabled, csilServerIndex=csilServerIndex, ciscoSysInfoLogMIBNotifs=ciscoSysInfoLogMIBNotifs, csilNotifControlGroup=csilNotifControlGroup, csilServerAddressType=csilServerAddressType, csilCommandStatus=csilCommandStatus, csilLoggingFailNotif=csilLoggingFailNotif, PYSNMP_MODULE_ID=ciscoSysInfoLogMIB, csilServerLastStatus=csilServerLastStatus, csilCommandExecOrder=csilCommandExecOrder, ciscoSysInfoLogMIBGroups=ciscoSysInfoLogMIBGroups, csilServerProtocol=csilServerProtocol, csilSysInfoLogEnabled=csilSysInfoLogEnabled, csilServerConfig=csilServerConfig, ciscoSysInfoLogMIBConform=ciscoSysInfoLogMIBConform, csilCommandsTable=csilCommandsTable, csilServerAddress=csilServerAddress, csilServerLoggingFileName=csilServerLoggingFileName, csilMaxServerAllowed=csilMaxServerAllowed, csilCommandsEntry=csilCommandsEntry, csilMaxCommandPerProfile=csilMaxCommandPerProfile, csilServerTable=csilServerTable)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_range_constraint, value_size_constraint, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection') (cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt') (inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup') (ip_address, mib_identifier, time_ticks, integer32, module_identity, bits, gauge32, object_identity, notification_type, unsigned32, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, iso, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'MibIdentifier', 'TimeTicks', 'Integer32', 'ModuleIdentity', 'Bits', 'Gauge32', 'ObjectIdentity', 'NotificationType', 'Unsigned32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'iso', 'Counter32') (display_string, textual_convention, row_status, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention', 'RowStatus', 'TruthValue') cisco_sys_info_log_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 330)) ciscoSysInfoLogMIB.setRevisions(('2005-08-12 10:00', '2003-01-24 10:00')) if mibBuilder.loadTexts: ciscoSysInfoLogMIB.setLastUpdated('200508121000Z') if mibBuilder.loadTexts: ciscoSysInfoLogMIB.setOrganization('Cisco System, Inc.') cisco_sys_info_log_mib_notifs = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 0)) cisco_sys_info_log_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1)) cisco_sys_info_log_mib_conform = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 2)) csil_global_config = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 1)) csil_server_config = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2)) csil_command_config = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3)) csil_sys_info_log_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 1, 1), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: csilSysInfoLogEnabled.setStatus('current') csil_sys_info_log_notif_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 1, 2), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: csilSysInfoLogNotifEnabled.setStatus('current') csil_max_server_allowed = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setUnits('servers').setMaxAccess('readwrite') if mibBuilder.loadTexts: csilMaxServerAllowed.setStatus('current') csil_max_profile_per_server_allowed = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 2), unsigned32()).setUnits('profiles').setMaxAccess('readonly') if mibBuilder.loadTexts: csilMaxProfilePerServerAllowed.setStatus('current') csil_server_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3)) if mibBuilder.loadTexts: csilServerTable.setStatus('current') csil_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1)).setIndexNames((0, 'CISCO-SYS-INFO-LOG-MIB', 'csilServerIndex')) if mibBuilder.loadTexts: csilServerEntry.setStatus('current') csil_server_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 1), unsigned32()) if mibBuilder.loadTexts: csilServerIndex.setStatus('current') csil_server_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 2), inet_address_type()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerAddressType.setStatus('current') csil_server_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 3), inet_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerAddress.setStatus('current') csil_server_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 4), unsigned32()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerProfileIndex.setStatus('current') csil_server_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('tftp', 1), ('rcp', 2), ('ftp', 3)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerProtocol.setStatus('current') csil_server_rcp_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 6), snmp_admin_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerRcpUserName.setStatus('current') csil_server_interval = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 7), unsigned32().clone(1440)).setUnits('minutes').setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerInterval.setStatus('current') csil_server_logging_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 8), snmp_admin_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerLoggingFileName.setStatus('current') csil_server_last_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('none', 1), ('noLogFile', 2), ('noCommand', 3), ('linkBlock', 4), ('authError', 5), ('addrError', 6), ('copying', 7), ('writeError', 8), ('success', 9), ('ftpError', 10)))).setMaxAccess('readonly') if mibBuilder.loadTexts: csilServerLastStatus.setStatus('current') csil_server_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 2, 3, 1, 10), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilServerRowStatus.setStatus('current') csil_max_command_per_profile = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 1), unsigned32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: csilMaxCommandPerProfile.setStatus('current') csil_commands_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2)) if mibBuilder.loadTexts: csilCommandsTable.setStatus('current') csil_commands_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1)).setIndexNames((0, 'CISCO-SYS-INFO-LOG-MIB', 'csilCommandProfileIndex'), (0, 'CISCO-SYS-INFO-LOG-MIB', 'csilCommandIndex')) if mibBuilder.loadTexts: csilCommandsEntry.setStatus('current') csil_command_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 1), unsigned32()) if mibBuilder.loadTexts: csilCommandProfileIndex.setStatus('current') csil_command_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 2), unsigned32()) if mibBuilder.loadTexts: csilCommandIndex.setStatus('current') csil_command_string = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilCommandString.setStatus('current') csil_command_exec_order = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 4), unsigned32()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilCommandExecOrder.setStatus('current') csil_command_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 330, 1, 3, 2, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: csilCommandStatus.setStatus('current') csil_logging_fail_notif = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 330, 0, 1)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilServerLastStatus')) if mibBuilder.loadTexts: csilLoggingFailNotif.setStatus('current') cisco_sys_info_log_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 1)) cisco_sys_info_log_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2)) cisco_sys_info_log_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 1, 1)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilGlobalConfigGroup'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerConfigGroup'), ('CISCO-SYS-INFO-LOG-MIB', 'csilCommandConfigGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): cisco_sys_info_log_mib_compliance = ciscoSysInfoLogMIBCompliance.setStatus('current') csil_global_config_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 1)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilSysInfoLogEnabled')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csil_global_config_group = csilGlobalConfigGroup.setStatus('current') csil_server_config_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 2)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilMaxServerAllowed'), ('CISCO-SYS-INFO-LOG-MIB', 'csilMaxProfilePerServerAllowed'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerAddress'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerAddressType'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerProfileIndex'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerProtocol'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerInterval'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerLoggingFileName'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerRcpUserName'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerLastStatus'), ('CISCO-SYS-INFO-LOG-MIB', 'csilServerRowStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csil_server_config_group = csilServerConfigGroup.setStatus('current') csil_command_config_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 3)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilMaxCommandPerProfile'), ('CISCO-SYS-INFO-LOG-MIB', 'csilCommandString'), ('CISCO-SYS-INFO-LOG-MIB', 'csilCommandExecOrder'), ('CISCO-SYS-INFO-LOG-MIB', 'csilCommandStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csil_command_config_group = csilCommandConfigGroup.setStatus('current') csil_notif_control_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 4)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilSysInfoLogNotifEnabled')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csil_notif_control_group = csilNotifControlGroup.setStatus('current') csil_logging_fail_notif_group = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 330, 2, 2, 5)).setObjects(('CISCO-SYS-INFO-LOG-MIB', 'csilLoggingFailNotif')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csil_logging_fail_notif_group = csilLoggingFailNotifGroup.setStatus('current') mibBuilder.exportSymbols('CISCO-SYS-INFO-LOG-MIB', csilCommandIndex=csilCommandIndex, csilServerProfileIndex=csilServerProfileIndex, csilCommandConfig=csilCommandConfig, csilServerEntry=csilServerEntry, csilCommandProfileIndex=csilCommandProfileIndex, csilCommandConfigGroup=csilCommandConfigGroup, csilGlobalConfigGroup=csilGlobalConfigGroup, ciscoSysInfoLogMIBObjects=ciscoSysInfoLogMIBObjects, csilLoggingFailNotifGroup=csilLoggingFailNotifGroup, csilGlobalConfig=csilGlobalConfig, csilCommandString=csilCommandString, ciscoSysInfoLogMIBCompliance=ciscoSysInfoLogMIBCompliance, ciscoSysInfoLogMIB=ciscoSysInfoLogMIB, ciscoSysInfoLogMIBCompliances=ciscoSysInfoLogMIBCompliances, csilMaxProfilePerServerAllowed=csilMaxProfilePerServerAllowed, csilServerRcpUserName=csilServerRcpUserName, csilServerRowStatus=csilServerRowStatus, csilServerConfigGroup=csilServerConfigGroup, csilServerInterval=csilServerInterval, csilSysInfoLogNotifEnabled=csilSysInfoLogNotifEnabled, csilServerIndex=csilServerIndex, ciscoSysInfoLogMIBNotifs=ciscoSysInfoLogMIBNotifs, csilNotifControlGroup=csilNotifControlGroup, csilServerAddressType=csilServerAddressType, csilCommandStatus=csilCommandStatus, csilLoggingFailNotif=csilLoggingFailNotif, PYSNMP_MODULE_ID=ciscoSysInfoLogMIB, csilServerLastStatus=csilServerLastStatus, csilCommandExecOrder=csilCommandExecOrder, ciscoSysInfoLogMIBGroups=ciscoSysInfoLogMIBGroups, csilServerProtocol=csilServerProtocol, csilSysInfoLogEnabled=csilSysInfoLogEnabled, csilServerConfig=csilServerConfig, ciscoSysInfoLogMIBConform=ciscoSysInfoLogMIBConform, csilCommandsTable=csilCommandsTable, csilServerAddress=csilServerAddress, csilServerLoggingFileName=csilServerLoggingFileName, csilMaxServerAllowed=csilMaxServerAllowed, csilCommandsEntry=csilCommandsEntry, csilMaxCommandPerProfile=csilMaxCommandPerProfile, csilServerTable=csilServerTable)
# # PySNMP MIB module HUAWEI-SERVER-IBMC-MIB (http://pysnmp.sf.net) # ASN.1 source file:///home/jhzhang/test/snmp/HUAWEI-SERVER-iBMC-MIB.txt # Produced by pysmi-0.0.7 at Mon Apr 3 12:24:09 2017 # On host localhost.localdomain platform Linux version 3.10.0-123.el7.x86_64 by user root # Using Python version 2.7.5 (default, Nov 6 2016, 00:28:07) #powerSupplyWorkMode ( Integer, ObjectIdentifier, OctetString, ) = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") ( NamedValues, ) = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ( ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, ) = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint") ( SnmpAdminString, ) = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ( NotificationGroup, ModuleCompliance, ) = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") ( Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, MibIdentifier, Opaque, Bits, TimeTicks, Counter64, Unsigned32, enterprises, ModuleIdentity, Gauge32, iso, ObjectIdentity, IpAddress, Counter32, ) = mibBuilder.importSymbols("SNMPv2-SMI", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "MibIdentifier", "Opaque", "Bits", "TimeTicks", "Counter64", "Unsigned32", "enterprises", "ModuleIdentity", "Gauge32", "iso", "ObjectIdentity", "IpAddress", "Counter32") ( StorageType, DisplayString, RowStatus, TextualConvention, ) = mibBuilder.importSymbols("SNMPv2-TC", "StorageType", "DisplayString", "RowStatus", "TextualConvention") huawei = MibIdentifier((1, 3, 6, 1, 4, 1, 2011)) products = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2)) hwServer = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235)) hwBMC = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1)) hwiBMC = ModuleIdentity((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1)) system = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1)) systemHealth = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4),))).setMaxAccess("readonly") systemBootsequence = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7,)).clone(namedValues=NamedValues(("noOverride", 1), ("pxe", 2), ("hdd", 3), ("cdDvd", 4), ("floppyPrimaryRemovableMedia", 5), ("unspecified", 6), ("biossetup", 7),))).setMaxAccess("readwrite") systemTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 3), DisplayString()).setMaxAccess("readonly") systemTimeZone = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-720,780))).setMaxAccess("readwrite") safepowerofftime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 5), Integer32()).setMaxAccess("readwrite") deviceName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 6), DisplayString()).setMaxAccess("readonly") deviceSerialNo = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 7), DisplayString()).setMaxAccess("readonly") powerOnPolicy = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 8), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("stayoff", 1), ("restorePreviousState", 2), ("turnon", 3),))).setMaxAccess("readwrite") hostName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 9), DisplayString()).setMaxAccess("readwrite") systemGuid = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 10), DisplayString()).setMaxAccess("readonly") identify = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 11), DisplayString()).setMaxAccess("readwrite") systemPowerState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 12), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5,)).clone(namedValues=NamedValues(("normalPowerOff", 1), ("powerOn", 2), ("forcedSystemReset", 3), ("forcedPowerCycle", 4), ("forcedPowerOff", 5),))).setMaxAccess("readwrite") presentSystemPower = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 13), Integer32()).setMaxAccess("readonly") deviceOwnerID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 14), DisplayString()).setMaxAccess("readonly") deviceslotID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 15), DisplayString()).setMaxAccess("readonly") remoteOEMInfo = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 16), DisplayString()).setMaxAccess("readwrite") deviceLocationInfo = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 17), DisplayString()).setMaxAccess("readwrite") deviceRemoteManageID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 18), DisplayString()).setMaxAccess("readwrite") bmcReboot = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 19), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("reboot", 1),))).setMaxAccess("readwrite") powerOnPermit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 20), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("notPermit", 1), ("permit", 2),))).setMaxAccess("readwrite") autoDiscoveryEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 21), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") productUniqueID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 22), DisplayString()).setMaxAccess("readonly") systemCpuUsage = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 23), Integer32()).setMaxAccess("readonly") systemBootOnce = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 24), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("once", 1), ("permanent", 2),))).setMaxAccess("readwrite") systemHealthEventDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50), ) systemHealthEventDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "eventIndex")) eventIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 1), Integer32()) eventSensorName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 2), DisplayString()).setMaxAccess("readonly") eventAlertTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 3), DisplayString()).setMaxAccess("readonly") eventAlertSeverity = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4),))).setMaxAccess("readonly") eventDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 5), DisplayString()).setMaxAccess("readonly") domainNameSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2)) domainName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 1), DisplayString()).setMaxAccess("readwrite") preferredDNSServer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 2), DisplayString()).setMaxAccess("readwrite") alternateDNSServer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 3), DisplayString()).setMaxAccess("readwrite") dnsSource = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("manual", 1), ("auto", 2),))).setMaxAccess("readwrite") bindNetPort = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("eth0", 1), ("eth1", 2),))).setMaxAccess("readwrite") bindIPProtocol = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("ipv4", 1), ("ipv6", 2),))).setMaxAccess("readwrite") ldap = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3)) ldapEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") ldapDomainServer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 2), DisplayString()).setMaxAccess("readwrite") ldapUserDomain = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 3), DisplayString()).setMaxAccess("readwrite") ldapPort = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 4), Integer32()).setMaxAccess("readwrite") ldapDomainServer2 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 5), DisplayString()).setMaxAccess("readwrite") ldapUserDomain2 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 6), DisplayString()).setMaxAccess("readwrite") ldapPort2 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 7), Integer32()).setMaxAccess("readwrite") ldapDomainServer3 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 8), DisplayString()).setMaxAccess("readwrite") ldapUserDomain3 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 9), DisplayString()).setMaxAccess("readwrite") ldapPort3 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 10), Integer32()).setMaxAccess("readwrite") ldapGroupInfoDescription1Table = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50), ) ldapGroupInfoDescription1Entry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "groupIndex")) groupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 1), Integer32()) groupName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 2), DisplayString()).setMaxAccess("readwrite") groupDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 3), DisplayString()).setMaxAccess("readwrite") groupPrivilege = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7,)).clone(namedValues=NamedValues(("commonUser", 1), ("operator", 2), ("administrator", 3), ("customRole1", 4), ("customRole2", 5), ("customRole3", 6), ("customRole4", 7),))).setMaxAccess("readwrite") groupInterfaces = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 5), Integer32()).setMaxAccess("readwrite") ldapGroupInfoDescription2Table = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51), ) ldapGroupInfoDescription2Entry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "groupIndex2")) groupIndex2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 1), Integer32()) groupName2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 2), DisplayString()).setMaxAccess("readwrite") groupPrivilege2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7,)).clone(namedValues=NamedValues(("commonUser", 1), ("operator", 2), ("administrator", 3), ("customRole1", 4), ("customRole2", 5), ("customRole3", 6), ("customRole4", 7),))).setMaxAccess("readwrite") groupInterfaces2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 4), Integer32()).setMaxAccess("readwrite") groupDomain2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 5), DisplayString()).setMaxAccess("readwrite") ldapGroupInfoDescription3Table = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52), ) ldapGroupInfoDescription3Entry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "groupIndex3")) groupIndex3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 1), Integer32()) groupName3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 2), DisplayString()).setMaxAccess("readwrite") groupPrivilege3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7,)).clone(namedValues=NamedValues(("commonUser", 1), ("operator", 2), ("administrator", 3), ("customRole1", 4), ("customRole2", 5), ("customRole3", 6), ("customRole4", 7),))).setMaxAccess("readwrite") groupInterfaces3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 4), Integer32()).setMaxAccess("readwrite") groupDomain3 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 5), DisplayString()).setMaxAccess("readwrite") trap = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4)) trapEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") trapCommunity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 2), DisplayString()).setMaxAccess("readwrite") trapLevel = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4),))).setMaxAccess("readwrite") trapMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("eventCodeMode", 1), ("trapOidMode", 2),))).setMaxAccess("readwrite") trapVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("v1", 1), ("v2c", 2), ("v3", 3),))).setMaxAccess("readwrite") trapRearm = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("rearm", 1),))).setMaxAccess("readwrite") trapServerIdentity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("boardSN", 1), ("productAssetTag", 2), ("hostName", 3),))).setMaxAccess("readwrite") trapSecurityUserName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 8), DisplayString()).setMaxAccess("readwrite") trapLevelDetail = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 9), DisplayString()).setMaxAccess("readwrite") trapInfoDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50), ) trapInfoDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "trapReceiverIndex")) trapReceiverIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 1), Integer32()) trapReceiverEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") trapReceiverAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 3), DisplayString()).setMaxAccess("readwrite") trapReceiverPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 4), Integer32()).setMaxAccess("readwrite") trapSendType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("snmpTrap", 1),))).setMaxAccess("readwrite") trapTest = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 6), Integer32()).setMaxAccess("readwrite") smtp = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5)) smtpEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") smtpSendSeverity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4),))).setMaxAccess("readwrite") smtpServerIP = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 3), DisplayString()).setMaxAccess("readwrite") smtpLoginType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("anonymous", 1), ("account", 2),))).setMaxAccess("readwrite") smtpLoginAccount = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 5), DisplayString()).setMaxAccess("readwrite") smtpLoginPassword = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 6), DisplayString()).setMaxAccess("readwrite") smtpSendFrom = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 7), DisplayString()).setMaxAccess("readwrite") smtpTLSEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 8), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") smtpSendSeverityDetail = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 9), DisplayString()).setMaxAccess("readwrite") smtpReceiverDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50), ) smtpReceiverDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "smtpReceiverIndex")) smtpReceiverIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 1), Integer32()) smtpReceiverState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") smtpReceiverAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 3), DisplayString()).setMaxAccess("readwrite") smtpReceiverDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 4), DisplayString()).setMaxAccess("readwrite") smtpReceiverTest = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 5), Integer32()).setMaxAccess("readwrite") syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34)) syslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") syslogIdentity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("boardSN", 1), ("productAssetTag", 2), ("hostName", 3),))).setMaxAccess("readwrite") syslogSeverity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("none", 5),))).setMaxAccess("readwrite") syslogProtocolType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("udp", 1), ("tcp", 2), ("tls", 3),))).setMaxAccess("readwrite") syslogAuthType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("one-way", 1), ("mutual", 2),))).setMaxAccess("readwrite") syslogImportRootCertificate = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 6), DisplayString()).setMaxAccess("readwrite") syslogImportClientCertificate = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 7), DisplayString()).setMaxAccess("readwrite") syslogInfoDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50), ) syslogInfoDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "syslogReceiverIndex")) syslogReceiverIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 1), Integer32()) syslogReceiverEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") syslogReceiverAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 3), DisplayString()).setMaxAccess("readwrite") syslogReceiverPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 4), Integer32()).setMaxAccess("readwrite") syslogSendLogType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 5), DisplayString()).setMaxAccess("readwrite") syslogReceiverTest = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 6), Integer32()).setMaxAccess("readwrite") syslogCertInfoDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51), ) syslogCertInfoDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "syslogCertType")) syslogCertType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 1), Integer32()) syslogCertIssuedTo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 2), DisplayString()).setMaxAccess("readonly") syslogCertIssuedBy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 3), DisplayString()).setMaxAccess("readonly") syslogCertValidFrom = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 4), DisplayString()).setMaxAccess("readonly") syslogCertValidTo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 5), DisplayString()).setMaxAccess("readonly") syslogCertSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 6), DisplayString()).setMaxAccess("readonly") powerSupplyInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6)) powerSupplyEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") settedPowerSupplyEntireMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("loadBalance", 1), ("activeStandby", 2), ("unsupport", 3),))).setMaxAccess("readwrite") actualPowerSupplyEntireMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("loadBalance", 1), ("activeStandby", 2), ("unknown", 3),))).setMaxAccess("readonly") settedActivePowerSupply = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 4), Integer32()).setMaxAccess("readwrite") powerSupplyDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50), ) powerSupplyDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "powerSupplyIndex")) powerSupplyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 1), Integer32()) powerSupplymanufacture = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 2), DisplayString()).setMaxAccess("readonly") powerSupplyInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("acInput", 1), ("dcInput", 2), ("acInputDcInput", 3),))).setMaxAccess("readonly") powerSupplyModel = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 4), DisplayString()).setMaxAccess("readonly") powerSupplyVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 5), DisplayString()).setMaxAccess("readonly") powerSupplyPowerRating = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 6), Integer32()).setMaxAccess("readonly") powerSupplyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") powerSupplyInputPower = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 8), Integer32()).setMaxAccess("readonly") powerSupplyPresence = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 9), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("absence", 1), ("presence", 2), ("unknown", 3),))).setMaxAccess("readonly") powerSupplyProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 10), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("psmi", 1), ("pmbus", 2),))).setMaxAccess("readonly") powerSupplyLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 11), DisplayString()).setMaxAccess("readonly") powerSupplyFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 12), DisplayString()).setMaxAccess("readonly") powerSupplyDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 13), DisplayString()).setMaxAccess("readonly") powerSupplyWorkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 14), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("active", 1), ("backup", 2), ("unknown", 3),))).setMaxAccess("readonly") fruPowerProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7)) fruPowerDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50), ) fruPowerDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "fruNum")) fruNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50, 1, 1), Integer32()) fruPowerControl = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("normalPowerOff", 1), ("powerOn", 2), ("forcedSystemReset", 3), ("forcedPowerCycle", 4),))).setMaxAccess("readwrite") fanProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8)) fanMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 1), DisplayString()).setMaxAccess("readwrite") fanLevel = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 2), Integer32()).setMaxAccess("readwrite") fanEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") fanDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50), ) fanDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "fanIndex")) fanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 1), Integer32()) fanSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 2), Integer32()).setMaxAccess("readonly") fanPresence = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("absence", 1), ("presence", 2), ("unknown", 3),))).setMaxAccess("readonly") fanStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") fanLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 5), DisplayString()).setMaxAccess("readonly") fanFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 6), DisplayString()).setMaxAccess("readonly") fanDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 7), DisplayString()).setMaxAccess("readonly") fruLedProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9)) fruLedDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50), ) fruLedDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "fruID"), (0, "HUAWEI-SERVER-IBMC-MIB", "ledName")) fruID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 1), Integer32()) ledName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 2), DisplayString()).setMaxAccess("readonly") ledColorCapbilities = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 3), DisplayString()).setMaxAccess("readonly") ledColorInLocalControlState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 4), DisplayString()).setMaxAccess("readonly") ledColorInOverrideState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 5), DisplayString()).setMaxAccess("readonly") ledColor = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 6), DisplayString()).setMaxAccess("readonly") ledMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("localControl", 1), ("override", 2), ("test", 3),))).setMaxAccess("readonly") ledStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 8), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("off", 1), ("on", 2), ("blinking", 3),))).setMaxAccess("readonly") ledLitOnLastTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 9), Integer32()).setMaxAccess("readonly") ledLitOffLastTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 10), Integer32()).setMaxAccess("readonly") componentProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10)) componentDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50), ) componentDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "componentName")) componentName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 1), DisplayString()).setMaxAccess("readonly") componentType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 9, 13, 14,)).clone(namedValues=NamedValues(("baseBoard", 1), ("mezzCard", 2), ("amcController", 3), ("mmcController", 4), ("hddBackPlane", 5), ("raidCard", 6), ("riserCard", 9), ("lomCard", 13), ("pcieCard", 14),))).setMaxAccess("readonly") componentPCBVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 3), DisplayString()).setMaxAccess("readonly") componentBoardID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 4), DisplayString()).setMaxAccess("readonly") componentStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") firmwareProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11)) firmwareDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50), ) firmwareDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "firmwareName")) firmwareName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 1), DisplayString()).setMaxAccess("readonly") firmwareType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("iBMC", 1), ("fpga", 2), ("cpld", 3), ("bios", 4), ("uboot", 5), ("lcd", 6),))).setMaxAccess("readonly") firmwareReleaseDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 3), DisplayString()).setMaxAccess("readonly") firmwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 4), DisplayString()).setMaxAccess("readonly") firmwareLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 5), DisplayString()).setMaxAccess("readonly") fruNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 6), Integer32()) firmwareBoard = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 7), DisplayString()).setMaxAccess("readonly") networkProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12)) networkDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50), ) networkDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "ethNum")) ethNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 1), Integer32()) ethIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 2), IpAddress()).setMaxAccess("readwrite") ethNetmask = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 3), IpAddress()).setMaxAccess("readwrite") ethDefaultGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 4), IpAddress()).setMaxAccess("readwrite") ethIPSource = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("static", 1), ("dhcp", 2),))).setMaxAccess("readwrite") ethMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 6), DisplayString()).setMaxAccess("readonly") ethType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("mgmt", 1), ("share", 2),))).setMaxAccess("readonly") ethHostPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 8), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5,)).clone(namedValues=NamedValues(("none", 1), ("port1", 2), ("port2", 3), ("port3", 4), ("port4", 5),))).setMaxAccess("readwrite") ethEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 9), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") ethMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 10), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("dedicated", 1), ("lomShare", 2), ("adaptive", 3), ("pcieShare", 4),))).setMaxAccess("readwrite") vlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 11), DisplayString()).setMaxAccess("readwrite") ethInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 12), DisplayString()).setMaxAccess("readwrite") ethIPv4Enable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 13), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") sensorProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13)) sensorDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50), ) sensorDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "sensorName")) sensorName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 1), DisplayString()).setMaxAccess("readonly") sensorReading = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 2), DisplayString()).setMaxAccess("readonly") sensorUpperNonRecoverable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 3), DisplayString()).setMaxAccess("readonly") sensorUpperCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 4), DisplayString()).setMaxAccess("readonly") sensorUpperMinor = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 5), DisplayString()).setMaxAccess("readonly") sensorLowerNonRecoverable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 6), DisplayString()).setMaxAccess("readonly") sensorLowerCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 7), DisplayString()).setMaxAccess("readonly") sensorLowerMinor = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 8), DisplayString()).setMaxAccess("readonly") sensorStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 9), DisplayString()).setMaxAccess("readonly") sensorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 10), Integer32()).setMaxAccess("readonly") sensorPositiveHysteresis = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 11), Integer32()).setMaxAccess("readonly") sensorNegativeHysteresis = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 12), Integer32()).setMaxAccess("readonly") sensorPositiveHysteresisString = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 13), DisplayString()).setMaxAccess("readonly") sensorNegativeHysteresisString = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 14), DisplayString()).setMaxAccess("readonly") sensorUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 15), Integer32().subtype(subtypeSpec=SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 18,)).clone(namedValues=NamedValues(("unspecified", 0), ("degrees-c", 1), ("degrees-f", 2), ("degrees-k", 3), ("volts", 4), ("amps", 5), ("watts", 6), ("rpm", 18),))).setMaxAccess("readonly") sensorEventReadingType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 16), Integer32()).setMaxAccess("readonly") userProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14)) userDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50), ) userDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "userID")) userID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 1), Integer32()) userEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") userName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 3), DisplayString()).setMaxAccess("readwrite") userPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 4), DisplayString()).setMaxAccess("readwrite") userGroupID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8,)).clone(namedValues=NamedValues(("commonUser", 1), ("operator", 2), ("administrator", 3), ("noAccess", 4), ("customRole1", 5), ("customRole2", 6), ("customRole3", 7), ("customRole4", 8),))).setMaxAccess("readwrite") userDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("delete", 1),))).setMaxAccess("readwrite") userInterfaces = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 7), Integer32()).setMaxAccess("readwrite") userPublicKeyAdd = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 8), DisplayString()).setMaxAccess("readwrite") userPublicKeyDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 9), DisplayString()).setMaxAccess("readwrite") userPublicKeyHash = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 10), DisplayString()).setMaxAccess("readonly") cpuProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15)) cpuEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") cpuDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50), ) cpuDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "cpuIndex")) cpuIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 1), Integer32()) cpuManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 2), DisplayString()).setMaxAccess("readonly") cpuFamily = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 3), DisplayString()).setMaxAccess("readonly") cpuType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 4), DisplayString()).setMaxAccess("readonly") cpuClockRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 5), DisplayString()).setMaxAccess("readonly") cpuStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") cpuAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("backup", 3), ("active", 4),))).setMaxAccess("readonly") cpuLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 8), DisplayString()).setMaxAccess("readonly") cpuFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 9), DisplayString()).setMaxAccess("readonly") cpuDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 10), DisplayString()).setMaxAccess("readonly") cpuProcessorID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 11), DisplayString()).setMaxAccess("readonly") cpuCoreCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 12), Integer32()).setMaxAccess("readonly") cpuThreadCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 13), Integer32()).setMaxAccess("readonly") cpuMemoryTechnology = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 14), DisplayString()).setMaxAccess("readonly") cpuL1Cache_K = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 15), Integer32()).setLabel("cpuL1Cache-K").setMaxAccess("readonly") cpuL2Cache_K = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 16), Integer32()).setLabel("cpuL2Cache-K").setMaxAccess("readonly") cpuL3Cache_K = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 17), Integer32()).setLabel("cpuL3Cache-K").setMaxAccess("readonly") memoryProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16)) memoryEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") memoryDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50), ) memoryDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "memoryDimmIndex")) memoryDimmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 1), Integer32()) memoryLogic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 2), DisplayString()).setMaxAccess("readonly") memoryManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 3), DisplayString()).setMaxAccess("readonly") memorySize = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 4), DisplayString()).setMaxAccess("readonly") memoryClockRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 5), DisplayString()).setMaxAccess("readonly") memoryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") memoryAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("backup", 3), ("active", 4),))).setMaxAccess("readonly") memoryLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 8), DisplayString()).setMaxAccess("readonly") memoryFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 9), DisplayString()).setMaxAccess("readonly") memoryDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 10), DisplayString()).setMaxAccess("readonly") memoryType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 11), DisplayString()).setMaxAccess("readonly") memorySN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 12), DisplayString()).setMaxAccess("readonly") memoryMinimumVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 13), Integer32()).setMaxAccess("readonly") memoryRank = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 14), Integer32()).setMaxAccess("readonly") memoryBitWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 15), Integer32()).setMaxAccess("readonly") memoryTechnology = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 16), DisplayString()).setMaxAccess("readonly") lomProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17)) lomDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50), ) lomDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "lomIndex")) lomIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50, 1, 1), Integer32()) lomMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50, 1, 2), DisplayString()).setMaxAccess("readonly") hardDiskProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18)) hardDiskEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") hardDiskDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50), ) hardDiskDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "hardDiskIndex")) hardDiskIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 1), Integer32()) hardDiskPresence = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("absence", 1), ("presence", 2), ("unknown", 3),))).setMaxAccess("readonly") hardDiskStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") hardDiskLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 4), DisplayString()).setMaxAccess("readonly") hardDiskFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 5), DisplayString()).setMaxAccess("readonly") hardDiskDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 6), DisplayString()).setMaxAccess("readonly") hardDiskSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 7), DisplayString()).setMaxAccess("readonly") hardDiskModelNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 8), DisplayString()).setMaxAccess("readonly") hardDiskManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 9), DisplayString()).setMaxAccess("readonly") hardDiskFwState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 10), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 255,)).clone(namedValues=NamedValues(("unconfigured-good", 1), ("unconfigured-bad", 2), ("hot-spare", 3), ("offline", 4), ("failed", 5), ("rebuild", 6), ("online", 7), ("copyback", 8), ("jbod", 9), ("unconfigured-shielded", 10), ("hot-spare-shielded", 11), ("configured-shielded", 12), ("foreign", 13), ("unknown", 255),))).setMaxAccess("readwrite") hardDiskFwVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 11), DisplayString()).setMaxAccess("readonly") hardDiskCapacityInGB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") hardDiskMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 13), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 255,)).clone(namedValues=NamedValues(("hdd", 1), ("ssd", 2), ("ssm", 3), ("unknown", 255),))).setMaxAccess("readonly") hardDiskInterfaceType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 14), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 255,)).clone(namedValues=NamedValues(("undefined", 1), ("parallel-scsi", 2), ("sas", 3), ("sata", 4), ("fiber-channel", 5), ("sata-sas", 6), ("pcie", 7), ("unknown", 255),))).setMaxAccess("readonly") hardDiskPowerState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 15), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 255,)).clone(namedValues=NamedValues(("spun-up", 1), ("spun-down", 2), ("transition", 3), ("unknown", 255),))).setMaxAccess("readonly") hardDiskRebuildProgress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") hardDiskPatrolReadStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 17), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("stopped", 1), ("in-progress", 2), ("unknown", 255),))).setMaxAccess("readonly") hardDiskCapableSpeedInMbps = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") hardDiskNegotiatedSpeedInMbps = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") hardDiskTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") hardDiskSASAddr1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 21), DisplayString()).setMaxAccess("readonly") hardDiskSASAddr2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 22), DisplayString()).setMaxAccess("readonly") hardDiskPrefailState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 23), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("unknown", 255),))).setMaxAccess("readonly") hardDiskHotSpareState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 24), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 255,)).clone(namedValues=NamedValues(("none", 1), ("global", 2), ("dedicated", 3), ("commissioned", 4), ("emergency", 5), ("unknown", 255),))).setMaxAccess("readwrite") hardDiskRemnantWearout = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") hardDiskMediaErrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") hardDiskPrefailErrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") hardDiskOtherErrCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 28), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") hardDiskLocationState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 29), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("off", 2), ("on", 3),))).setMaxAccess("readwrite") hardDiskCapacityInMB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 30), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") fruInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19)) fruDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50), ) fruDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "fruId")) fruId = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 1), Integer32()) fruBoardManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 2), DisplayString()).setMaxAccess("readonly") fruBoardProductName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 3), DisplayString()).setMaxAccess("readonly") fruBoardSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 4), DisplayString()).setMaxAccess("readonly") fruBoardPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 5), DisplayString()).setMaxAccess("readonly") fruBoardMfgDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 6), DisplayString()).setMaxAccess("readonly") fruBoardFileID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 7), DisplayString()).setMaxAccess("readonly") fruProductManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 8), DisplayString()).setMaxAccess("readonly") fruProductName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 9), DisplayString()).setMaxAccess("readonly") fruProductSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 10), DisplayString()).setMaxAccess("readonly") fruProductPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 11), DisplayString()).setMaxAccess("readonly") fruProductVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 12), DisplayString()).setMaxAccess("readonly") fruProductAssetTag = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 13), DisplayString()).setMaxAccess("readonly") fruProductFileID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 14), DisplayString()).setMaxAccess("readonly") fruExtendedELabelDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60), ) fruExtendedELabelDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "fruid"), (0, "HUAWEI-SERVER-IBMC-MIB", "fruExtendedELabelIndex")) fruid = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1, 1), Integer32()) fruExtendedELabelIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1, 2), Integer32()).setMaxAccess("readonly") fruExtendedELabelInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1, 3), DisplayString()).setMaxAccess("readonly") powerStatistic = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20)) peakPower = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 1), DisplayString()).setMaxAccess("readonly") peakPowerOccurTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 2), DisplayString()).setMaxAccess("readonly") averagePower = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 3), DisplayString()).setMaxAccess("readonly") powerConsumption = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 4), DisplayString()).setMaxAccess("readonly") powerStatisticStartTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 5), DisplayString()).setMaxAccess("readonly") clearPowerStatistic = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("clearall", 1),))).setMaxAccess("readwrite") powerManagement = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23)) powerCappingEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") powerCappingValue = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23, 2), Integer32()).setMaxAccess("readwrite") powerCappingFailureAction = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("eventlog", 1), ("eventlogAndPowerOff", 2),))).setMaxAccess("readwrite") pCIeDeviceProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24)) pCIeDeviceEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") pCIeDeviceDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50), ) pCIeDeviceDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "pCIeDeviceIndex")) pCIeDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 1), Integer32()) pCIeDevicePresence = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("absence", 1), ("presence", 2), ("unknown", 3),))).setMaxAccess("readonly") pCIeDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") pCIeAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("backup", 3), ("active", 4),))).setMaxAccess("readonly") pCIeDeviceLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 5), DisplayString()).setMaxAccess("readonly") pCIeDeviceFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 6), DisplayString()).setMaxAccess("readonly") pCIeDeviceDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 7), DisplayString()).setMaxAccess("readonly") pCIeDeviceVID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 8), Integer32()).setMaxAccess("readonly") pCIeDeviceDID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 9), Integer32()).setMaxAccess("readonly") pCIeDeviceManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 10), DisplayString()).setMaxAccess("readonly") pCIeDeviceDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 11), DisplayString()).setMaxAccess("readonly") mezzProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25)) mezzDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50), ) mezzDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "mezzCardIndex")) mezzCardIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 1), Integer32()) mezzCardLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 2), DisplayString()).setMaxAccess("readonly") mezzCardFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 3), DisplayString()).setMaxAccess("readonly") mezzCardDevicename = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 4), DisplayString()).setMaxAccess("readonly") temperatureProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26)) temperatureDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50), ) temperatureDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "temperatureIndex")) temperatureIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 1), Integer32()) temperatureObject = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 2), DisplayString()).setMaxAccess("readonly") temperatureReading = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 3), Integer32()).setMaxAccess("readonly") temperatureUpperNonRecoverable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 4), Integer32()).setMaxAccess("readonly") temperatureUpperCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 5), Integer32()).setMaxAccess("readonly") temperatureUpperMinor = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 6), Integer32()).setMaxAccess("readonly") temperatureLowerNonRecoverable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 7), Integer32()).setMaxAccess("readonly") temperatureLowerCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 8), Integer32()).setMaxAccess("readonly") temperatureLowerMinor = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 9), Integer32()).setMaxAccess("readonly") networkTimeProtocol = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27)) ntpSupport = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("nosupport", 1), ("support", 2),))).setMaxAccess("readonly") ntpEnabled = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") preferredNTPServer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 3), DisplayString()).setMaxAccess("readwrite") alternateNTPServer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 4), DisplayString()).setMaxAccess("readwrite") ntpServersource = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("manual", 1), ("auto", 2),))).setMaxAccess("readwrite") bindNTPIPProtocol = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("ipv4", 1), ("ipv6", 2),))).setMaxAccess("readwrite") ntpAuthEnabled = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") ntpImportGroupkey = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 8), DisplayString()).setMaxAccess("readwrite") ntpGroupkeyState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 9), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("notimported", 1), ("imported", 2),))).setMaxAccess("readonly") snmpMIBConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 29)) snmpV3Algorithm = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 29, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("mD5andDES", 1), ("mD5andAES", 2), ("sHA1andDES", 3), ("sHA1andAES", 4),))).setMaxAccess("readwrite") firmwareUpgrade = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30)) firmwareUpgradeStart = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30, 1), DisplayString()).setMaxAccess("readwrite") firmwareUpgradeState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30, 2), Integer32()).setMaxAccess("readonly") firmwareUpgradeDetailedResults = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30, 3), DisplayString()).setMaxAccess("readonly") certificate = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31)) currentCertInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1)) ownerCountry = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 1), DisplayString()).setMaxAccess("readonly") ownerState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 2), DisplayString()).setMaxAccess("readonly") ownerLocation = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 3), DisplayString()).setMaxAccess("readonly") ownerOrganization = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 4), DisplayString()).setMaxAccess("readonly") ownerOrganizationUnit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 5), DisplayString()).setMaxAccess("readonly") ownerCommonName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 6), DisplayString()).setMaxAccess("readonly") issuerCountry = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 7), DisplayString()).setMaxAccess("readonly") issuerState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 8), DisplayString()).setMaxAccess("readonly") issuerLocation = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 9), DisplayString()).setMaxAccess("readonly") issuerOrganization = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 10), DisplayString()).setMaxAccess("readonly") issuerOrganizationUnit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 11), DisplayString()).setMaxAccess("readonly") issuerCommonName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 12), DisplayString()).setMaxAccess("readonly") certStartTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 13), DisplayString()).setMaxAccess("readonly") certExpiration = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 14), DisplayString()).setMaxAccess("readonly") csrRequestInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2)) reqCountry = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 1), DisplayString()).setMaxAccess("readwrite") reqState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 2), DisplayString()).setMaxAccess("readwrite") reqLocation = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 3), DisplayString()).setMaxAccess("readwrite") reqOrganization = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 4), DisplayString()).setMaxAccess("readwrite") reqOrganizationUnit = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 5), DisplayString()).setMaxAccess("readwrite") reqCommonName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 6), DisplayString()).setMaxAccess("readwrite") csrGenerate = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("csrGenerate", 1),))).setMaxAccess("readwrite") csrExport = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 8), DisplayString()).setMaxAccess("readonly") certificateImport = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 9), DisplayString()).setMaxAccess("readwrite") csrStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 10), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("notStartedOrHasSuccessfullyCompleted", 1), ("beingGenerated", 2), ("failsGenerated", 3),))).setMaxAccess("readonly") customCertInsert = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3)) customCertificateContent = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3, 1), DisplayString()).setMaxAccess("readwrite") customCertificatePasswd = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3, 2), DisplayString()).setMaxAccess("readwrite") customCertificateImport = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1,)).clone(namedValues=NamedValues(("customCertificateImport", 1),))).setMaxAccess("readwrite") caCertInfoTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4), ).setMaxAccess("readonly") caCertInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1), ).setMaxAccess("readonly").setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "caCertIndex")) caCertIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 1), Integer32()).setMaxAccess("readonly") caCertType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 2), DisplayString()).setMaxAccess("readonly") caCertOwnerCountry = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 3), DisplayString()).setMaxAccess("readonly") caCertOwnerState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 4), DisplayString()).setMaxAccess("readonly") caCertOwnerLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 5), DisplayString()).setMaxAccess("readonly") caCertOwnerOrganization = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 6), DisplayString()).setMaxAccess("readonly") caCertOwnerOrganizationUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 7), DisplayString()).setMaxAccess("readonly") caCertOwnerCommonName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 8), DisplayString()).setMaxAccess("readonly") caCertIssuerCountry = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 9), DisplayString()).setMaxAccess("readonly") caCertIssuerState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 10), DisplayString()).setMaxAccess("readonly") caCertIssuerLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 11), DisplayString()).setMaxAccess("readonly") caCertIssuerOrganization = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 12), DisplayString()).setMaxAccess("readonly") caCertIssuerOrganizationUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 13), DisplayString()).setMaxAccess("readonly") caCertIssuerCommonName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 14), DisplayString()).setMaxAccess("readonly") caCertStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 15), DisplayString()).setMaxAccess("readonly") caCertExpiration = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 16), DisplayString()).setMaxAccess("readonly") caCertSN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 17), DisplayString()).setMaxAccess("readonly") hwTrap = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500)) hwTrapVar = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1)) hwTrapSeq = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 1), Integer32()).setMaxAccess("readonly") hwTrapSensorName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 2), DisplayString()).setMaxAccess("readonly") hwTrapEvent = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 3), DisplayString()).setMaxAccess("readonly") hwTrapSeverity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4),))).setMaxAccess("readonly") hwTrapEventCode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 5), DisplayString()).setMaxAccess("readonly") hwTrapEventData2 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 6), Integer32()).setMaxAccess("readonly") hwTrapEventData3 = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 7), Integer32()).setMaxAccess("readonly") hwTrapServerIdentity = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 8), DisplayString()).setMaxAccess("readonly") hwTrapLocation = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 9), DisplayString()).setMaxAccess("readonly") hwTrapTime = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 10), DisplayString()).setMaxAccess("readonly") hwServerTRAPObject = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10)) hwOEM = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1)) hwOEMEvent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPhysicalSecurity = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 5)) hwChassisIntrusion = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 5, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPU = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7)) hwCPUCATError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUCATErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUThermalTrip = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUThermalTripDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUSelfTestFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUSelfTestFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUCfgError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 81)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUCfgErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 82)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUPresence = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 113)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUPresenceDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 114)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUOffline = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUOfflineDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMCE = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 177)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMCEDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 178)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwVMSELinkFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 193)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwVMSELinkFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 194)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupply = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8)) hwPowerSupplyFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyPredictiveFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyPredictiveFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyInputLost = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 49)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyInputLostDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 50)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyACLost = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 65)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerSupplyACLostDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 66)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemory = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12)) hwCorrectableECC = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCorrectableECCDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwUncorrectableECC = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwUncorrectableECCDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryECCLimitation = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 81)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryECCLimitationDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 82)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryPresence = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 97)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryPresenceDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 98)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryCfgError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 113)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryCfgErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 114)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemorySpare = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemorySpareDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryOvertemp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 161)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryOvertempDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 162)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwStorageDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13)) hwStorageDevicePresence = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwStorageDevicePresenceDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwStorageDeviceFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwStorageDeviceFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwStorageDevicePredictiveFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwStorageDevicePredictiveFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDArrayFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 97)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDArrayFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 98)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDRebuild = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 113)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDRebuildDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 114)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDRebuildAborted = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDRebuildAbortedDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysFWProgress = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15)) hwSystemFirmwareHang = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSystemFirmwareHangDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPS2USBFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 1793)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPS2USBFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 1794)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwVideoControllerFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 2305)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwVideoControllerFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 2306)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUVoltageMismatch = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 3073)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUVoltageMismatchDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 3074)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSystemNoMemory = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 257)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSystemNoMemoryDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 258)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18)) hwSysEventInstance = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18, 65)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSystemError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSystemErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerButton = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 20)) hwPowerButtonPressed = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 20, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCable = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 27)) hwCableStatus = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 27, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCableStatusDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 27, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysRestart = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29)) hwSysRestartUnknown = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 113)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysRestartChassisCtrl = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 369)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysRestartPowerButton = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 881)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysRestartWatchdogCtrl = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 1137)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysRestartAlwaysRestore = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 1649)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysRestartRestorePrevState = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 1905)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwBootError = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30)) hwNoBootableMedia = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwNoBootableMediaDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwNoBootableDisk = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwNoBootableDiskDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPXENotFound = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPXENotFoundDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwInvalidBootSector = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 49)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwInvalidBootSectorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 50)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwDeviceFault = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33)) hwHardwareAddrFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHardwareAddrFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLossBmaHeartBeat = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLossBmaHeartBeatDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwDeviceInstall = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwDeviceInstallDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwEthLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwEthLinkDownDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemBrdMigrate = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 145)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemBrdMigrateDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 146)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIEStatus = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 257)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIEStatusDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 258)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFanFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2049)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFanFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2050)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2305)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2306)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData2"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventData3"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwACPIStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 34)) hwACPIStatusS0 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 34, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwACPIStatusS4S5 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 34, 97)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDog = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35)) hwWatchDogOverflow = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogOverflowDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogReset = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogResetDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogPowerDown = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogPowerDownDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogPowerCycle = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 49)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwWatchDogPowerCycleDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 50)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLANHeartBeat = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 39)) hwLANHeartLost = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 39, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLANHeartLostDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 39, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMngmntHealth = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40)) hwSensorAccessibleFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSensorAccessibleFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwControllerAccessibleFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwControllerAccessibleFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFruFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 81)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFruFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 82)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwBattery = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41)) hwRTCBatterylow = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRTCBatterylowDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDCardBBUFailed = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDCardBBUFailedDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDCardBBUPresence = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwRAIDCardBBUPresenceDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwVerChange = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 43)) hwHardwareChange = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 43, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFirmwareChange = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 43, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLCD = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1052)) hwLCDFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1052, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLCDFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1052, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwap = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240)) hwHotSwaptoM0 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM1 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM2 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM3 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 49)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM4 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 65)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM5 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 81)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM6 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 97)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwHotSwaptoM7 = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 113)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLink = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241)) hwIPMBLinkStateAll = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLinkStateAllDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLinkStateB = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLinkStateBDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLinkStateA = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLinkStateADeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwIPMBLinkStateNoFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 49)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwTrapTest = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 256)) hwTrapTestInstance = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 256, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOvertemperature = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257)) hwOvertempMinor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 113)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOvertempMinorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 114)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOvertempMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 145)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOvertempMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 146)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOvertempCritical = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 177)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOvertempCriticalDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 178)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwNoSDCard = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 781)) hwNoSDCardAssert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 781, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwNoSDCardDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 781, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwBoardMismatch = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 786)) hwBoardMismatchAssert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 786, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwBoardMismatchDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 786, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwAddInCard = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 791)) hwPCIeError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 791, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 791, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwChipSet = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 793)) hwPCHError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 793, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCHErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 793, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwUIDButton = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 788)) hwUIDButtonPressed = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 788, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerCapping = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1042)) hwPowerCapFail = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1042, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPowerCapFailDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1042, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCardFault = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1047)) hwCardStatusFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1047, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCardStatusFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1047, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUUsage = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1287)) hwCPUUsageHigh = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1287, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUUsageHighDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1287, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryUsage = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1292)) hwMemoryUsageHigh = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1292, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryUsageHighDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1292, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwDiskUsage = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1293)) hwDiskUsageHigh = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1293, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwDiskUsageHighDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1293, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSysNotice = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1810)) hwSystemWarmReset = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1810, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSystemWarmResetDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1810, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwModule = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1813)) hwModuleCritical = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1813, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPSPresenceStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2057)) hwPSPresence = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2057, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPSPresenceDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2057, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFanPresenceStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2058)) hwFanAbsent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2058, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwFanAbsentDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2058, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCardPresenceStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2071)) hwCardPresence = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2071, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCardPresenceDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2071, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLCDPresenceStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2076)) hwLCDAbsent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2076, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLCDAbsentDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2076, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryRiser = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583)) hwMemoryRiserOnline = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 49)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryRiserOnlineDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 50)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryRiserOffline = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 65)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryRiserOfflineDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 66)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryRiserInstallError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryRiserInstallErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUCore = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2311)) hwCPUCoreIsolation = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2311, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUCoreIsolationDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2311, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPSRedundancy = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2824)) hwPSRedundancyLost = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2824, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPSRedundancyLostDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2824, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSELStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16)) hwSELClearedAssert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSELAlmostFullAssert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16, 81)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwSELAlmostFullDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16, 82)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwBMCBootUp = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2326)) hwBMCBootUpAssert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2326, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLog = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1808)) hwLogFull = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1808, 129)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLogFullDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1808, 130)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwVoltage = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258)) hwLowerVoltageMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwLowerVoltageMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOverVoltageMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 145)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOverVoltageMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 146)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOverVoltageCritcal = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 177)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwOverVoltageCritcalDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 178)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUProchot = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 775)) hwCPUProchotState = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 775, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUProchotStateDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 775, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwServerTRAPObjectV2 = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11)) hwPCIeCardEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9)) hwPCIeCardUncorrectableErr = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 1)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardUncorrectableErrDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 2)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardOverTemp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 3)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardOverTempDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 4)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardAccessTempFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 5)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardAccessTempFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 6)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardAccessFRULableFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 7)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardAccessFRULableFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 8)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardDIMMOverTemp = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 9)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardDIMMOverTempDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 10)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardOverTempMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 11)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardOverTempMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 12)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardCPUOverTempMinor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 13)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardCPUOverTempMinorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 14)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardCPUOverTempMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 15)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardCPUOverTempMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 16)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBattLowerVoltMinor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 17)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBattLowerVoltMinorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 18)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardLowerVoltMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 19)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardLowerVoltMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 20)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardOverVoltMajor = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 21)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardOverVoltMajorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 22)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardAccessVoltFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 23)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardAccessVoltFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 24)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBootEvent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 25)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBootEventDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 26)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardHardwareFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 27)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardHardwareFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 28)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBootDiskAbsent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 29)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBootDiskAbsentDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 30)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardDIMMFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 31)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardDIMMFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 32)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardFWInitFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 33)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardFWInitFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 34)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardCPUInitFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 35)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardCPUInitFailureDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 36)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardWatchDogTimeout = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 37)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardWatchDogTimeoutDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 38)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBBULowerVoltage = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 57)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBBULowerVoltageDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 58)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBBUFault = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 59)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBBUFaultDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 60)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBBUNotPresent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 61)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwPCIeCardBBUPresent = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 63)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2)) hwMemoryConfigError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 37)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryConfigErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 38)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryInitializationError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 39)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryInitializationErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 40)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMemoryEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45)) hwNoAvailableMemoryError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 79)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwNoAvailableMemoryErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 80)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMemoryConfigError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 75)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMemoryConfigErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 76)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMRCFatalError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 77)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwCPUMRCFatalErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 78)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryBoardEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 15)) hwMemoryBoardSMI2TainingError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 15, 5)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMemoryBoardSMI2TainingErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 15, 6)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMainboardEvent = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 17)) hwMainboardSMI2TainingError = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 17, 155)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) hwMainboardSMI2TainingErrorDeassert = NotificationType((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 17, 156)).setObjects(*(("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeq"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSensorName"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEvent"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapSeverity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapEventCode"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapServerIdentity"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapLocation"), ("HUAWEI-SERVER-IBMC-MIB", "hwTrapTime"),)) remoteManagement = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 28)) powerOnControl = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 28, 1), DisplayString()).setMaxAccess("readwrite") sdCardProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32)) sdCardControllerManufacturer = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 1), DisplayString()).setMaxAccess("readonly") sdCardControllerVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 2), DisplayString()).setMaxAccess("readonly") sdCardEntireStatus = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") sdCardDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50), ) sdCardDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "sdCardIndex")) sdCardIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 1), Integer32()) sdCardPresence = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("absence", 1), ("presence", 2), ("unknown", 3),))).setMaxAccess("readonly") sdCardStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 3), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6,)).clone(namedValues=NamedValues(("ok", 1), ("minor", 2), ("major", 3), ("critical", 4), ("absence", 5), ("unknown", 6),))).setMaxAccess("readonly") sdCardCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 4), Integer32()).setMaxAccess("readonly") sdCardManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 5), DisplayString()).setMaxAccess("readonly") sdCardSN = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 6), DisplayString()).setMaxAccess("readonly") securityModuleProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33)) presence = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("absence", 1), ("presence", 2), ("unknown", 3),))).setMaxAccess("readonly") specificationType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 2), DisplayString()).setMaxAccess("readonly") specificationVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 3), DisplayString()).setMaxAccess("readonly") manufacturerName = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 4), DisplayString()).setMaxAccess("readonly") manufacturerVersion = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 5), DisplayString()).setMaxAccess("readonly") fileTransfer = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 35)) fileTransferUrl = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 35, 1), DisplayString()).setMaxAccess("readwrite") fileTransferState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 35, 2), Integer32()).setMaxAccess("readonly") raidControllerProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36)) raidControllerDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50), ) raidControllerDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "raidControllerIndex")) raidControllerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 1), Integer32()) raidControllerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 2), DisplayString()).setMaxAccess("readonly") raidControllerType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 3), DisplayString()).setMaxAccess("readonly") raidControllerComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 4), DisplayString()).setMaxAccess("readonly") raidControllerSupportOOBManagement = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("no", 1), ("yes", 2),))).setMaxAccess("readonly") raidControllerMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("none-raid", 1), ("raid", 2), ("unknown", 255),))).setMaxAccess("readonly") raidControllerHealthStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 65535),))).setMaxAccess("readonly") raidControllerFwVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 8), DisplayString()).setMaxAccess("readonly") raidControllerNVDataVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 9), DisplayString()).setMaxAccess("readonly") raidControllerMemorySizeInMB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 65535),))).setMaxAccess("readonly") raidControllerDeviceInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 11), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5, 6, 255,)).clone(namedValues=NamedValues(("spi", 1), ("sas-3G", 2), ("sata-1-5G", 3), ("sata-3G", 4), ("sas-6G", 5), ("sas-12G", 6), ("unknown", 255),))).setMaxAccess("readonly") raidControllerSASAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 12), DisplayString()).setMaxAccess("readonly") raidControllerCachePinned = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 13), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("unknown", 255),))).setMaxAccess("readonly") raidControllerMaintainPDFailHistory = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 14), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("unknown", 255),))).setMaxAccess("readonly") raidControllerDDREccCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 65535),))).setMaxAccess("readonly") raidControllerBBUPresence = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 16), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("absent", 1), ("present", 2), ("unknown", 255),))).setMaxAccess("readonly") raidControllerBBUType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 17), DisplayString()).setMaxAccess("readonly") raidControllerBBUHealthStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 18), Integer32()).setMaxAccess("readonly") raidControllerMinStripSupportInBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", -1),))).setMaxAccess("readonly") raidControllerMaxStripSupportInBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", -1),))).setMaxAccess("readonly") raidControllerCopybackEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 21), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("enabled", 3),))).setMaxAccess("readwrite") raidControllerSMARTerCopybackEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 22), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("enabled", 3),))).setMaxAccess("readwrite") raidControllerJBODEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 23), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("enabled", 3),))).setMaxAccess("readwrite") raidControllerRestoreSettings = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 24), Integer32()).setMaxAccess("readwrite") raidControllerCreateLD = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 25), DisplayString()).setMaxAccess("readwrite") raidControllerAddLD = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 26), DisplayString()).setMaxAccess("readwrite") logicalDriveProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37)) logicalDriveDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50), ) logicalDriveDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "logicalDriveRAIDControllerIndex"), (0, "HUAWEI-SERVER-IBMC-MIB", "logicalDriveIndex")) logicalDriveRAIDControllerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 1), Integer32()) logicalDriveIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 2), Integer32()) logicalDriveRAIDLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 3), DisplayString()).setMaxAccess("readonly") logicalDriveState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 4), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 255,)).clone(namedValues=NamedValues(("offline", 1), ("partial-degraded", 2), ("degraded", 3), ("optimal", 4), ("unknown", 255),))).setMaxAccess("readonly") logicalDriveDefaultReadPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 5), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("no-read-ahead", 1), ("read-ahead", 2), ("unknown", 255),))).setMaxAccess("readwrite") logicalDriveDefaultWritePolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 6), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 255,)).clone(namedValues=NamedValues(("write-through", 1), ("write-back-with-bbu", 2), ("write-back", 3), ("unknown", 255),))).setMaxAccess("readwrite") logicalDriveDefaultIOPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 7), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("cached-IO", 1), ("direct-IO", 2), ("unknown", 255),))).setMaxAccess("readwrite") logicalDriveCurrentReadPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 8), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("no-read-ahead", 1), ("read-ahead", 2), ("unknown", 255),))).setMaxAccess("readonly") logicalDriveCurrentWritePolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 9), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 255,)).clone(namedValues=NamedValues(("write-through", 1), ("write-back-with-bbu", 2), ("write-back", 3), ("unknown", 255),))).setMaxAccess("readonly") logicalDriveCurrentIOPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 10), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("cached-IO", 1), ("direct-IO", 2), ("unknown", 255),))).setMaxAccess("readonly") logicalDriveSpanDepth = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") logicalDriveNumDrivePerSpan = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") logicalDriveStripeSizeInBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") logicalDriveStripeSizeInMB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") logicalDriveSizeInMB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") logicalDriveDiskCachePolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 16), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 255,)).clone(namedValues=NamedValues(("disk-default", 1), ("enabled", 2), ("disabled", 3), ("unknown", 255),))).setMaxAccess("readwrite") logicalDriveConsistencyCheckStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 17), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("stopped", 1), ("in-progress", 2), ("unknown", 255),))).setMaxAccess("readonly") logicalDriveBootable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 18), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 255,)).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("unknown", 255),))).setMaxAccess("readwrite") logicalDriveName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 19), DisplayString()).setMaxAccess("readwrite") logicalDriveAccessPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 20), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4, 5,)).clone(namedValues=NamedValues(("unknown", 1), ("read-write", 2), ("read-only", 3), ("blocked", 4), ("hidden", 5),))).setMaxAccess("readwrite") logicalDriveInitState = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 21), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3, 4,)).clone(namedValues=NamedValues(("unknown", 1), ("no-init", 2), ("quick-init", 3), ("full-init", 4),))).setMaxAccess("readonly") logicalDriveBGIEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 22), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("enabled", 3),))).setMaxAccess("readwrite") logicalDriveIsSSCD = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 23), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("no", 2), ("yes", 3),))).setMaxAccess("readonly") logicalDriveSSCDCachingEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 24), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2, 3,)).clone(namedValues=NamedValues(("unknown", 1), ("disabled", 2), ("enabled", 3),))).setMaxAccess("readwrite") logicalDriveAssociatedLDs = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 25), DisplayString()).setMaxAccess("readonly") logicalDriveDedicatedSparePD = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 26), DisplayString()).setMaxAccess("readonly") logicalDriveDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 27), Integer32()).setMaxAccess("readwrite") diskArrayProperty = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39)) diskArrayDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50), ) diskArrayDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "diskArrayRAIDControllerIndex"), (0, "HUAWEI-SERVER-IBMC-MIB", "diskArrayIndex")) diskArrayRAIDControllerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 1), Integer32()) diskArrayIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 2), Integer32()) diskArrayUsedSpaceInMB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") diskArrayFreeSpaceInMB = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,4294967295)).clone(namedValues=NamedValues(("unknown", 4294967295),))).setMaxAccess("readonly") diskArrayLDCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") diskArrayLDId = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 6), DisplayString()).setMaxAccess("readonly") diskArrayPDCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483648)).clone(namedValues=NamedValues(("unknown", 255),))).setMaxAccess("readonly") diskArrayPDId = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 8), DisplayString()).setMaxAccess("readonly") remoteControl = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 40)) localKVMState = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 40, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") twoFactorAuthentication = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41)) twoFactorAuthenticationEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 1), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") twoFactorAuthenticationRevocationCheck = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 2), Integer32().subtype(subtypeSpec=SingleValueConstraint(1, 2,)).clone(namedValues=NamedValues(("disable", 1), ("enable", 2),))).setMaxAccess("readwrite") rootCertificateDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50), ) rootCertificateDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "rootCertificateIndex")) rootCertificateIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 1), Integer32()) rootCertificateIssuedTo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 2), DisplayString()).setMaxAccess("readonly") rootCertificateIssuedBy = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 3), DisplayString()).setMaxAccess("readonly") rootCertificateValidFrom = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 4), DisplayString()).setMaxAccess("readonly") rootCertificateValidTo = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 5), DisplayString()).setMaxAccess("readonly") rootCertificateSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 6), DisplayString()).setMaxAccess("readonly") rootCertificateImport = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 7), DisplayString()).setMaxAccess("readwrite") rootCertificateDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 8), Integer32()).setMaxAccess("readwrite") clientCertificateDescriptionTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51), ) clientCertificateDescriptionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1), ).setIndexNames((0, "HUAWEI-SERVER-IBMC-MIB", "clientCertificateIndex")) clientCertificateIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 1), Integer32()) clientCertificateFingerPrint = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 2), DisplayString()).setMaxAccess("readonly") clientCertificateImport = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 3), DisplayString()).setMaxAccess("readwrite") clientCertificateDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 4), Integer32()).setMaxAccess("readwrite") configuration = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42)) exportconfig = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 1), DisplayString()).setMaxAccess("readwrite") importconfig = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 2), DisplayString()).setMaxAccess("readwrite") configprogress = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 3), DisplayString()).setMaxAccess("readonly") configerrorinfo = MibScalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 4), DisplayString()).setMaxAccess("readonly") mibBuilder.exportSymbols("HUAWEI-SERVER-IBMC-MIB", hwCable=hwCable, hwCPU=hwCPU, hwOvertemperature=hwOvertemperature, hwStorageDeviceFault=hwStorageDeviceFault, rootCertificateValidTo=rootCertificateValidTo, powerSupplyDevicename=powerSupplyDevicename, hwPCIeCardLowerVoltMajor=hwPCIeCardLowerVoltMajor, caCertType=caCertType, configprogress=configprogress, reqCountry=reqCountry, hwMemoryPresenceDeassert=hwMemoryPresenceDeassert, powerStatisticStartTime=powerStatisticStartTime, hwOvertempMajor=hwOvertempMajor, trapReceiverEnable=trapReceiverEnable, caCertOwnerOrganizationUnit=caCertOwnerOrganizationUnit, fruExtendedELabelDescriptionEntry=fruExtendedELabelDescriptionEntry, powerStatistic=powerStatistic, firmwareType=firmwareType, hwPowerSupplyPredictiveFailure=hwPowerSupplyPredictiveFailure, cpuIndex=cpuIndex, fruProductName=fruProductName, smtp=smtp, powerOnPermit=powerOnPermit, hwLogFullDeassert=hwLogFullDeassert, raidControllerName=raidControllerName, ldapUserDomain=ldapUserDomain, groupInterfaces3=groupInterfaces3, hwSystemWarmResetDeassert=hwSystemWarmResetDeassert, hwStorageDevice=hwStorageDevice, raidControllerFwVersion=raidControllerFwVersion, componentName=componentName, clientCertificateFingerPrint=clientCertificateFingerPrint, firmwareDescriptionTable=firmwareDescriptionTable, cpuLocation=cpuLocation, ledLitOffLastTime=ledLitOffLastTime, hwPSRedundancy=hwPSRedundancy, hwHotSwaptoM4=hwHotSwaptoM4, pCIeDeviceVID=pCIeDeviceVID, caCertStartTime=caCertStartTime, vlanID=vlanID, caCertOwnerLocation=caCertOwnerLocation, hwNoSDCardAssert=hwNoSDCardAssert, hwLossBmaHeartBeatDeassert=hwLossBmaHeartBeatDeassert, ownerCommonName=ownerCommonName, hwChassisIntrusion=hwChassisIntrusion, remoteManagement=remoteManagement, hwTrapVar=hwTrapVar, hwRTCBatterylowDeassert=hwRTCBatterylowDeassert, logicalDriveBootable=logicalDriveBootable, diskArrayRAIDControllerIndex=diskArrayRAIDControllerIndex, issuerCountry=issuerCountry, sensorUnit=sensorUnit, userDescriptionTable=userDescriptionTable, hwWatchDogPowerDown=hwWatchDogPowerDown, localKVMState=localKVMState, userProperty=userProperty, caCertOwnerOrganization=caCertOwnerOrganization, hwIPMBLinkStateA=hwIPMBLinkStateA, hardDiskHotSpareState=hardDiskHotSpareState, sdCardControllerManufacturer=sdCardControllerManufacturer, hwPCIeCardBBULowerVoltage=hwPCIeCardBBULowerVoltage, hwPCIeCardBBUPresent=hwPCIeCardBBUPresent, cpuDescriptionTable=cpuDescriptionTable, networkDescriptionEntry=networkDescriptionEntry, ldapUserDomain3=ldapUserDomain3, hwLANHeartLostDeassert=hwLANHeartLostDeassert, memoryProperty=memoryProperty, manufacturerName=manufacturerName, userName=userName, hwACPIStatusS4S5=hwACPIStatusS4S5, sensorLowerNonRecoverable=sensorLowerNonRecoverable, raidControllerDescriptionEntry=raidControllerDescriptionEntry, deviceSerialNo=deviceSerialNo, raidControllerType=raidControllerType, certStartTime=certStartTime, systemBootsequence=systemBootsequence, pCIeDeviceEntireStatus=pCIeDeviceEntireStatus, hwBMCBootUpAssert=hwBMCBootUpAssert, ethHostPort=ethHostPort, fruLedDescriptionTable=fruLedDescriptionTable, hwHotSwaptoM2=hwHotSwaptoM2, settedActivePowerSupply=settedActivePowerSupply, temperatureUpperCritical=temperatureUpperCritical, products=products, hwMemoryInitializationErrorDeassert=hwMemoryInitializationErrorDeassert, groupIndex=groupIndex, hardDiskRemnantWearout=hardDiskRemnantWearout, hwCPUCore=hwCPUCore, hwWatchDogPowerCycle=hwWatchDogPowerCycle, powerSupplyLocation=powerSupplyLocation, hwVoltage=hwVoltage, raidControllerProperty=raidControllerProperty, hwMemoryRiserOnlineDeassert=hwMemoryRiserOnlineDeassert, certificateImport=certificateImport, hwLANHeartLost=hwLANHeartLost, raidControllerIndex=raidControllerIndex, caCertIssuerCountry=caCertIssuerCountry, sensorUpperNonRecoverable=sensorUpperNonRecoverable, powerSupplyDescriptionEntry=powerSupplyDescriptionEntry, hwPowerSupplyPredictiveFailureDeassert=hwPowerSupplyPredictiveFailureDeassert, caCertIssuerState=caCertIssuerState, hwTrapEventData3=hwTrapEventData3, firmwareUpgradeState=firmwareUpgradeState, hardDiskCapacityInMB=hardDiskCapacityInMB, fruId=fruId, raidControllerCopybackEnable=raidControllerCopybackEnable, issuerOrganization=issuerOrganization, powerSupplymanufacture=powerSupplymanufacture, hwFanPresenceStatus=hwFanPresenceStatus, syslogReceiverTest=syslogReceiverTest, raidControllerComponentName=raidControllerComponentName, hwPCIeCardCPUInitFailureDeassert=hwPCIeCardCPUInitFailureDeassert, hwHardwareAddrFault=hwHardwareAddrFault, hwCPUCfgErrorDeassert=hwCPUCfgErrorDeassert, caCertOwnerCountry=caCertOwnerCountry, hwCPUCATError=hwCPUCATError, smtpEnable=smtpEnable, ntpServersource=ntpServersource, hwMngmntHealth=hwMngmntHealth, firmwareName=firmwareName, sensorPositiveHysteresis=sensorPositiveHysteresis, pCIeDeviceDevicename=pCIeDeviceDevicename, ethIPv4Enable=ethIPv4Enable, ldapGroupInfoDescription2Entry=ldapGroupInfoDescription2Entry, hwUIDButtonPressed=hwUIDButtonPressed, hardDiskStatus=hardDiskStatus, raidControllerSMARTerCopybackEnable=raidControllerSMARTerCopybackEnable, hardDiskTemperature=hardDiskTemperature, temperatureDescriptionEntry=temperatureDescriptionEntry, hwCPUUsageHigh=hwCPUUsageHigh, raidControllerCreateLD=raidControllerCreateLD, raidControllerDDREccCount=raidControllerDDREccCount, cpuL1Cache_K=cpuL1Cache_K, powerSupplyDescriptionTable=powerSupplyDescriptionTable, logicalDriveName=logicalDriveName, raidControllerMaxStripSupportInBytes=raidControllerMaxStripSupportInBytes, hwUncorrectableECCDeassert=hwUncorrectableECCDeassert, dnsSource=dnsSource, huawei=huawei, networkProperty=networkProperty, presence=presence, hwDiskUsageHighDeassert=hwDiskUsageHighDeassert, snmpV3Algorithm=snmpV3Algorithm, ledColor=ledColor, deviceLocationInfo=deviceLocationInfo, hardDiskMediaType=hardDiskMediaType, memoryStatus=memoryStatus, autoDiscoveryEnable=autoDiscoveryEnable, diskArrayProperty=diskArrayProperty, powerSupplyPresence=powerSupplyPresence, syslogInfoDescriptionTable=syslogInfoDescriptionTable, hwPCIeCardDIMMFailureDeassert=hwPCIeCardDIMMFailureDeassert, hwNoBootableMedia=hwNoBootableMedia, hwRAIDArrayFailDeassert=hwRAIDArrayFailDeassert, fanIndex=fanIndex, hwTrap=hwTrap, memoryType=memoryType, eventSensorName=eventSensorName, trapVersion=trapVersion, ntpAuthEnabled=ntpAuthEnabled, raidControllerBBUPresence=raidControllerBBUPresence, hwFanAbsentDeassert=hwFanAbsentDeassert, ldapDomainServer=ldapDomainServer, ownerLocation=ownerLocation, userPassword=userPassword, logicalDriveAccessPolicy=logicalDriveAccessPolicy, hardDiskLocationState=hardDiskLocationState, clientCertificateImport=clientCertificateImport, componentDescriptionEntry=componentDescriptionEntry, hwCPUThermalTrip=hwCPUThermalTrip, diskArrayIndex=diskArrayIndex, hardDiskDescriptionTable=hardDiskDescriptionTable, hwSELStatus=hwSELStatus, temperatureDescriptionTable=temperatureDescriptionTable, hwMemoryCfgError=hwMemoryCfgError, ldap=ldap, hwPXENotFoundDeassert=hwPXENotFoundDeassert, syslogCertValidTo=syslogCertValidTo, groupName2=groupName2, powerSupplyStatus=powerSupplyStatus, hardDiskDevicename=hardDiskDevicename, settedPowerSupplyEntireMode=settedPowerSupplyEntireMode, hwCPUThermalTripDeassert=hwCPUThermalTripDeassert, syslogCertIssuedTo=syslogCertIssuedTo, customCertificateImport=customCertificateImport, temperatureLowerMinor=temperatureLowerMinor, syslogCertValidFrom=syslogCertValidFrom, hwSysRestart=hwSysRestart, hardDiskSASAddr1=hardDiskSASAddr1, logicalDriveIndex=logicalDriveIndex, hwSysRestartUnknown=hwSysRestartUnknown, hwVerChange=hwVerChange, trapReceiverPort=trapReceiverPort, ethMode=ethMode, deviceRemoteManageID=deviceRemoteManageID, alternateNTPServer=alternateNTPServer, syslogReceiverIndex=syslogReceiverIndex, trapServerIdentity=trapServerIdentity, temperatureReading=temperatureReading, componentProperty=componentProperty, fruPowerDescriptionEntry=fruPowerDescriptionEntry, preferredDNSServer=preferredDNSServer, firmwareReleaseDate=firmwareReleaseDate, hardDiskSerialNumber=hardDiskSerialNumber, cpuAvailability=cpuAvailability, sensorUpperMinor=sensorUpperMinor, ntpImportGroupkey=ntpImportGroupkey, memoryMinimumVoltage=memoryMinimumVoltage, hwDeviceInstall=hwDeviceInstall, fruProductPartNumber=fruProductPartNumber, hwRAIDCardBBUPresenceDeassert=hwRAIDCardBBUPresenceDeassert, eventDescription=eventDescription, fruBoardFileID=fruBoardFileID, hwBootError=hwBootError, hwPCIeCardAccessFRULableFailureDeassert=hwPCIeCardAccessFRULableFailureDeassert, lomIndex=lomIndex, raidControllerCachePinned=raidControllerCachePinned, fruLedProperty=fruLedProperty, hwVMSELinkFailDeassert=hwVMSELinkFailDeassert, ownerCountry=ownerCountry, fanSpeed=fanSpeed, hwNoBootableMediaDeassert=hwNoBootableMediaDeassert, hwTrapSeq=hwTrapSeq, hwPCIeError=hwPCIeError, trapMode=trapMode, hwCPUOffline=hwCPUOffline, pCIeDeviceStatus=pCIeDeviceStatus, networkDescriptionTable=networkDescriptionTable, hwEthLinkDown=hwEthLinkDown, sensorNegativeHysteresis=sensorNegativeHysteresis, temperatureProperty=temperatureProperty, rootCertificateIndex=rootCertificateIndex, hwCardPresence=hwCardPresence, powerSupplyIndex=powerSupplyIndex, specificationVersion=specificationVersion, memoryDimmIndex=memoryDimmIndex, hwPowerButton=hwPowerButton, fruBoardProductName=fruBoardProductName, raidControllerMode=raidControllerMode, firmwareProperty=firmwareProperty, hwPCIeCardBootDiskAbsentDeassert=hwPCIeCardBootDiskAbsentDeassert, fruid=fruid, hwPCHError=hwPCHError, ldapPort3=ldapPort3, hwMemoryCfgErrorDeassert=hwMemoryCfgErrorDeassert, ntpEnabled=ntpEnabled, powerSupplyInputPower=powerSupplyInputPower, reqOrganizationUnit=reqOrganizationUnit, raidControllerSASAddress=raidControllerSASAddress, trapReceiverIndex=trapReceiverIndex, logicalDriveInitState=logicalDriveInitState, trapReceiverAddress=trapReceiverAddress, sdCardDescriptionEntry=sdCardDescriptionEntry, hwPCIeCardCPUInitFailure=hwPCIeCardCPUInitFailure) mibBuilder.exportSymbols("HUAWEI-SERVER-IBMC-MIB", hwCPUOfflineDeassert=hwCPUOfflineDeassert, deviceOwnerID=deviceOwnerID, hwRTCBatterylow=hwRTCBatterylow, presentSystemPower=presentSystemPower, hwCardFault=hwCardFault, hwRAIDRebuildAbortedDeassert=hwRAIDRebuildAbortedDeassert, hwPCIeCardAccessVoltFailure=hwPCIeCardAccessVoltFailure, hwVMSELinkFail=hwVMSELinkFail, eventAlertSeverity=eventAlertSeverity, hardDiskOtherErrCount=hardDiskOtherErrCount, customCertificatePasswd=customCertificatePasswd, hwPCIeCardOverTempMajorDeassert=hwPCIeCardOverTempMajorDeassert, deviceName=deviceName, hardDiskFwVersion=hardDiskFwVersion, memoryTechnology=memoryTechnology, firmwareLocation=firmwareLocation, issuerCommonName=issuerCommonName, diskArrayFreeSpaceInMB=diskArrayFreeSpaceInMB, safepowerofftime=safepowerofftime, rootCertificateDelete=rootCertificateDelete, reqState=reqState, hwHotSwap=hwHotSwap, hwMemoryRiser=hwMemoryRiser, groupName3=groupName3, fruBoardManufacturer=fruBoardManufacturer, hwServerTRAPObject=hwServerTRAPObject, hwIPMBLinkStateADeassert=hwIPMBLinkStateADeassert, hwSysEvent=hwSysEvent, caCertIssuerOrganization=caCertIssuerOrganization, caCertExpiration=caCertExpiration, hwCPUSelfTestFailDeassert=hwCPUSelfTestFailDeassert, hwPCIeCardAccessTempFailure=hwPCIeCardAccessTempFailure, fruDescriptionTable=fruDescriptionTable, fanPresence=fanPresence, hwPowerSupplyInputLostDeassert=hwPowerSupplyInputLostDeassert, rootCertificateSerialNumber=rootCertificateSerialNumber, groupInterfaces2=groupInterfaces2, userDescriptionEntry=userDescriptionEntry, memorySN=memorySN, firmwareUpgrade=firmwareUpgrade, cpuMemoryTechnology=cpuMemoryTechnology, hwNoSDCard=hwNoSDCard, hwCPUMCEDeassert=hwCPUMCEDeassert, powerSupplyProtocol=powerSupplyProtocol, rootCertificateDescriptionTable=rootCertificateDescriptionTable, diskArrayDescriptionTable=diskArrayDescriptionTable, firmwareVersion=firmwareVersion, powerConsumption=powerConsumption, pCIeDevicePresence=pCIeDevicePresence, sensorLowerCritical=sensorLowerCritical, ldapDomainServer2=ldapDomainServer2, rootCertificateIssuedTo=rootCertificateIssuedTo, hwLCDAbsentDeassert=hwLCDAbsentDeassert, hwMemoryBoardSMI2TainingError=hwMemoryBoardSMI2TainingError, hwHotSwaptoM7=hwHotSwaptoM7, hwOverVoltageCritcalDeassert=hwOverVoltageCritcalDeassert, sdCardControllerVersion=sdCardControllerVersion, sensorReading=sensorReading, systemHealthEventDescriptionEntry=systemHealthEventDescriptionEntry, hwNoBootableDisk=hwNoBootableDisk, hwSystemWarmReset=hwSystemWarmReset, syslogReceiverPort=syslogReceiverPort, hwCPUCfgError=hwCPUCfgError, hwPowerButtonPressed=hwPowerButtonPressed, ledName=ledName, hwTrapServerIdentity=hwTrapServerIdentity, caCertIndex=caCertIndex, diskArrayPDId=diskArrayPDId, hwPCHErrorDeassert=hwPCHErrorDeassert, ldapPort2=ldapPort2, issuerState=issuerState, securityModuleProperty=securityModuleProperty, groupIndex2=groupIndex2, csrGenerate=csrGenerate, syslogReceiverEnable=syslogReceiverEnable, ldapGroupInfoDescription2Table=ldapGroupInfoDescription2Table, bindIPProtocol=bindIPProtocol, hwIPMBLinkStateBDeassert=hwIPMBLinkStateBDeassert, userPublicKeyHash=userPublicKeyHash, systemTime=systemTime, hwCableStatus=hwCableStatus, temperatureIndex=temperatureIndex, sensorLowerMinor=sensorLowerMinor, cpuThreadCount=cpuThreadCount, syslogImportClientCertificate=syslogImportClientCertificate, hwCPUMRCFatalError=hwCPUMRCFatalError, csrExport=csrExport, cpuClockRate=cpuClockRate, smtpReceiverState=smtpReceiverState, hwRAIDRebuildDeassert=hwRAIDRebuildDeassert, logicalDriveBGIEnable=logicalDriveBGIEnable, fanDescriptionTable=fanDescriptionTable, logicalDriveDescriptionEntry=logicalDriveDescriptionEntry, deviceslotID=deviceslotID, pCIeAvailability=pCIeAvailability, peakPowerOccurTime=peakPowerOccurTime, hardDiskIndex=hardDiskIndex, caCertIssuerLocation=caCertIssuerLocation, hwBattery=hwBattery, hwTrapLocation=hwTrapLocation, lomDescriptionEntry=lomDescriptionEntry, smtpReceiverAddress=smtpReceiverAddress, hwMainboardEvent=hwMainboardEvent, raidControllerHealthStatus=raidControllerHealthStatus, productUniqueID=productUniqueID, hwTrapTime=hwTrapTime, hwSysNotice=hwSysNotice, hardDiskPrefailState=hardDiskPrefailState, ownerState=ownerState, hwVideoControllerFaultDeassert=hwVideoControllerFaultDeassert, cpuFunction=cpuFunction, rootCertificateIssuedBy=rootCertificateIssuedBy, csrRequestInfo=csrRequestInfo, hwSysRestartAlwaysRestore=hwSysRestartAlwaysRestore, hwCableStatusDeassert=hwCableStatusDeassert, hwHotSwaptoM5=hwHotSwaptoM5, groupIndex3=groupIndex3, hwLossBmaHeartBeat=hwLossBmaHeartBeat, hwWatchDogReset=hwWatchDogReset, peakPower=peakPower, hwCPUMemoryConfigErrorDeassert=hwCPUMemoryConfigErrorDeassert, hwCPUUsageHighDeassert=hwCPUUsageHighDeassert, raidControllerMaintainPDFailHistory=raidControllerMaintainPDFailHistory, csrStatus=csrStatus, hardDiskCapacityInGB=hardDiskCapacityInGB, cpuStatus=cpuStatus, hwMemorySpareDeassert=hwMemorySpareDeassert, memoryDescriptionEntry=memoryDescriptionEntry, hwLCDFault=hwLCDFault, firmwareUpgradeStart=firmwareUpgradeStart, cpuDevicename=cpuDevicename, systemHealthEventDescriptionTable=systemHealthEventDescriptionTable, hwPCIeCardBBUFaultDeassert=hwPCIeCardBBUFaultDeassert, groupDomain=groupDomain, hwTrapEventCode=hwTrapEventCode, hwMemoryBoardEvent=hwMemoryBoardEvent, hwLogFull=hwLogFull, hwHardwareAddrFaultDeassert=hwHardwareAddrFaultDeassert, customCertificateContent=customCertificateContent, hwControllerAccessibleFailDeassert=hwControllerAccessibleFailDeassert, hwFanFault=hwFanFault, logicalDriveIsSSCD=logicalDriveIsSSCD, hwWatchDogResetDeassert=hwWatchDogResetDeassert, actualPowerSupplyEntireMode=actualPowerSupplyEntireMode, eventAlertTime=eventAlertTime, hwNoAvailableMemoryError=hwNoAvailableMemoryError, hwRAIDRebuildAborted=hwRAIDRebuildAborted, hwMemoryBoardSMI2TainingErrorDeassert=hwMemoryBoardSMI2TainingErrorDeassert, caCertInfoEntry=caCertInfoEntry, hwIPMBLink=hwIPMBLink, hwControllerAccessibleFail=hwControllerAccessibleFail, hwSystemFirmwareHangDeassert=hwSystemFirmwareHangDeassert, hwPCIeCardWatchDogTimeout=hwPCIeCardWatchDogTimeout, syslogCertType=syslogCertType, hwFruFailDeassert=hwFruFailDeassert, hwPhysicalSecurity=hwPhysicalSecurity, smtpTLSEnable=smtpTLSEnable, memoryAvailability=memoryAvailability, hwCPUProchot=hwCPUProchot, hwLCDFaultDeassert=hwLCDFaultDeassert, reqOrganization=reqOrganization, hwPCIeCardAccessTempFailureDeassert=hwPCIeCardAccessTempFailureDeassert, systemCpuUsage=systemCpuUsage, hardDiskNegotiatedSpeedInMbps=hardDiskNegotiatedSpeedInMbps, clientCertificateIndex=clientCertificateIndex, diskArrayLDId=diskArrayLDId, pCIeDeviceLocation=pCIeDeviceLocation, hwLANHeartBeat=hwLANHeartBeat, hwPCIeCardBBUFault=hwPCIeCardBBUFault, hwCPUVoltageMismatchDeassert=hwCPUVoltageMismatchDeassert, logicalDriveSpanDepth=logicalDriveSpanDepth, fileTransferUrl=fileTransferUrl, sdCardEntireStatus=sdCardEntireStatus, pCIeDeviceIndex=pCIeDeviceIndex, powerSupplyEntireStatus=powerSupplyEntireStatus, hwPSPresenceDeassert=hwPSPresenceDeassert, hwEthLinkDownDeassert=hwEthLinkDownDeassert, pCIeDeviceProperty=pCIeDeviceProperty, smtpLoginAccount=smtpLoginAccount, systemBootOnce=systemBootOnce, averagePower=averagePower, fruProductSerialNumber=fruProductSerialNumber, hwLog=hwLog, ledLitOnLastTime=ledLitOnLastTime, hwMemoryPresence=hwMemoryPresence, hwPSRedundancyLostDeassert=hwPSRedundancyLostDeassert, cpuEntireStatus=cpuEntireStatus, temperatureUpperMinor=temperatureUpperMinor, hwOvertempMinor=hwOvertempMinor, hwPowerCapFailDeassert=hwPowerCapFailDeassert, hwPCIeCardUncorrectableErrDeassert=hwPCIeCardUncorrectableErrDeassert, raidControllerDeviceInterface=raidControllerDeviceInterface, hwPCIeCardBBUNotPresent=hwPCIeCardBBUNotPresent, reqCommonName=reqCommonName, trapSecurityUserName=trapSecurityUserName, hwMemoryRiserOnline=hwMemoryRiserOnline, hardDiskDescriptionEntry=hardDiskDescriptionEntry, hwCPUMemoryEvent=hwCPUMemoryEvent, hwDeviceInstallDeassert=hwDeviceInstallDeassert, fanProperty=fanProperty, trapSendType=trapSendType, hwHotSwaptoM1=hwHotSwaptoM1, mezzDescriptionTable=mezzDescriptionTable, hwSysEventInstance=hwSysEventInstance, ownerOrganizationUnit=ownerOrganizationUnit, hwOvertempMinorDeassert=hwOvertempMinorDeassert, hwCPUPresenceDeassert=hwCPUPresenceDeassert, remoteControl=remoteControl, hwCorrectableECC=hwCorrectableECC, powerCappingEnable=powerCappingEnable, groupPrivilege3=groupPrivilege3, hwMemory=hwMemory, hardDiskPowerState=hardDiskPowerState, bindNetPort=bindNetPort, hwPCIeCardCPUOverTempMinorDeassert=hwPCIeCardCPUOverTempMinorDeassert, hwOvertempCriticalDeassert=hwOvertempCriticalDeassert, sdCardIndex=sdCardIndex, hwNoAvailableMemoryErrorDeassert=hwNoAvailableMemoryErrorDeassert, userEnable=userEnable, hwHotSwaptoM3=hwHotSwaptoM3, hwCardPresenceDeassert=hwCardPresenceDeassert, userInterfaces=userInterfaces, fanLocation=fanLocation, hwPCIeCardDIMMFailure=hwPCIeCardDIMMFailure, memoryLocation=memoryLocation, configuration=configuration, smtpReceiverDescriptionEntry=smtpReceiverDescriptionEntry, currentCertInfo=currentCertInfo, lomMACAddress=lomMACAddress, fileTransfer=fileTransfer, hwFruFail=hwFruFail, hwMemBrdMigrateDeassert=hwMemBrdMigrateDeassert, sensorName=sensorName, powerCappingFailureAction=powerCappingFailureAction, groupDomain2=groupDomain2, hwLowerVoltageMajorDeassert=hwLowerVoltageMajorDeassert, powerSupplyFunction=powerSupplyFunction, fruNum=fruNum, hwWatchDogPowerDownDeassert=hwWatchDogPowerDownDeassert, hwPowerCapFail=hwPowerCapFail, sdCardPresence=sdCardPresence, hwPCIeCardOverTemp=hwPCIeCardOverTemp, hwPCIeCardAccessFRULableFailure=hwPCIeCardAccessFRULableFailure, groupInterfaces=groupInterfaces, hwOverVoltageMajor=hwOverVoltageMajor, fruPowerControl=fruPowerControl, logicalDriveDefaultReadPolicy=logicalDriveDefaultReadPolicy, hwPS2USBFaultDeassert=hwPS2USBFaultDeassert, hardDiskManufacturer=hardDiskManufacturer, hwLowerVoltageMajor=hwLowerVoltageMajor, hwPowerSupplyACLostDeassert=hwPowerSupplyACLostDeassert, alternateDNSServer=alternateDNSServer, hwPCIeCardCPUOverTempMajor=hwPCIeCardCPUOverTempMajor, fileTransferState=fileTransferState) mibBuilder.exportSymbols("HUAWEI-SERVER-IBMC-MIB", fruExtendedELabelInfo=fruExtendedELabelInfo, twoFactorAuthenticationRevocationCheck=twoFactorAuthenticationRevocationCheck, groupPrivilege=groupPrivilege, hwPCIeFault=hwPCIeFault, powerOnControl=powerOnControl, hwPCIeCardCPUOverTempMinor=hwPCIeCardCPUOverTempMinor, cpuFamily=cpuFamily, hwMemoryECCLimitationDeassert=hwMemoryECCLimitationDeassert, hwTrapEvent=hwTrapEvent, raidControllerBBUHealthStatus=raidControllerBBUHealthStatus, smtpReceiverDescriptionTable=smtpReceiverDescriptionTable, smtpLoginPassword=smtpLoginPassword, hwNoBootableDiskDeassert=hwNoBootableDiskDeassert, temperatureUpperNonRecoverable=temperatureUpperNonRecoverable, domainNameSystem=domainNameSystem, userPublicKeyDelete=userPublicKeyDelete, configerrorinfo=configerrorinfo, componentBoardID=componentBoardID, ledStatus=ledStatus, customCertInsert=customCertInsert, hardDiskModelNumber=hardDiskModelNumber, hwPCIeCardWatchDogTimeoutDeassert=hwPCIeCardWatchDogTimeoutDeassert, lomProperty=lomProperty, groupPrivilege2=groupPrivilege2, networkTimeProtocol=networkTimeProtocol, componentStatus=componentStatus, sensorType=sensorType, system=system, cpuType=cpuType, hwPCIeErrorDeassert=hwPCIeErrorDeassert, fruProductFileID=fruProductFileID, memoryLogic=memoryLogic, hwCardPresenceStatus=hwCardPresenceStatus, pCIeDeviceManufacturer=pCIeDeviceManufacturer, hwNoSDCardDeassert=hwNoSDCardDeassert, hwiBMC=hwiBMC, cpuProcessorID=cpuProcessorID, fruProductAssetTag=fruProductAssetTag, hwServerTRAPObjectV2=hwServerTRAPObjectV2, hwPCIeCardHardwareFailure=hwPCIeCardHardwareFailure, eventIndex=eventIndex, hwBMC=hwBMC, caCertInfoTable=caCertInfoTable, hwPCIeCardDIMMOverTemp=hwPCIeCardDIMMOverTemp, hwPCIeCardBBULowerVoltageDeassert=hwPCIeCardBBULowerVoltageDeassert, temperatureObject=temperatureObject, hwCPUSelfTestFail=hwCPUSelfTestFail, hwMemoryRiserInstallError=hwMemoryRiserInstallError, hwPCIeCardOverTempMajor=hwPCIeCardOverTempMajor, syslogSeverity=syslogSeverity, hwPSRedundancyLost=hwPSRedundancyLost, hwACPIStatus=hwACPIStatus, manufacturerVersion=manufacturerVersion, logicalDriveRAIDLevel=logicalDriveRAIDLevel, reqLocation=reqLocation, powerSupplyModel=powerSupplyModel, diskArrayPDCount=diskArrayPDCount, clientCertificateDelete=clientCertificateDelete, hwCPUMCE=hwCPUMCE, memoryRank=memoryRank, hwPXENotFound=hwPXENotFound, hwIPMBLinkStateNoFault=hwIPMBLinkStateNoFault, smtpSendFrom=smtpSendFrom, ledColorInLocalControlState=ledColorInLocalControlState, hwCPUMemoryConfigError=hwCPUMemoryConfigError, caCertIssuerOrganizationUnit=caCertIssuerOrganizationUnit, hwWatchDogOverflow=hwWatchDogOverflow, hwMemoryEvent=hwMemoryEvent, mezzCardLocation=mezzCardLocation, caCertOwnerCommonName=caCertOwnerCommonName, issuerLocation=issuerLocation, ntpSupport=ntpSupport, hwSensorAccessibleFailDeassert=hwSensorAccessibleFailDeassert, snmpMIBConfig=snmpMIBConfig, fruBoardMfgDate=fruBoardMfgDate, hwFirmwareChange=hwFirmwareChange, hwCPUVoltageMismatch=hwCPUVoltageMismatch, hwAddInCard=hwAddInCard, certificate=certificate, fruBoardPartNumber=fruBoardPartNumber, hwLCDPresenceStatus=hwLCDPresenceStatus, userGroupID=userGroupID, hwDeviceFault=hwDeviceFault, hostName=hostName, userDelete=userDelete, firmwareBoard=firmwareBoard, raidControllerBBUType=raidControllerBBUType, ethIPSource=ethIPSource, hwInvalidBootSectorDeassert=hwInvalidBootSectorDeassert, hwCPUCoreIsolation=hwCPUCoreIsolation, hardDiskPatrolReadStatus=hardDiskPatrolReadStatus, hwSysRestartChassisCtrl=hwSysRestartChassisCtrl, hardDiskInterfaceType=hardDiskInterfaceType, logicalDriveDedicatedSparePD=logicalDriveDedicatedSparePD, trapLevelDetail=trapLevelDetail, mezzCardFunction=mezzCardFunction, mezzDescriptionEntry=mezzDescriptionEntry, logicalDriveDescriptionTable=logicalDriveDescriptionTable, hwCardStatusFault=hwCardStatusFault, logicalDriveSSCDCachingEnable=logicalDriveSSCDCachingEnable, ethNum=ethNum, powerSupplyInputMode=powerSupplyInputMode, hwRAIDRebuild=hwRAIDRebuild, logicalDriveNumDrivePerSpan=logicalDriveNumDrivePerSpan, ldapGroupInfoDescription3Table=ldapGroupInfoDescription3Table, logicalDriveCurrentIOPolicy=logicalDriveCurrentIOPolicy, memoryClockRate=memoryClockRate, userPublicKeyAdd=userPublicKeyAdd, memoryDescriptionTable=memoryDescriptionTable, logicalDriveStripeSizeInBytes=logicalDriveStripeSizeInBytes, syslogCertSerialNumber=syslogCertSerialNumber, ethInfo=ethInfo, hwLCDAbsent=hwLCDAbsent, syslogCertInfoDescriptionEntry=syslogCertInfoDescriptionEntry, smtpServerIP=smtpServerIP, hwSystemFirmwareHang=hwSystemFirmwareHang, trapCommunity=trapCommunity, hwCPUProchotState=hwCPUProchotState, hwMainboardSMI2TainingError=hwMainboardSMI2TainingError, rootCertificateDescriptionEntry=rootCertificateDescriptionEntry, mezzProperty=mezzProperty, userID=userID, hwMainboardSMI2TainingErrorDeassert=hwMainboardSMI2TainingErrorDeassert, lomDescriptionTable=lomDescriptionTable, hwPCIeCardFWInitFailure=hwPCIeCardFWInitFailure, rootCertificateImport=rootCertificateImport, hwMemoryUsage=hwMemoryUsage, fruProductVersion=fruProductVersion, hwPCIeCardLowerVoltMajorDeassert=hwPCIeCardLowerVoltMajorDeassert, trap=trap, hwMemoryUsageHigh=hwMemoryUsageHigh, hwSELClearedAssert=hwSELClearedAssert, hwPCIeCardBattLowerVoltMinor=hwPCIeCardBattLowerVoltMinor, syslogReceiverAddress=syslogReceiverAddress, ledMode=ledMode, diskArrayUsedSpaceInMB=diskArrayUsedSpaceInMB, raidControllerNVDataVersion=raidControllerNVDataVersion, hwCardStatusFaultDeassert=hwCardStatusFaultDeassert, hwOvertempCritical=hwOvertempCritical, memoryDevicename=memoryDevicename, hwRAIDCardBBUFailedDeassert=hwRAIDCardBBUFailedDeassert, hwMemoryOvertempDeassert=hwMemoryOvertempDeassert, fanLevel=fanLevel, clientCertificateDescriptionTable=clientCertificateDescriptionTable, cpuCoreCount=cpuCoreCount, hwIPMBLinkStateB=hwIPMBLinkStateB, hwBMCBootUp=hwBMCBootUp, hwMemoryRiserOffline=hwMemoryRiserOffline, syslogImportRootCertificate=syslogImportRootCertificate, mezzCardIndex=mezzCardIndex, powerOnPolicy=powerOnPolicy, smtpSendSeverity=smtpSendSeverity, smtpSendSeverityDetail=smtpSendSeverityDetail, logicalDriveRAIDControllerIndex=logicalDriveRAIDControllerIndex, hwVideoControllerFault=hwVideoControllerFault, hwTrapSensorName=hwTrapSensorName, hwPowerCapping=hwPowerCapping, memoryBitWidth=memoryBitWidth, sensorProperty=sensorProperty, memoryEntireStatus=memoryEntireStatus, logicalDriveState=logicalDriveState, fruInfo=fruInfo, sensorPositiveHysteresisString=sensorPositiveHysteresisString, temperatureLowerCritical=temperatureLowerCritical, hwSystemError=hwSystemError, hwPowerSupplyInputLost=hwPowerSupplyInputLost, hwPCIeCardBootEvent=hwPCIeCardBootEvent, hwPowerSupplyFaultDeassert=hwPowerSupplyFaultDeassert, ledColorCapbilities=ledColorCapbilities, hwPCIeCardAccessVoltFailureDeassert=hwPCIeCardAccessVoltFailureDeassert, ldapDomainServer3=ldapDomainServer3, hwSysRestartRestorePrevState=hwSysRestartRestorePrevState, fruBoardSerialNumber=fruBoardSerialNumber, preferredNTPServer=preferredNTPServer, hwCorrectableECCDeassert=hwCorrectableECCDeassert, hwCPUMRCFatalErrorDeassert=hwCPUMRCFatalErrorDeassert, hwPCIeCardBootDiskAbsent=hwPCIeCardBootDiskAbsent, systemTimeZone=systemTimeZone, ntpGroupkeyState=ntpGroupkeyState, firmwareUpgradeDetailedResults=firmwareUpgradeDetailedResults, syslogSendLogType=syslogSendLogType, hwCPUUsage=hwCPUUsage, syslogInfoDescriptionEntry=syslogInfoDescriptionEntry, pCIeDeviceDID=pCIeDeviceDID, ethEnable=ethEnable, systemPowerState=systemPowerState, hwPCIeCardOverVoltMajorDeassert=hwPCIeCardOverVoltMajorDeassert, temperatureLowerNonRecoverable=temperatureLowerNonRecoverable, componentType=componentType, mezzCardDevicename=mezzCardDevicename, trapInfoDescriptionEntry=trapInfoDescriptionEntry, raidControllerAddLD=raidControllerAddLD, hwStorageDevicePresence=hwStorageDevicePresence, caCertOwnerState=caCertOwnerState, fruProductManufacturer=fruProductManufacturer, fruLedDescriptionEntry=fruLedDescriptionEntry, sdCardProperty=sdCardProperty, clearPowerStatistic=clearPowerStatistic, hwBoardMismatchAssert=hwBoardMismatchAssert, hwLCD=hwLCD, importconfig=importconfig, hwHardwareChange=hwHardwareChange, hwSystemNoMemory=hwSystemNoMemory, syslogAuthType=syslogAuthType, PYSNMP_MODULE_ID=hwiBMC, domainName=domainName, syslogCertIssuedBy=syslogCertIssuedBy, ldapUserDomain2=ldapUserDomain2, hardDiskCapableSpeedInMbps=hardDiskCapableSpeedInMbps, raidControllerSupportOOBManagement=raidControllerSupportOOBManagement, cpuL3Cache_K=cpuL3Cache_K, issuerOrganizationUnit=issuerOrganizationUnit, systemGuid=systemGuid, fruID=fruID, syslog=syslog, ethDefaultGateway=ethDefaultGateway, hardDiskProperty=hardDiskProperty, hardDiskFunction=hardDiskFunction, groupDomain3=groupDomain3, cpuDescriptionEntry=cpuDescriptionEntry, hwMemBrdMigrate=hwMemBrdMigrate, hwPCIEStatus=hwPCIEStatus, hwACPIStatusS0=hwACPIStatusS0, powerSupplyPowerRating=powerSupplyPowerRating, powerCappingValue=powerCappingValue, ethMACAddress=ethMACAddress, logicalDriveAssociatedLDs=logicalDriveAssociatedLDs, systemHealth=systemHealth, hwDiskUsageHigh=hwDiskUsageHigh, logicalDriveConsistencyCheckStatus=logicalDriveConsistencyCheckStatus, hwUIDButton=hwUIDButton, hwWatchDog=hwWatchDog, syslogProtocolType=syslogProtocolType, sensorDescriptionEntry=sensorDescriptionEntry, identify=identify, hwCPUPresence=hwCPUPresence, certExpiration=certExpiration, diskArrayDescriptionEntry=diskArrayDescriptionEntry, hwCPUCATErrorDeassert=hwCPUCATErrorDeassert, hwServer=hwServer, hardDiskRebuildProgress=hardDiskRebuildProgress, sdCardManufacturer=sdCardManufacturer, hwMemoryConfigErrorDeassert=hwMemoryConfigErrorDeassert, logicalDriveProperty=logicalDriveProperty, memorySize=memorySize, hwHotSwaptoM0=hwHotSwaptoM0, ledColorInOverrideState=ledColorInOverrideState, pCIeDeviceDescriptionTable=pCIeDeviceDescriptionTable, hwDiskUsage=hwDiskUsage, hwWatchDogPowerCycleDeassert=hwWatchDogPowerCycleDeassert, pCIeDeviceDescriptionEntry=pCIeDeviceDescriptionEntry, logicalDriveDiskCachePolicy=logicalDriveDiskCachePolicy, smtpReceiverIndex=smtpReceiverIndex, hwMemoryRiserInstallErrorDeassert=hwMemoryRiserInstallErrorDeassert) mibBuilder.exportSymbols("HUAWEI-SERVER-IBMC-MIB", componentDescriptionTable=componentDescriptionTable, syslogCertInfoDescriptionTable=syslogCertInfoDescriptionTable, logicalDriveDefaultIOPolicy=logicalDriveDefaultIOPolicy, fruPowerDescriptionTable=fruPowerDescriptionTable, hwRAIDCardBBUFailed=hwRAIDCardBBUFailed, fruExtendedELabelDescriptionTable=fruExtendedELabelDescriptionTable, firmwareDescriptionEntry=firmwareDescriptionEntry, hardDiskMediaErrCount=hardDiskMediaErrCount, hwStorageDevicePredictiveFailure=hwStorageDevicePredictiveFailure, sensorNegativeHysteresisString=sensorNegativeHysteresisString, rootCertificateValidFrom=rootCertificateValidFrom, trapEnable=trapEnable, hwPCIeCardFWInitFailureDeassert=hwPCIeCardFWInitFailureDeassert, sensorUpperCritical=sensorUpperCritical, hwPowerSupplyACLost=hwPowerSupplyACLost, pCIeDeviceFunction=pCIeDeviceFunction, ownerOrganization=ownerOrganization, ethIPAddress=ethIPAddress, hardDiskPresence=hardDiskPresence, hwStorageDevicePresenceDeassert=hwStorageDevicePresenceDeassert, fruDescriptionEntry=fruDescriptionEntry, groupName=groupName, ldapPort=ldapPort, hwPSPresenceStatus=hwPSPresenceStatus, hwModule=hwModule, hwOEMEvent=hwOEMEvent, fruPowerProperty=fruPowerProperty, smtpReceiverDescription=smtpReceiverDescription, raidControllerRestoreSettings=raidControllerRestoreSettings, logicalDriveDefaultWritePolicy=logicalDriveDefaultWritePolicy, hwPCIeCardEvent=hwPCIeCardEvent, cpuProperty=cpuProperty, fruExtendedELabelIndex=fruExtendedELabelIndex, logicalDriveCurrentReadPolicy=logicalDriveCurrentReadPolicy, hwMemoryRiserOfflineDeassert=hwMemoryRiserOfflineDeassert, pCIeDeviceDescription=pCIeDeviceDescription, hwSystemNoMemoryDeassert=hwSystemNoMemoryDeassert, raidControllerDescriptionTable=raidControllerDescriptionTable, hwIPMBLinkStateAll=hwIPMBLinkStateAll, hwPCIeCardHardwareFailureDeassert=hwPCIeCardHardwareFailureDeassert, logicalDriveSizeInMB=logicalDriveSizeInMB, ethType=ethType, hwPCIeCardBattLowerVoltMinorDeassert=hwPCIeCardBattLowerVoltMinorDeassert, componentPCBVersion=componentPCBVersion, specificationType=specificationType, cpuManufacturer=cpuManufacturer, trapInfoDescriptionTable=trapInfoDescriptionTable, powerManagement=powerManagement, fanEntireStatus=fanEntireStatus, hwOverVoltageMajorDeassert=hwOverVoltageMajorDeassert, hardDiskPrefailErrCount=hardDiskPrefailErrCount, ldapGroupInfoDescription1Entry=ldapGroupInfoDescription1Entry, fanStatus=fanStatus, fanMode=fanMode, ldapGroupInfoDescription3Entry=ldapGroupInfoDescription3Entry, hwStorageDevicePredictiveFailureDeassert=hwStorageDevicePredictiveFailureDeassert, logicalDriveStripeSizeInMB=logicalDriveStripeSizeInMB, twoFactorAuthentication=twoFactorAuthentication, hwSysFWProgress=hwSysFWProgress, memoryManufacturer=memoryManufacturer, caCertIssuerCommonName=caCertIssuerCommonName, hwIPMBLinkStateAllDeassert=hwIPMBLinkStateAllDeassert, sensorEventReadingType=sensorEventReadingType, trapLevel=trapLevel, hwPCIEStatusDeassert=hwPCIEStatusDeassert, hwMemoryECCLimitation=hwMemoryECCLimitation, hwPCIeCardBootEventDeassert=hwPCIeCardBootEventDeassert, hwSensorAccessibleFail=hwSensorAccessibleFail, sensorStatus=sensorStatus, hwPS2USBFault=hwPS2USBFault, hwModuleCritical=hwModuleCritical, hwPSPresence=hwPSPresence, raidControllerMinStripSupportInBytes=raidControllerMinStripSupportInBytes, hwMemoryConfigError=hwMemoryConfigError, clientCertificateDescriptionEntry=clientCertificateDescriptionEntry, hwOverVoltageCritcal=hwOverVoltageCritcal, hwBoardMismatch=hwBoardMismatch, smtpReceiverTest=smtpReceiverTest, hwMemoryInitializationError=hwMemoryInitializationError, sdCardSN=sdCardSN, remoteOEMInfo=remoteOEMInfo, hwPCIeCardOverVoltMajor=hwPCIeCardOverVoltMajor, hwMemoryUsageHighDeassert=hwMemoryUsageHighDeassert, sdCardCapacity=sdCardCapacity, ldapGroupInfoDescription1Table=ldapGroupInfoDescription1Table, hwInvalidBootSector=hwInvalidBootSector, hwSysRestartPowerButton=hwSysRestartPowerButton, logicalDriveCurrentWritePolicy=logicalDriveCurrentWritePolicy, hwCPUCoreIsolationDeassert=hwCPUCoreIsolationDeassert, hwSELAlmostFullAssert=hwSELAlmostFullAssert, sdCardStatus=sdCardStatus, hwChipSet=hwChipSet, ethNetmask=ethNetmask, hwCPUProchotStateDeassert=hwCPUProchotStateDeassert, logicalDriveDelete=logicalDriveDelete, hardDiskEntireStatus=hardDiskEntireStatus, diskArrayLDCount=diskArrayLDCount, hwMemorySpare=hwMemorySpare, hwFanFaultDeassert=hwFanFaultDeassert, hwRAIDCardBBUPresence=hwRAIDCardBBUPresence, raidControllerJBODEnable=raidControllerJBODEnable, sensorDescriptionTable=sensorDescriptionTable, caCertSN=caCertSN, memoryFunction=memoryFunction, hardDiskFwState=hardDiskFwState, hwBoardMismatchDeassert=hwBoardMismatchDeassert, hwTrapSeverity=hwTrapSeverity, hwPCIeCardCPUOverTempMajorDeassert=hwPCIeCardCPUOverTempMajorDeassert, powerSupplyVersion=powerSupplyVersion, sdCardDescriptionTable=sdCardDescriptionTable, powerSupplyInfo=powerSupplyInfo, hwMemoryOvertemp=hwMemoryOvertemp, hwHotSwaptoM6=hwHotSwaptoM6, powerSupplyWorkMode=powerSupplyWorkMode, hardDiskLocation=hardDiskLocation, hardDiskSASAddr2=hardDiskSASAddr2, hwWatchDogOverflowDeassert=hwWatchDogOverflowDeassert, trapTest=trapTest, hwRAIDArrayFail=hwRAIDArrayFail, fanDevicename=fanDevicename, hwPCIeCardDIMMOverTempDeassert=hwPCIeCardDIMMOverTempDeassert, ldapEnable=ldapEnable, hwUncorrectableECC=hwUncorrectableECC, bindNTPIPProtocol=bindNTPIPProtocol, hwFanAbsent=hwFanAbsent, hwOvertempMajorDeassert=hwOvertempMajorDeassert, exportconfig=exportconfig, bmcReboot=bmcReboot, fanDescriptionEntry=fanDescriptionEntry, syslogEnable=syslogEnable, hwSELAlmostFullDeassert=hwSELAlmostFullDeassert, cpuL2Cache_K=cpuL2Cache_K, hwPCIeFaultDeassert=hwPCIeFaultDeassert, hwPowerSupplyFault=hwPowerSupplyFault, trapRearm=trapRearm, hwPCIeCardUncorrectableErr=hwPCIeCardUncorrectableErr, hwSystemErrorDeassert=hwSystemErrorDeassert, hwOEM=hwOEM, smtpLoginType=smtpLoginType, hwTrapTest=hwTrapTest, hwStorageDeviceFaultDeassert=hwStorageDeviceFaultDeassert, fruNumber=fruNumber, hwTrapEventData2=hwTrapEventData2, raidControllerMemorySizeInMB=raidControllerMemorySizeInMB, hwSysRestartWatchdogCtrl=hwSysRestartWatchdogCtrl, hwPowerSupply=hwPowerSupply, fanFunction=fanFunction, twoFactorAuthenticationEnable=twoFactorAuthenticationEnable, hwPCIeCardOverTempDeassert=hwPCIeCardOverTempDeassert, hwTrapTestInstance=hwTrapTestInstance, syslogIdentity=syslogIdentity)
(integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, single_value_constraint, constraints_intersection, value_size_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (integer32, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, mib_identifier, opaque, bits, time_ticks, counter64, unsigned32, enterprises, module_identity, gauge32, iso, object_identity, ip_address, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Integer32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'MibIdentifier', 'Opaque', 'Bits', 'TimeTicks', 'Counter64', 'Unsigned32', 'enterprises', 'ModuleIdentity', 'Gauge32', 'iso', 'ObjectIdentity', 'IpAddress', 'Counter32') (storage_type, display_string, row_status, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'StorageType', 'DisplayString', 'RowStatus', 'TextualConvention') huawei = mib_identifier((1, 3, 6, 1, 4, 1, 2011)) products = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2)) hw_server = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235)) hw_bmc = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1)) hwi_bmc = module_identity((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1)) system = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1)) system_health = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4)))).setMaxAccess('readonly') system_bootsequence = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7)).clone(namedValues=named_values(('noOverride', 1), ('pxe', 2), ('hdd', 3), ('cdDvd', 4), ('floppyPrimaryRemovableMedia', 5), ('unspecified', 6), ('biossetup', 7)))).setMaxAccess('readwrite') system_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 3), display_string()).setMaxAccess('readonly') system_time_zone = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(-720, 780))).setMaxAccess('readwrite') safepowerofftime = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 5), integer32()).setMaxAccess('readwrite') device_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 6), display_string()).setMaxAccess('readonly') device_serial_no = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 7), display_string()).setMaxAccess('readonly') power_on_policy = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 8), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('stayoff', 1), ('restorePreviousState', 2), ('turnon', 3)))).setMaxAccess('readwrite') host_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 9), display_string()).setMaxAccess('readwrite') system_guid = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 10), display_string()).setMaxAccess('readonly') identify = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 11), display_string()).setMaxAccess('readwrite') system_power_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 12), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5)).clone(namedValues=named_values(('normalPowerOff', 1), ('powerOn', 2), ('forcedSystemReset', 3), ('forcedPowerCycle', 4), ('forcedPowerOff', 5)))).setMaxAccess('readwrite') present_system_power = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 13), integer32()).setMaxAccess('readonly') device_owner_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 14), display_string()).setMaxAccess('readonly') deviceslot_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 15), display_string()).setMaxAccess('readonly') remote_oem_info = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 16), display_string()).setMaxAccess('readwrite') device_location_info = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 17), display_string()).setMaxAccess('readwrite') device_remote_manage_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 18), display_string()).setMaxAccess('readwrite') bmc_reboot = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 19), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('reboot', 1)))).setMaxAccess('readwrite') power_on_permit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 20), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('notPermit', 1), ('permit', 2)))).setMaxAccess('readwrite') auto_discovery_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 21), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') product_unique_id = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 22), display_string()).setMaxAccess('readonly') system_cpu_usage = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 23), integer32()).setMaxAccess('readonly') system_boot_once = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 24), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('once', 1), ('permanent', 2)))).setMaxAccess('readwrite') system_health_event_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50)) system_health_event_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'eventIndex')) event_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 1), integer32()) event_sensor_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 2), display_string()).setMaxAccess('readonly') event_alert_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 3), display_string()).setMaxAccess('readonly') event_alert_severity = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4)))).setMaxAccess('readonly') event_description = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 1, 50, 1, 5), display_string()).setMaxAccess('readonly') domain_name_system = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2)) domain_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 1), display_string()).setMaxAccess('readwrite') preferred_dns_server = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 2), display_string()).setMaxAccess('readwrite') alternate_dns_server = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 3), display_string()).setMaxAccess('readwrite') dns_source = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('manual', 1), ('auto', 2)))).setMaxAccess('readwrite') bind_net_port = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('eth0', 1), ('eth1', 2)))).setMaxAccess('readwrite') bind_ip_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 2, 6), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('ipv4', 1), ('ipv6', 2)))).setMaxAccess('readwrite') ldap = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3)) ldap_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') ldap_domain_server = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 2), display_string()).setMaxAccess('readwrite') ldap_user_domain = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 3), display_string()).setMaxAccess('readwrite') ldap_port = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 4), integer32()).setMaxAccess('readwrite') ldap_domain_server2 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 5), display_string()).setMaxAccess('readwrite') ldap_user_domain2 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 6), display_string()).setMaxAccess('readwrite') ldap_port2 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 7), integer32()).setMaxAccess('readwrite') ldap_domain_server3 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 8), display_string()).setMaxAccess('readwrite') ldap_user_domain3 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 9), display_string()).setMaxAccess('readwrite') ldap_port3 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 10), integer32()).setMaxAccess('readwrite') ldap_group_info_description1_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50)) ldap_group_info_description1_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'groupIndex')) group_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 1), integer32()) group_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 2), display_string()).setMaxAccess('readwrite') group_domain = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 3), display_string()).setMaxAccess('readwrite') group_privilege = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7)).clone(namedValues=named_values(('commonUser', 1), ('operator', 2), ('administrator', 3), ('customRole1', 4), ('customRole2', 5), ('customRole3', 6), ('customRole4', 7)))).setMaxAccess('readwrite') group_interfaces = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 50, 1, 5), integer32()).setMaxAccess('readwrite') ldap_group_info_description2_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51)) ldap_group_info_description2_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'groupIndex2')) group_index2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 1), integer32()) group_name2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 2), display_string()).setMaxAccess('readwrite') group_privilege2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7)).clone(namedValues=named_values(('commonUser', 1), ('operator', 2), ('administrator', 3), ('customRole1', 4), ('customRole2', 5), ('customRole3', 6), ('customRole4', 7)))).setMaxAccess('readwrite') group_interfaces2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 4), integer32()).setMaxAccess('readwrite') group_domain2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 51, 1, 5), display_string()).setMaxAccess('readwrite') ldap_group_info_description3_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52)) ldap_group_info_description3_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'groupIndex3')) group_index3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 1), integer32()) group_name3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 2), display_string()).setMaxAccess('readwrite') group_privilege3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7)).clone(namedValues=named_values(('commonUser', 1), ('operator', 2), ('administrator', 3), ('customRole1', 4), ('customRole2', 5), ('customRole3', 6), ('customRole4', 7)))).setMaxAccess('readwrite') group_interfaces3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 4), integer32()).setMaxAccess('readwrite') group_domain3 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 3, 52, 1, 5), display_string()).setMaxAccess('readwrite') trap = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4)) trap_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') trap_community = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 2), display_string()).setMaxAccess('readwrite') trap_level = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4)))).setMaxAccess('readwrite') trap_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('eventCodeMode', 1), ('trapOidMode', 2)))).setMaxAccess('readwrite') trap_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('v1', 1), ('v2c', 2), ('v3', 3)))).setMaxAccess('readwrite') trap_rearm = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 6), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('rearm', 1)))).setMaxAccess('readwrite') trap_server_identity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('boardSN', 1), ('productAssetTag', 2), ('hostName', 3)))).setMaxAccess('readwrite') trap_security_user_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 8), display_string()).setMaxAccess('readwrite') trap_level_detail = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 9), display_string()).setMaxAccess('readwrite') trap_info_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50)) trap_info_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'trapReceiverIndex')) trap_receiver_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 1), integer32()) trap_receiver_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') trap_receiver_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 3), display_string()).setMaxAccess('readwrite') trap_receiver_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 4), integer32()).setMaxAccess('readwrite') trap_send_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 5), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('snmpTrap', 1)))).setMaxAccess('readwrite') trap_test = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 4, 50, 1, 6), integer32()).setMaxAccess('readwrite') smtp = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5)) smtp_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') smtp_send_severity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4)))).setMaxAccess('readwrite') smtp_server_ip = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 3), display_string()).setMaxAccess('readwrite') smtp_login_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('anonymous', 1), ('account', 2)))).setMaxAccess('readwrite') smtp_login_account = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 5), display_string()).setMaxAccess('readwrite') smtp_login_password = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 6), display_string()).setMaxAccess('readwrite') smtp_send_from = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 7), display_string()).setMaxAccess('readwrite') smtp_tls_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 8), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') smtp_send_severity_detail = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 9), display_string()).setMaxAccess('readwrite') smtp_receiver_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50)) smtp_receiver_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'smtpReceiverIndex')) smtp_receiver_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 1), integer32()) smtp_receiver_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') smtp_receiver_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 3), display_string()).setMaxAccess('readwrite') smtp_receiver_description = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 4), display_string()).setMaxAccess('readwrite') smtp_receiver_test = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 5, 50, 1, 5), integer32()).setMaxAccess('readwrite') syslog = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34)) syslog_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') syslog_identity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('boardSN', 1), ('productAssetTag', 2), ('hostName', 3)))).setMaxAccess('readwrite') syslog_severity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('none', 5)))).setMaxAccess('readwrite') syslog_protocol_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('udp', 1), ('tcp', 2), ('tls', 3)))).setMaxAccess('readwrite') syslog_auth_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('one-way', 1), ('mutual', 2)))).setMaxAccess('readwrite') syslog_import_root_certificate = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 6), display_string()).setMaxAccess('readwrite') syslog_import_client_certificate = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 7), display_string()).setMaxAccess('readwrite') syslog_info_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50)) syslog_info_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'syslogReceiverIndex')) syslog_receiver_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 1), integer32()) syslog_receiver_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') syslog_receiver_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 3), display_string()).setMaxAccess('readwrite') syslog_receiver_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 4), integer32()).setMaxAccess('readwrite') syslog_send_log_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 5), display_string()).setMaxAccess('readwrite') syslog_receiver_test = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 50, 1, 6), integer32()).setMaxAccess('readwrite') syslog_cert_info_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51)) syslog_cert_info_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'syslogCertType')) syslog_cert_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 1), integer32()) syslog_cert_issued_to = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 2), display_string()).setMaxAccess('readonly') syslog_cert_issued_by = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 3), display_string()).setMaxAccess('readonly') syslog_cert_valid_from = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 4), display_string()).setMaxAccess('readonly') syslog_cert_valid_to = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 5), display_string()).setMaxAccess('readonly') syslog_cert_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 34, 51, 1, 6), display_string()).setMaxAccess('readonly') power_supply_info = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6)) power_supply_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') setted_power_supply_entire_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('loadBalance', 1), ('activeStandby', 2), ('unsupport', 3)))).setMaxAccess('readwrite') actual_power_supply_entire_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('loadBalance', 1), ('activeStandby', 2), ('unknown', 3)))).setMaxAccess('readonly') setted_active_power_supply = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 4), integer32()).setMaxAccess('readwrite') power_supply_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50)) power_supply_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'powerSupplyIndex')) power_supply_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 1), integer32()) power_supplymanufacture = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 2), display_string()).setMaxAccess('readonly') power_supply_input_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('acInput', 1), ('dcInput', 2), ('acInputDcInput', 3)))).setMaxAccess('readonly') power_supply_model = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 4), display_string()).setMaxAccess('readonly') power_supply_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 5), display_string()).setMaxAccess('readonly') power_supply_power_rating = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 6), integer32()).setMaxAccess('readonly') power_supply_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') power_supply_input_power = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 8), integer32()).setMaxAccess('readonly') power_supply_presence = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 9), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('absence', 1), ('presence', 2), ('unknown', 3)))).setMaxAccess('readonly') power_supply_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 10), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('psmi', 1), ('pmbus', 2)))).setMaxAccess('readonly') power_supply_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 11), display_string()).setMaxAccess('readonly') power_supply_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 12), display_string()).setMaxAccess('readonly') power_supply_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 13), display_string()).setMaxAccess('readonly') power_supply_work_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 6, 50, 1, 14), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('active', 1), ('backup', 2), ('unknown', 3)))).setMaxAccess('readonly') fru_power_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7)) fru_power_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50)) fru_power_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'fruNum')) fru_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50, 1, 1), integer32()) fru_power_control = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 7, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('normalPowerOff', 1), ('powerOn', 2), ('forcedSystemReset', 3), ('forcedPowerCycle', 4)))).setMaxAccess('readwrite') fan_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8)) fan_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 1), display_string()).setMaxAccess('readwrite') fan_level = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 2), integer32()).setMaxAccess('readwrite') fan_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') fan_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50)) fan_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'fanIndex')) fan_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 1), integer32()) fan_speed = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 2), integer32()).setMaxAccess('readonly') fan_presence = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('absence', 1), ('presence', 2), ('unknown', 3)))).setMaxAccess('readonly') fan_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') fan_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 5), display_string()).setMaxAccess('readonly') fan_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 6), display_string()).setMaxAccess('readonly') fan_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 8, 50, 1, 7), display_string()).setMaxAccess('readonly') fru_led_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9)) fru_led_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50)) fru_led_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'fruID'), (0, 'HUAWEI-SERVER-IBMC-MIB', 'ledName')) fru_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 1), integer32()) led_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 2), display_string()).setMaxAccess('readonly') led_color_capbilities = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 3), display_string()).setMaxAccess('readonly') led_color_in_local_control_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 4), display_string()).setMaxAccess('readonly') led_color_in_override_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 5), display_string()).setMaxAccess('readonly') led_color = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 6), display_string()).setMaxAccess('readonly') led_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('localControl', 1), ('override', 2), ('test', 3)))).setMaxAccess('readonly') led_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 8), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('off', 1), ('on', 2), ('blinking', 3)))).setMaxAccess('readonly') led_lit_on_last_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 9), integer32()).setMaxAccess('readonly') led_lit_off_last_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 9, 50, 1, 10), integer32()).setMaxAccess('readonly') component_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10)) component_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50)) component_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'componentName')) component_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 1), display_string()).setMaxAccess('readonly') component_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 9, 13, 14)).clone(namedValues=named_values(('baseBoard', 1), ('mezzCard', 2), ('amcController', 3), ('mmcController', 4), ('hddBackPlane', 5), ('raidCard', 6), ('riserCard', 9), ('lomCard', 13), ('pcieCard', 14)))).setMaxAccess('readonly') component_pcb_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 3), display_string()).setMaxAccess('readonly') component_board_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 4), display_string()).setMaxAccess('readonly') component_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 10, 50, 1, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') firmware_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11)) firmware_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50)) firmware_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'firmwareName')) firmware_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 1), display_string()).setMaxAccess('readonly') firmware_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('iBMC', 1), ('fpga', 2), ('cpld', 3), ('bios', 4), ('uboot', 5), ('lcd', 6)))).setMaxAccess('readonly') firmware_release_date = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 3), display_string()).setMaxAccess('readonly') firmware_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 4), display_string()).setMaxAccess('readonly') firmware_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 5), display_string()).setMaxAccess('readonly') fru_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 6), integer32()) firmware_board = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 11, 50, 1, 7), display_string()).setMaxAccess('readonly') network_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12)) network_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50)) network_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'ethNum')) eth_num = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 1), integer32()) eth_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 2), ip_address()).setMaxAccess('readwrite') eth_netmask = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 3), ip_address()).setMaxAccess('readwrite') eth_default_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 4), ip_address()).setMaxAccess('readwrite') eth_ip_source = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('static', 1), ('dhcp', 2)))).setMaxAccess('readwrite') eth_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 6), display_string()).setMaxAccess('readonly') eth_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('mgmt', 1), ('share', 2)))).setMaxAccess('readonly') eth_host_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 8), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5)).clone(namedValues=named_values(('none', 1), ('port1', 2), ('port2', 3), ('port3', 4), ('port4', 5)))).setMaxAccess('readwrite') eth_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 9), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') eth_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 10), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('dedicated', 1), ('lomShare', 2), ('adaptive', 3), ('pcieShare', 4)))).setMaxAccess('readwrite') vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 11), display_string()).setMaxAccess('readwrite') eth_info = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 12), display_string()).setMaxAccess('readwrite') eth_i_pv4_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 12, 50, 1, 13), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') sensor_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13)) sensor_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50)) sensor_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'sensorName')) sensor_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 1), display_string()).setMaxAccess('readonly') sensor_reading = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 2), display_string()).setMaxAccess('readonly') sensor_upper_non_recoverable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 3), display_string()).setMaxAccess('readonly') sensor_upper_critical = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 4), display_string()).setMaxAccess('readonly') sensor_upper_minor = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 5), display_string()).setMaxAccess('readonly') sensor_lower_non_recoverable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 6), display_string()).setMaxAccess('readonly') sensor_lower_critical = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 7), display_string()).setMaxAccess('readonly') sensor_lower_minor = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 8), display_string()).setMaxAccess('readonly') sensor_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 9), display_string()).setMaxAccess('readonly') sensor_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 10), integer32()).setMaxAccess('readonly') sensor_positive_hysteresis = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 11), integer32()).setMaxAccess('readonly') sensor_negative_hysteresis = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 12), integer32()).setMaxAccess('readonly') sensor_positive_hysteresis_string = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 13), display_string()).setMaxAccess('readonly') sensor_negative_hysteresis_string = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 14), display_string()).setMaxAccess('readonly') sensor_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 15), integer32().subtype(subtypeSpec=single_value_constraint(0, 1, 2, 3, 4, 5, 6, 18)).clone(namedValues=named_values(('unspecified', 0), ('degrees-c', 1), ('degrees-f', 2), ('degrees-k', 3), ('volts', 4), ('amps', 5), ('watts', 6), ('rpm', 18)))).setMaxAccess('readonly') sensor_event_reading_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 13, 50, 1, 16), integer32()).setMaxAccess('readonly') user_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14)) user_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50)) user_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'userID')) user_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 1), integer32()) user_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 3), display_string()).setMaxAccess('readwrite') user_password = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 4), display_string()).setMaxAccess('readwrite') user_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8)).clone(namedValues=named_values(('commonUser', 1), ('operator', 2), ('administrator', 3), ('noAccess', 4), ('customRole1', 5), ('customRole2', 6), ('customRole3', 7), ('customRole4', 8)))).setMaxAccess('readwrite') user_delete = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 6), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('delete', 1)))).setMaxAccess('readwrite') user_interfaces = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 7), integer32()).setMaxAccess('readwrite') user_public_key_add = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 8), display_string()).setMaxAccess('readwrite') user_public_key_delete = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 9), display_string()).setMaxAccess('readwrite') user_public_key_hash = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 14, 50, 1, 10), display_string()).setMaxAccess('readonly') cpu_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15)) cpu_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') cpu_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50)) cpu_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'cpuIndex')) cpu_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 1), integer32()) cpu_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 2), display_string()).setMaxAccess('readonly') cpu_family = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 3), display_string()).setMaxAccess('readonly') cpu_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 4), display_string()).setMaxAccess('readonly') cpu_clock_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 5), display_string()).setMaxAccess('readonly') cpu_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 6), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') cpu_availability = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('backup', 3), ('active', 4)))).setMaxAccess('readonly') cpu_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 8), display_string()).setMaxAccess('readonly') cpu_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 9), display_string()).setMaxAccess('readonly') cpu_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 10), display_string()).setMaxAccess('readonly') cpu_processor_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 11), display_string()).setMaxAccess('readonly') cpu_core_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 12), integer32()).setMaxAccess('readonly') cpu_thread_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 13), integer32()).setMaxAccess('readonly') cpu_memory_technology = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 14), display_string()).setMaxAccess('readonly') cpu_l1_cache_k = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 15), integer32()).setLabel('cpuL1Cache-K').setMaxAccess('readonly') cpu_l2_cache_k = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 16), integer32()).setLabel('cpuL2Cache-K').setMaxAccess('readonly') cpu_l3_cache_k = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 15, 50, 1, 17), integer32()).setLabel('cpuL3Cache-K').setMaxAccess('readonly') memory_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16)) memory_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') memory_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50)) memory_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'memoryDimmIndex')) memory_dimm_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 1), integer32()) memory_logic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 2), display_string()).setMaxAccess('readonly') memory_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 3), display_string()).setMaxAccess('readonly') memory_size = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 4), display_string()).setMaxAccess('readonly') memory_clock_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 5), display_string()).setMaxAccess('readonly') memory_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 6), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') memory_availability = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('backup', 3), ('active', 4)))).setMaxAccess('readonly') memory_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 8), display_string()).setMaxAccess('readonly') memory_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 9), display_string()).setMaxAccess('readonly') memory_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 10), display_string()).setMaxAccess('readonly') memory_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 11), display_string()).setMaxAccess('readonly') memory_sn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 12), display_string()).setMaxAccess('readonly') memory_minimum_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 13), integer32()).setMaxAccess('readonly') memory_rank = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 14), integer32()).setMaxAccess('readonly') memory_bit_width = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 15), integer32()).setMaxAccess('readonly') memory_technology = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 16, 50, 1, 16), display_string()).setMaxAccess('readonly') lom_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17)) lom_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50)) lom_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'lomIndex')) lom_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50, 1, 1), integer32()) lom_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 17, 50, 1, 2), display_string()).setMaxAccess('readonly') hard_disk_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18)) hard_disk_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') hard_disk_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50)) hard_disk_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'hardDiskIndex')) hard_disk_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 1), integer32()) hard_disk_presence = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('absence', 1), ('presence', 2), ('unknown', 3)))).setMaxAccess('readonly') hard_disk_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') hard_disk_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 4), display_string()).setMaxAccess('readonly') hard_disk_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 5), display_string()).setMaxAccess('readonly') hard_disk_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 6), display_string()).setMaxAccess('readonly') hard_disk_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 7), display_string()).setMaxAccess('readonly') hard_disk_model_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 8), display_string()).setMaxAccess('readonly') hard_disk_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 9), display_string()).setMaxAccess('readonly') hard_disk_fw_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 10), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 255)).clone(namedValues=named_values(('unconfigured-good', 1), ('unconfigured-bad', 2), ('hot-spare', 3), ('offline', 4), ('failed', 5), ('rebuild', 6), ('online', 7), ('copyback', 8), ('jbod', 9), ('unconfigured-shielded', 10), ('hot-spare-shielded', 11), ('configured-shielded', 12), ('foreign', 13), ('unknown', 255)))).setMaxAccess('readwrite') hard_disk_fw_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 11), display_string()).setMaxAccess('readonly') hard_disk_capacity_in_gb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') hard_disk_media_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 13), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 255)).clone(namedValues=named_values(('hdd', 1), ('ssd', 2), ('ssm', 3), ('unknown', 255)))).setMaxAccess('readonly') hard_disk_interface_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 14), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 7, 255)).clone(namedValues=named_values(('undefined', 1), ('parallel-scsi', 2), ('sas', 3), ('sata', 4), ('fiber-channel', 5), ('sata-sas', 6), ('pcie', 7), ('unknown', 255)))).setMaxAccess('readonly') hard_disk_power_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 15), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 255)).clone(namedValues=named_values(('spun-up', 1), ('spun-down', 2), ('transition', 3), ('unknown', 255)))).setMaxAccess('readonly') hard_disk_rebuild_progress = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 16), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') hard_disk_patrol_read_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 17), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('stopped', 1), ('in-progress', 2), ('unknown', 255)))).setMaxAccess('readonly') hard_disk_capable_speed_in_mbps = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') hard_disk_negotiated_speed_in_mbps = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') hard_disk_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 20), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') hard_disk_sas_addr1 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 21), display_string()).setMaxAccess('readonly') hard_disk_sas_addr2 = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 22), display_string()).setMaxAccess('readonly') hard_disk_prefail_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 23), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('no', 1), ('yes', 2), ('unknown', 255)))).setMaxAccess('readonly') hard_disk_hot_spare_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 24), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 255)).clone(namedValues=named_values(('none', 1), ('global', 2), ('dedicated', 3), ('commissioned', 4), ('emergency', 5), ('unknown', 255)))).setMaxAccess('readwrite') hard_disk_remnant_wearout = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 25), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') hard_disk_media_err_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') hard_disk_prefail_err_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 27), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') hard_disk_other_err_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 28), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') hard_disk_location_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 29), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('off', 2), ('on', 3)))).setMaxAccess('readwrite') hard_disk_capacity_in_mb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 18, 50, 1, 30), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') fru_info = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19)) fru_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50)) fru_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'fruId')) fru_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 1), integer32()) fru_board_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 2), display_string()).setMaxAccess('readonly') fru_board_product_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 3), display_string()).setMaxAccess('readonly') fru_board_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 4), display_string()).setMaxAccess('readonly') fru_board_part_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 5), display_string()).setMaxAccess('readonly') fru_board_mfg_date = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 6), display_string()).setMaxAccess('readonly') fru_board_file_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 7), display_string()).setMaxAccess('readonly') fru_product_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 8), display_string()).setMaxAccess('readonly') fru_product_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 9), display_string()).setMaxAccess('readonly') fru_product_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 10), display_string()).setMaxAccess('readonly') fru_product_part_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 11), display_string()).setMaxAccess('readonly') fru_product_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 12), display_string()).setMaxAccess('readonly') fru_product_asset_tag = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 13), display_string()).setMaxAccess('readonly') fru_product_file_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 50, 1, 14), display_string()).setMaxAccess('readonly') fru_extended_e_label_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60)) fru_extended_e_label_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'fruid'), (0, 'HUAWEI-SERVER-IBMC-MIB', 'fruExtendedELabelIndex')) fruid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1, 1), integer32()) fru_extended_e_label_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1, 2), integer32()).setMaxAccess('readonly') fru_extended_e_label_info = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 19, 60, 1, 3), display_string()).setMaxAccess('readonly') power_statistic = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20)) peak_power = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 1), display_string()).setMaxAccess('readonly') peak_power_occur_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 2), display_string()).setMaxAccess('readonly') average_power = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 3), display_string()).setMaxAccess('readonly') power_consumption = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 4), display_string()).setMaxAccess('readonly') power_statistic_start_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 5), display_string()).setMaxAccess('readonly') clear_power_statistic = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 20, 6), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('clearall', 1)))).setMaxAccess('readwrite') power_management = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23)) power_capping_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') power_capping_value = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23, 2), integer32()).setMaxAccess('readwrite') power_capping_failure_action = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 23, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('eventlog', 1), ('eventlogAndPowerOff', 2)))).setMaxAccess('readwrite') p_c_ie_device_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24)) p_c_ie_device_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') p_c_ie_device_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50)) p_c_ie_device_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'pCIeDeviceIndex')) p_c_ie_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 1), integer32()) p_c_ie_device_presence = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('absence', 1), ('presence', 2), ('unknown', 3)))).setMaxAccess('readonly') p_c_ie_device_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') p_c_ie_availability = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('backup', 3), ('active', 4)))).setMaxAccess('readonly') p_c_ie_device_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 5), display_string()).setMaxAccess('readonly') p_c_ie_device_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 6), display_string()).setMaxAccess('readonly') p_c_ie_device_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 7), display_string()).setMaxAccess('readonly') p_c_ie_device_vid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 8), integer32()).setMaxAccess('readonly') p_c_ie_device_did = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 9), integer32()).setMaxAccess('readonly') p_c_ie_device_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 10), display_string()).setMaxAccess('readonly') p_c_ie_device_description = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 24, 50, 1, 11), display_string()).setMaxAccess('readonly') mezz_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25)) mezz_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50)) mezz_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'mezzCardIndex')) mezz_card_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 1), integer32()) mezz_card_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 2), display_string()).setMaxAccess('readonly') mezz_card_function = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 3), display_string()).setMaxAccess('readonly') mezz_card_devicename = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 25, 50, 1, 4), display_string()).setMaxAccess('readonly') temperature_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26)) temperature_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50)) temperature_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'temperatureIndex')) temperature_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 1), integer32()) temperature_object = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 2), display_string()).setMaxAccess('readonly') temperature_reading = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 3), integer32()).setMaxAccess('readonly') temperature_upper_non_recoverable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 4), integer32()).setMaxAccess('readonly') temperature_upper_critical = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 5), integer32()).setMaxAccess('readonly') temperature_upper_minor = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 6), integer32()).setMaxAccess('readonly') temperature_lower_non_recoverable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 7), integer32()).setMaxAccess('readonly') temperature_lower_critical = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 8), integer32()).setMaxAccess('readonly') temperature_lower_minor = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 26, 50, 1, 9), integer32()).setMaxAccess('readonly') network_time_protocol = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27)) ntp_support = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('nosupport', 1), ('support', 2)))).setMaxAccess('readonly') ntp_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') preferred_ntp_server = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 3), display_string()).setMaxAccess('readwrite') alternate_ntp_server = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 4), display_string()).setMaxAccess('readwrite') ntp_serversource = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('manual', 1), ('auto', 2)))).setMaxAccess('readwrite') bind_ntpip_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 6), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('ipv4', 1), ('ipv6', 2)))).setMaxAccess('readwrite') ntp_auth_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') ntp_import_groupkey = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 8), display_string()).setMaxAccess('readwrite') ntp_groupkey_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 27, 9), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('notimported', 1), ('imported', 2)))).setMaxAccess('readonly') snmp_mib_config = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 29)) snmp_v3_algorithm = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 29, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('mD5andDES', 1), ('mD5andAES', 2), ('sHA1andDES', 3), ('sHA1andAES', 4)))).setMaxAccess('readwrite') firmware_upgrade = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30)) firmware_upgrade_start = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30, 1), display_string()).setMaxAccess('readwrite') firmware_upgrade_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30, 2), integer32()).setMaxAccess('readonly') firmware_upgrade_detailed_results = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 30, 3), display_string()).setMaxAccess('readonly') certificate = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31)) current_cert_info = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1)) owner_country = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 1), display_string()).setMaxAccess('readonly') owner_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 2), display_string()).setMaxAccess('readonly') owner_location = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 3), display_string()).setMaxAccess('readonly') owner_organization = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 4), display_string()).setMaxAccess('readonly') owner_organization_unit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 5), display_string()).setMaxAccess('readonly') owner_common_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 6), display_string()).setMaxAccess('readonly') issuer_country = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 7), display_string()).setMaxAccess('readonly') issuer_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 8), display_string()).setMaxAccess('readonly') issuer_location = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 9), display_string()).setMaxAccess('readonly') issuer_organization = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 10), display_string()).setMaxAccess('readonly') issuer_organization_unit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 11), display_string()).setMaxAccess('readonly') issuer_common_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 12), display_string()).setMaxAccess('readonly') cert_start_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 13), display_string()).setMaxAccess('readonly') cert_expiration = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 1, 14), display_string()).setMaxAccess('readonly') csr_request_info = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2)) req_country = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 1), display_string()).setMaxAccess('readwrite') req_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 2), display_string()).setMaxAccess('readwrite') req_location = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 3), display_string()).setMaxAccess('readwrite') req_organization = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 4), display_string()).setMaxAccess('readwrite') req_organization_unit = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 5), display_string()).setMaxAccess('readwrite') req_common_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 6), display_string()).setMaxAccess('readwrite') csr_generate = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 7), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('csrGenerate', 1)))).setMaxAccess('readwrite') csr_export = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 8), display_string()).setMaxAccess('readonly') certificate_import = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 9), display_string()).setMaxAccess('readwrite') csr_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 2, 10), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('notStartedOrHasSuccessfullyCompleted', 1), ('beingGenerated', 2), ('failsGenerated', 3)))).setMaxAccess('readonly') custom_cert_insert = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3)) custom_certificate_content = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3, 1), display_string()).setMaxAccess('readwrite') custom_certificate_passwd = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3, 2), display_string()).setMaxAccess('readwrite') custom_certificate_import = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 3, 3), integer32().subtype(subtypeSpec=single_value_constraint(1)).clone(namedValues=named_values(('customCertificateImport', 1)))).setMaxAccess('readwrite') ca_cert_info_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4)).setMaxAccess('readonly') ca_cert_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1)).setMaxAccess('readonly').setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'caCertIndex')) ca_cert_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 1), integer32()).setMaxAccess('readonly') ca_cert_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 2), display_string()).setMaxAccess('readonly') ca_cert_owner_country = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 3), display_string()).setMaxAccess('readonly') ca_cert_owner_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 4), display_string()).setMaxAccess('readonly') ca_cert_owner_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 5), display_string()).setMaxAccess('readonly') ca_cert_owner_organization = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 6), display_string()).setMaxAccess('readonly') ca_cert_owner_organization_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 7), display_string()).setMaxAccess('readonly') ca_cert_owner_common_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 8), display_string()).setMaxAccess('readonly') ca_cert_issuer_country = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 9), display_string()).setMaxAccess('readonly') ca_cert_issuer_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 10), display_string()).setMaxAccess('readonly') ca_cert_issuer_location = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 11), display_string()).setMaxAccess('readonly') ca_cert_issuer_organization = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 12), display_string()).setMaxAccess('readonly') ca_cert_issuer_organization_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 13), display_string()).setMaxAccess('readonly') ca_cert_issuer_common_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 14), display_string()).setMaxAccess('readonly') ca_cert_start_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 15), display_string()).setMaxAccess('readonly') ca_cert_expiration = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 16), display_string()).setMaxAccess('readonly') ca_cert_sn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 31, 4, 1, 17), display_string()).setMaxAccess('readonly') hw_trap = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500)) hw_trap_var = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1)) hw_trap_seq = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 1), integer32()).setMaxAccess('readonly') hw_trap_sensor_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 2), display_string()).setMaxAccess('readonly') hw_trap_event = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 3), display_string()).setMaxAccess('readonly') hw_trap_severity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4)))).setMaxAccess('readonly') hw_trap_event_code = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 5), display_string()).setMaxAccess('readonly') hw_trap_event_data2 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 6), integer32()).setMaxAccess('readonly') hw_trap_event_data3 = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 7), integer32()).setMaxAccess('readonly') hw_trap_server_identity = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 8), display_string()).setMaxAccess('readonly') hw_trap_location = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 9), display_string()).setMaxAccess('readonly') hw_trap_time = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 1, 10), display_string()).setMaxAccess('readonly') hw_server_trap_object = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10)) hw_oem = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1)) hw_oem_event = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_physical_security = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 5)) hw_chassis_intrusion = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 5, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7)) hw_cpucat_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpucat_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_thermal_trip = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_thermal_trip_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_self_test_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_self_test_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_cfg_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 81)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_cfg_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 82)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_presence = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 113)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_presence_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 114)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_offline = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_offline_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpumce = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 177)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpumce_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 178)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_vmse_link_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 193)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_vmse_link_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 7, 194)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8)) hw_power_supply_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_predictive_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_predictive_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_input_lost = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 49)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_input_lost_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 50)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_ac_lost = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 65)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_supply_ac_lost_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 8, 66)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12)) hw_correctable_ecc = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_correctable_ecc_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_uncorrectable_ecc = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_uncorrectable_ecc_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_ecc_limitation = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 81)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_ecc_limitation_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 82)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_presence = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 97)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_presence_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 98)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_cfg_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 113)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_cfg_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 114)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_spare = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_spare_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_overtemp = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 161)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_overtemp_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 12, 162)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_storage_device = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13)) hw_storage_device_presence = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_storage_device_presence_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_storage_device_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_storage_device_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_storage_device_predictive_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_storage_device_predictive_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_array_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 97)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_array_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 98)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_rebuild = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 113)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_rebuild_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 114)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_rebuild_aborted = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_rebuild_aborted_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 13, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_fw_progress = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15)) hw_system_firmware_hang = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_system_firmware_hang_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ps2_usb_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 1793)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ps2_usb_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 1794)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_video_controller_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 2305)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_video_controller_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 2306)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_voltage_mismatch = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 3073)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_voltage_mismatch_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 3074)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_system_no_memory = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 257)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_system_no_memory_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 15, 258)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_event = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18)) hw_sys_event_instance = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18, 65)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_system_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_system_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 18, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_button = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 20)) hw_power_button_pressed = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 20, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cable = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 27)) hw_cable_status = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 27, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cable_status_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 27, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_restart = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29)) hw_sys_restart_unknown = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 113)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_restart_chassis_ctrl = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 369)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_restart_power_button = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 881)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_restart_watchdog_ctrl = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 1137)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_restart_always_restore = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 1649)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_restart_restore_prev_state = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 29, 1905)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_boot_error = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30)) hw_no_bootable_media = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_no_bootable_media_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_no_bootable_disk = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_no_bootable_disk_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pxe_not_found = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pxe_not_found_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_invalid_boot_sector = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 49)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_invalid_boot_sector_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 30, 50)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_device_fault = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33)) hw_hardware_addr_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hardware_addr_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_loss_bma_heart_beat = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_loss_bma_heart_beat_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_device_install = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_device_install_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_eth_link_down = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_eth_link_down_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_mem_brd_migrate = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 145)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_mem_brd_migrate_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 146)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pcie_status = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 257)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pcie_status_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 258)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_fan_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2049)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_fan_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2050)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2305)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 33, 2306)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData2'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventData3'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_acpi_status = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 34)) hw_acpi_status_s0 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 34, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_acpi_status_s4_s5 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 34, 97)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35)) hw_watch_dog_overflow = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_overflow_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_reset = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_reset_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_power_down = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_power_down_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_power_cycle = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 49)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_watch_dog_power_cycle_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 35, 50)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lan_heart_beat = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 39)) hw_lan_heart_lost = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 39, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lan_heart_lost_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 39, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_mngmnt_health = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40)) hw_sensor_accessible_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sensor_accessible_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_controller_accessible_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_controller_accessible_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_fru_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 81)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_fru_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 40, 82)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_battery = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41)) hw_rtc_batterylow = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_rtc_batterylow_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_card_bbu_failed = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_card_bbu_failed_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_card_bbu_presence = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_raid_card_bbu_presence_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 41, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ver_change = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 43)) hw_hardware_change = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 43, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_firmware_change = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 43, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lcd = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1052)) hw_lcd_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1052, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lcd_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1052, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swap = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240)) hw_hot_swapto_m0 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m1 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m2 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m3 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 49)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m4 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 65)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m5 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 81)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m6 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 97)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_hot_swapto_m7 = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 240, 113)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241)) hw_ipmb_link_state_all = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link_state_all_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link_state_b = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link_state_b_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link_state_a = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link_state_a_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ipmb_link_state_no_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 241, 49)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_trap_test = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 256)) hw_trap_test_instance = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 256, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_overtemperature = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257)) hw_overtemp_minor = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 113)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_overtemp_minor_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 114)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_overtemp_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 145)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_overtemp_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 146)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_overtemp_critical = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 177)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_overtemp_critical_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 257, 178)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_no_sd_card = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 781)) hw_no_sd_card_assert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 781, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_no_sd_card_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 781, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_board_mismatch = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 786)) hw_board_mismatch_assert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 786, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_board_mismatch_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 786, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_add_in_card = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 791)) hw_pc_ie_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 791, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 791, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_chip_set = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 793)) hw_pch_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 793, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pch_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 793, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_uid_button = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 788)) hw_uid_button_pressed = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 788, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_capping = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1042)) hw_power_cap_fail = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1042, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_power_cap_fail_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1042, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_card_fault = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1047)) hw_card_status_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1047, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_card_status_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1047, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_usage = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1287)) hw_cpu_usage_high = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1287, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_usage_high_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1287, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_usage = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1292)) hw_memory_usage_high = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1292, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_usage_high_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1292, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_disk_usage = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1293)) hw_disk_usage_high = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1293, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_disk_usage_high_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1293, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sys_notice = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1810)) hw_system_warm_reset = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1810, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_system_warm_reset_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1810, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_module = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1813)) hw_module_critical = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1813, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ps_presence_status = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2057)) hw_ps_presence = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2057, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ps_presence_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2057, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_fan_presence_status = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2058)) hw_fan_absent = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2058, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_fan_absent_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2058, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_card_presence_status = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2071)) hw_card_presence = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2071, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_card_presence_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2071, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lcd_presence_status = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2076)) hw_lcd_absent = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2076, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lcd_absent_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2076, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_riser = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583)) hw_memory_riser_online = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 49)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_riser_online_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 50)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_riser_offline = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 65)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_riser_offline_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 66)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_riser_install_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_riser_install_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2583, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_core = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2311)) hw_cpu_core_isolation = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2311, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_core_isolation_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2311, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ps_redundancy = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2824)) hw_ps_redundancy_lost = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2824, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_ps_redundancy_lost_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2824, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sel_status = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16)) hw_sel_cleared_assert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sel_almost_full_assert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16, 81)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_sel_almost_full_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 16, 82)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_bmc_boot_up = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2326)) hw_bmc_boot_up_assert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 2326, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_log = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1808)) hw_log_full = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1808, 129)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_log_full_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 1808, 130)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_voltage = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258)) hw_lower_voltage_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_lower_voltage_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_over_voltage_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 145)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_over_voltage_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 146)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_over_voltage_critcal = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 177)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_over_voltage_critcal_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 258, 178)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_prochot = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 775)) hw_cpu_prochot_state = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 775, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_prochot_state_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 10, 775, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_server_trap_object_v2 = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11)) hw_pc_ie_card_event = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9)) hw_pc_ie_card_uncorrectable_err = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 1)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_uncorrectable_err_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 2)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_over_temp = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 3)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_over_temp_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 4)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_access_temp_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 5)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_access_temp_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 6)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_access_fru_lable_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 7)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_access_fru_lable_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 8)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_dimm_over_temp = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 9)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_dimm_over_temp_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 10)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_over_temp_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 11)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_over_temp_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 12)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_cpu_over_temp_minor = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 13)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_cpu_over_temp_minor_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 14)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_cpu_over_temp_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 15)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_cpu_over_temp_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 16)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_batt_lower_volt_minor = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 17)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_batt_lower_volt_minor_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 18)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_lower_volt_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 19)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_lower_volt_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 20)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_over_volt_major = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 21)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_over_volt_major_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 22)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_access_volt_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 23)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_access_volt_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 24)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_boot_event = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 25)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_boot_event_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 26)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_hardware_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 27)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_hardware_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 28)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_boot_disk_absent = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 29)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_boot_disk_absent_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 30)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_dimm_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 31)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_dimm_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 32)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_fw_init_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 33)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_fw_init_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 34)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_cpu_init_failure = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 35)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_cpu_init_failure_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 36)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_watch_dog_timeout = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 37)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_watch_dog_timeout_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 38)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_bbu_lower_voltage = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 57)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_bbu_lower_voltage_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 58)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_bbu_fault = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 59)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_bbu_fault_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 60)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_bbu_not_present = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 61)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_pc_ie_card_bbu_present = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 9, 63)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_event = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2)) hw_memory_config_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 37)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_config_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 38)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_initialization_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 39)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_initialization_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 2, 40)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_memory_event = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45)) hw_no_available_memory_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 79)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_no_available_memory_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 80)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_memory_config_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 75)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpu_memory_config_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 76)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpumrc_fatal_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 77)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_cpumrc_fatal_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 45, 78)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_board_event = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 15)) hw_memory_board_smi2_taining_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 15, 5)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_memory_board_smi2_taining_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 15, 6)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_mainboard_event = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 17)) hw_mainboard_smi2_taining_error = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 17, 155)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) hw_mainboard_smi2_taining_error_deassert = notification_type((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 500, 11, 17, 156)).setObjects(*(('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeq'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSensorName'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEvent'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapSeverity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapEventCode'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapServerIdentity'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapLocation'), ('HUAWEI-SERVER-IBMC-MIB', 'hwTrapTime'))) remote_management = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 28)) power_on_control = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 28, 1), display_string()).setMaxAccess('readwrite') sd_card_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32)) sd_card_controller_manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 1), display_string()).setMaxAccess('readonly') sd_card_controller_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 2), display_string()).setMaxAccess('readonly') sd_card_entire_status = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') sd_card_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50)) sd_card_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'sdCardIndex')) sd_card_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 1), integer32()) sd_card_presence = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('absence', 1), ('presence', 2), ('unknown', 3)))).setMaxAccess('readonly') sd_card_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 3), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6)).clone(namedValues=named_values(('ok', 1), ('minor', 2), ('major', 3), ('critical', 4), ('absence', 5), ('unknown', 6)))).setMaxAccess('readonly') sd_card_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 4), integer32()).setMaxAccess('readonly') sd_card_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 5), display_string()).setMaxAccess('readonly') sd_card_sn = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 32, 50, 1, 6), display_string()).setMaxAccess('readonly') security_module_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33)) presence = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('absence', 1), ('presence', 2), ('unknown', 3)))).setMaxAccess('readonly') specification_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 2), display_string()).setMaxAccess('readonly') specification_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 3), display_string()).setMaxAccess('readonly') manufacturer_name = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 4), display_string()).setMaxAccess('readonly') manufacturer_version = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 33, 5), display_string()).setMaxAccess('readonly') file_transfer = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 35)) file_transfer_url = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 35, 1), display_string()).setMaxAccess('readwrite') file_transfer_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 35, 2), integer32()).setMaxAccess('readonly') raid_controller_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36)) raid_controller_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50)) raid_controller_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'raidControllerIndex')) raid_controller_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 1), integer32()) raid_controller_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 2), display_string()).setMaxAccess('readonly') raid_controller_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 3), display_string()).setMaxAccess('readonly') raid_controller_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 4), display_string()).setMaxAccess('readonly') raid_controller_support_oob_management = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setMaxAccess('readonly') raid_controller_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 6), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('none-raid', 1), ('raid', 2), ('unknown', 255)))).setMaxAccess('readonly') raid_controller_health_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 65535)))).setMaxAccess('readonly') raid_controller_fw_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 8), display_string()).setMaxAccess('readonly') raid_controller_nv_data_version = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 9), display_string()).setMaxAccess('readonly') raid_controller_memory_size_in_mb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 65535)))).setMaxAccess('readonly') raid_controller_device_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 11), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5, 6, 255)).clone(namedValues=named_values(('spi', 1), ('sas-3G', 2), ('sata-1-5G', 3), ('sata-3G', 4), ('sas-6G', 5), ('sas-12G', 6), ('unknown', 255)))).setMaxAccess('readonly') raid_controller_sas_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 12), display_string()).setMaxAccess('readonly') raid_controller_cache_pinned = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 13), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('no', 1), ('yes', 2), ('unknown', 255)))).setMaxAccess('readonly') raid_controller_maintain_pd_fail_history = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 14), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('no', 1), ('yes', 2), ('unknown', 255)))).setMaxAccess('readonly') raid_controller_ddr_ecc_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 65535)))).setMaxAccess('readonly') raid_controller_bbu_presence = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 16), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('absent', 1), ('present', 2), ('unknown', 255)))).setMaxAccess('readonly') raid_controller_bbu_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 17), display_string()).setMaxAccess('readonly') raid_controller_bbu_health_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 18), integer32()).setMaxAccess('readonly') raid_controller_min_strip_support_in_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', -1)))).setMaxAccess('readonly') raid_controller_max_strip_support_in_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 20), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', -1)))).setMaxAccess('readonly') raid_controller_copyback_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 21), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('enabled', 3)))).setMaxAccess('readwrite') raid_controller_smar_ter_copyback_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 22), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('enabled', 3)))).setMaxAccess('readwrite') raid_controller_jbod_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 23), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('enabled', 3)))).setMaxAccess('readwrite') raid_controller_restore_settings = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 24), integer32()).setMaxAccess('readwrite') raid_controller_create_ld = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 25), display_string()).setMaxAccess('readwrite') raid_controller_add_ld = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 36, 50, 1, 26), display_string()).setMaxAccess('readwrite') logical_drive_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37)) logical_drive_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50)) logical_drive_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'logicalDriveRAIDControllerIndex'), (0, 'HUAWEI-SERVER-IBMC-MIB', 'logicalDriveIndex')) logical_drive_raid_controller_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 1), integer32()) logical_drive_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 2), integer32()) logical_drive_raid_level = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 3), display_string()).setMaxAccess('readonly') logical_drive_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 4), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 255)).clone(namedValues=named_values(('offline', 1), ('partial-degraded', 2), ('degraded', 3), ('optimal', 4), ('unknown', 255)))).setMaxAccess('readonly') logical_drive_default_read_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 5), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('no-read-ahead', 1), ('read-ahead', 2), ('unknown', 255)))).setMaxAccess('readwrite') logical_drive_default_write_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 6), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 255)).clone(namedValues=named_values(('write-through', 1), ('write-back-with-bbu', 2), ('write-back', 3), ('unknown', 255)))).setMaxAccess('readwrite') logical_drive_default_io_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 7), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('cached-IO', 1), ('direct-IO', 2), ('unknown', 255)))).setMaxAccess('readwrite') logical_drive_current_read_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 8), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('no-read-ahead', 1), ('read-ahead', 2), ('unknown', 255)))).setMaxAccess('readonly') logical_drive_current_write_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 9), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 255)).clone(namedValues=named_values(('write-through', 1), ('write-back-with-bbu', 2), ('write-back', 3), ('unknown', 255)))).setMaxAccess('readonly') logical_drive_current_io_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 10), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('cached-IO', 1), ('direct-IO', 2), ('unknown', 255)))).setMaxAccess('readonly') logical_drive_span_depth = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') logical_drive_num_drive_per_span = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 12), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') logical_drive_stripe_size_in_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') logical_drive_stripe_size_in_mb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') logical_drive_size_in_mb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') logical_drive_disk_cache_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 16), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 255)).clone(namedValues=named_values(('disk-default', 1), ('enabled', 2), ('disabled', 3), ('unknown', 255)))).setMaxAccess('readwrite') logical_drive_consistency_check_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 17), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('stopped', 1), ('in-progress', 2), ('unknown', 255)))).setMaxAccess('readonly') logical_drive_bootable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 18), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 255)).clone(namedValues=named_values(('no', 1), ('yes', 2), ('unknown', 255)))).setMaxAccess('readwrite') logical_drive_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 19), display_string()).setMaxAccess('readwrite') logical_drive_access_policy = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 20), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4, 5)).clone(namedValues=named_values(('unknown', 1), ('read-write', 2), ('read-only', 3), ('blocked', 4), ('hidden', 5)))).setMaxAccess('readwrite') logical_drive_init_state = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 21), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3, 4)).clone(namedValues=named_values(('unknown', 1), ('no-init', 2), ('quick-init', 3), ('full-init', 4)))).setMaxAccess('readonly') logical_drive_bgi_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 22), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('enabled', 3)))).setMaxAccess('readwrite') logical_drive_is_sscd = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 23), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('no', 2), ('yes', 3)))).setMaxAccess('readonly') logical_drive_sscd_caching_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 24), integer32().subtype(subtypeSpec=single_value_constraint(1, 2, 3)).clone(namedValues=named_values(('unknown', 1), ('disabled', 2), ('enabled', 3)))).setMaxAccess('readwrite') logical_drive_associated_l_ds = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 25), display_string()).setMaxAccess('readonly') logical_drive_dedicated_spare_pd = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 26), display_string()).setMaxAccess('readonly') logical_drive_delete = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 37, 50, 1, 27), integer32()).setMaxAccess('readwrite') disk_array_property = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39)) disk_array_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50)) disk_array_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'diskArrayRAIDControllerIndex'), (0, 'HUAWEI-SERVER-IBMC-MIB', 'diskArrayIndex')) disk_array_raid_controller_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 1), integer32()) disk_array_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 2), integer32()) disk_array_used_space_in_mb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') disk_array_free_space_in_mb = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(namedValues=named_values(('unknown', 4294967295)))).setMaxAccess('readonly') disk_array_ld_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') disk_array_ld_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 6), display_string()).setMaxAccess('readonly') disk_array_pd_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483648)).clone(namedValues=named_values(('unknown', 255)))).setMaxAccess('readonly') disk_array_pd_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 39, 50, 1, 8), display_string()).setMaxAccess('readonly') remote_control = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 40)) local_kvm_state = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 40, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') two_factor_authentication = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41)) two_factor_authentication_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 1), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') two_factor_authentication_revocation_check = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 2), integer32().subtype(subtypeSpec=single_value_constraint(1, 2)).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite') root_certificate_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50)) root_certificate_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'rootCertificateIndex')) root_certificate_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 1), integer32()) root_certificate_issued_to = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 2), display_string()).setMaxAccess('readonly') root_certificate_issued_by = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 3), display_string()).setMaxAccess('readonly') root_certificate_valid_from = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 4), display_string()).setMaxAccess('readonly') root_certificate_valid_to = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 5), display_string()).setMaxAccess('readonly') root_certificate_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 6), display_string()).setMaxAccess('readonly') root_certificate_import = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 7), display_string()).setMaxAccess('readwrite') root_certificate_delete = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 50, 1, 8), integer32()).setMaxAccess('readwrite') client_certificate_description_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51)) client_certificate_description_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1)).setIndexNames((0, 'HUAWEI-SERVER-IBMC-MIB', 'clientCertificateIndex')) client_certificate_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 1), integer32()) client_certificate_finger_print = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 2), display_string()).setMaxAccess('readonly') client_certificate_import = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 3), display_string()).setMaxAccess('readwrite') client_certificate_delete = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 41, 51, 1, 4), integer32()).setMaxAccess('readwrite') configuration = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42)) exportconfig = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 1), display_string()).setMaxAccess('readwrite') importconfig = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 2), display_string()).setMaxAccess('readwrite') configprogress = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 3), display_string()).setMaxAccess('readonly') configerrorinfo = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 2, 235, 1, 1, 42, 4), display_string()).setMaxAccess('readonly') mibBuilder.exportSymbols('HUAWEI-SERVER-IBMC-MIB', hwCable=hwCable, hwCPU=hwCPU, hwOvertemperature=hwOvertemperature, hwStorageDeviceFault=hwStorageDeviceFault, rootCertificateValidTo=rootCertificateValidTo, powerSupplyDevicename=powerSupplyDevicename, hwPCIeCardLowerVoltMajor=hwPCIeCardLowerVoltMajor, caCertType=caCertType, configprogress=configprogress, reqCountry=reqCountry, hwMemoryPresenceDeassert=hwMemoryPresenceDeassert, powerStatisticStartTime=powerStatisticStartTime, hwOvertempMajor=hwOvertempMajor, trapReceiverEnable=trapReceiverEnable, caCertOwnerOrganizationUnit=caCertOwnerOrganizationUnit, fruExtendedELabelDescriptionEntry=fruExtendedELabelDescriptionEntry, powerStatistic=powerStatistic, firmwareType=firmwareType, hwPowerSupplyPredictiveFailure=hwPowerSupplyPredictiveFailure, cpuIndex=cpuIndex, fruProductName=fruProductName, smtp=smtp, powerOnPermit=powerOnPermit, hwLogFullDeassert=hwLogFullDeassert, raidControllerName=raidControllerName, ldapUserDomain=ldapUserDomain, groupInterfaces3=groupInterfaces3, hwSystemWarmResetDeassert=hwSystemWarmResetDeassert, hwStorageDevice=hwStorageDevice, raidControllerFwVersion=raidControllerFwVersion, componentName=componentName, clientCertificateFingerPrint=clientCertificateFingerPrint, firmwareDescriptionTable=firmwareDescriptionTable, cpuLocation=cpuLocation, ledLitOffLastTime=ledLitOffLastTime, hwPSRedundancy=hwPSRedundancy, hwHotSwaptoM4=hwHotSwaptoM4, pCIeDeviceVID=pCIeDeviceVID, caCertStartTime=caCertStartTime, vlanID=vlanID, caCertOwnerLocation=caCertOwnerLocation, hwNoSDCardAssert=hwNoSDCardAssert, hwLossBmaHeartBeatDeassert=hwLossBmaHeartBeatDeassert, ownerCommonName=ownerCommonName, hwChassisIntrusion=hwChassisIntrusion, remoteManagement=remoteManagement, hwTrapVar=hwTrapVar, hwRTCBatterylowDeassert=hwRTCBatterylowDeassert, logicalDriveBootable=logicalDriveBootable, diskArrayRAIDControllerIndex=diskArrayRAIDControllerIndex, issuerCountry=issuerCountry, sensorUnit=sensorUnit, userDescriptionTable=userDescriptionTable, hwWatchDogPowerDown=hwWatchDogPowerDown, localKVMState=localKVMState, userProperty=userProperty, caCertOwnerOrganization=caCertOwnerOrganization, hwIPMBLinkStateA=hwIPMBLinkStateA, hardDiskHotSpareState=hardDiskHotSpareState, sdCardControllerManufacturer=sdCardControllerManufacturer, hwPCIeCardBBULowerVoltage=hwPCIeCardBBULowerVoltage, hwPCIeCardBBUPresent=hwPCIeCardBBUPresent, cpuDescriptionTable=cpuDescriptionTable, networkDescriptionEntry=networkDescriptionEntry, ldapUserDomain3=ldapUserDomain3, hwLANHeartLostDeassert=hwLANHeartLostDeassert, memoryProperty=memoryProperty, manufacturerName=manufacturerName, userName=userName, hwACPIStatusS4S5=hwACPIStatusS4S5, sensorLowerNonRecoverable=sensorLowerNonRecoverable, raidControllerDescriptionEntry=raidControllerDescriptionEntry, deviceSerialNo=deviceSerialNo, raidControllerType=raidControllerType, certStartTime=certStartTime, systemBootsequence=systemBootsequence, pCIeDeviceEntireStatus=pCIeDeviceEntireStatus, hwBMCBootUpAssert=hwBMCBootUpAssert, ethHostPort=ethHostPort, fruLedDescriptionTable=fruLedDescriptionTable, hwHotSwaptoM2=hwHotSwaptoM2, settedActivePowerSupply=settedActivePowerSupply, temperatureUpperCritical=temperatureUpperCritical, products=products, hwMemoryInitializationErrorDeassert=hwMemoryInitializationErrorDeassert, groupIndex=groupIndex, hardDiskRemnantWearout=hardDiskRemnantWearout, hwCPUCore=hwCPUCore, hwWatchDogPowerCycle=hwWatchDogPowerCycle, powerSupplyLocation=powerSupplyLocation, hwVoltage=hwVoltage, raidControllerProperty=raidControllerProperty, hwMemoryRiserOnlineDeassert=hwMemoryRiserOnlineDeassert, certificateImport=certificateImport, hwLANHeartLost=hwLANHeartLost, raidControllerIndex=raidControllerIndex, caCertIssuerCountry=caCertIssuerCountry, sensorUpperNonRecoverable=sensorUpperNonRecoverable, powerSupplyDescriptionEntry=powerSupplyDescriptionEntry, hwPowerSupplyPredictiveFailureDeassert=hwPowerSupplyPredictiveFailureDeassert, caCertIssuerState=caCertIssuerState, hwTrapEventData3=hwTrapEventData3, firmwareUpgradeState=firmwareUpgradeState, hardDiskCapacityInMB=hardDiskCapacityInMB, fruId=fruId, raidControllerCopybackEnable=raidControllerCopybackEnable, issuerOrganization=issuerOrganization, powerSupplymanufacture=powerSupplymanufacture, hwFanPresenceStatus=hwFanPresenceStatus, syslogReceiverTest=syslogReceiverTest, raidControllerComponentName=raidControllerComponentName, hwPCIeCardCPUInitFailureDeassert=hwPCIeCardCPUInitFailureDeassert, hwHardwareAddrFault=hwHardwareAddrFault, hwCPUCfgErrorDeassert=hwCPUCfgErrorDeassert, caCertOwnerCountry=caCertOwnerCountry, hwCPUCATError=hwCPUCATError, smtpEnable=smtpEnable, ntpServersource=ntpServersource, hwMngmntHealth=hwMngmntHealth, firmwareName=firmwareName, sensorPositiveHysteresis=sensorPositiveHysteresis, pCIeDeviceDevicename=pCIeDeviceDevicename, ethIPv4Enable=ethIPv4Enable, ldapGroupInfoDescription2Entry=ldapGroupInfoDescription2Entry, hwUIDButtonPressed=hwUIDButtonPressed, hardDiskStatus=hardDiskStatus, raidControllerSMARTerCopybackEnable=raidControllerSMARTerCopybackEnable, hardDiskTemperature=hardDiskTemperature, temperatureDescriptionEntry=temperatureDescriptionEntry, hwCPUUsageHigh=hwCPUUsageHigh, raidControllerCreateLD=raidControllerCreateLD, raidControllerDDREccCount=raidControllerDDREccCount, cpuL1Cache_K=cpuL1Cache_K, powerSupplyDescriptionTable=powerSupplyDescriptionTable, logicalDriveName=logicalDriveName, raidControllerMaxStripSupportInBytes=raidControllerMaxStripSupportInBytes, hwUncorrectableECCDeassert=hwUncorrectableECCDeassert, dnsSource=dnsSource, huawei=huawei, networkProperty=networkProperty, presence=presence, hwDiskUsageHighDeassert=hwDiskUsageHighDeassert, snmpV3Algorithm=snmpV3Algorithm, ledColor=ledColor, deviceLocationInfo=deviceLocationInfo, hardDiskMediaType=hardDiskMediaType, memoryStatus=memoryStatus, autoDiscoveryEnable=autoDiscoveryEnable, diskArrayProperty=diskArrayProperty, powerSupplyPresence=powerSupplyPresence, syslogInfoDescriptionTable=syslogInfoDescriptionTable, hwPCIeCardDIMMFailureDeassert=hwPCIeCardDIMMFailureDeassert, hwNoBootableMedia=hwNoBootableMedia, hwRAIDArrayFailDeassert=hwRAIDArrayFailDeassert, fanIndex=fanIndex, hwTrap=hwTrap, memoryType=memoryType, eventSensorName=eventSensorName, trapVersion=trapVersion, ntpAuthEnabled=ntpAuthEnabled, raidControllerBBUPresence=raidControllerBBUPresence, hwFanAbsentDeassert=hwFanAbsentDeassert, ldapDomainServer=ldapDomainServer, ownerLocation=ownerLocation, userPassword=userPassword, logicalDriveAccessPolicy=logicalDriveAccessPolicy, hardDiskLocationState=hardDiskLocationState, clientCertificateImport=clientCertificateImport, componentDescriptionEntry=componentDescriptionEntry, hwCPUThermalTrip=hwCPUThermalTrip, diskArrayIndex=diskArrayIndex, hardDiskDescriptionTable=hardDiskDescriptionTable, hwSELStatus=hwSELStatus, temperatureDescriptionTable=temperatureDescriptionTable, hwMemoryCfgError=hwMemoryCfgError, ldap=ldap, hwPXENotFoundDeassert=hwPXENotFoundDeassert, syslogCertValidTo=syslogCertValidTo, groupName2=groupName2, powerSupplyStatus=powerSupplyStatus, hardDiskDevicename=hardDiskDevicename, settedPowerSupplyEntireMode=settedPowerSupplyEntireMode, hwCPUThermalTripDeassert=hwCPUThermalTripDeassert, syslogCertIssuedTo=syslogCertIssuedTo, customCertificateImport=customCertificateImport, temperatureLowerMinor=temperatureLowerMinor, syslogCertValidFrom=syslogCertValidFrom, hwSysRestart=hwSysRestart, hardDiskSASAddr1=hardDiskSASAddr1, logicalDriveIndex=logicalDriveIndex, hwSysRestartUnknown=hwSysRestartUnknown, hwVerChange=hwVerChange, trapReceiverPort=trapReceiverPort, ethMode=ethMode, deviceRemoteManageID=deviceRemoteManageID, alternateNTPServer=alternateNTPServer, syslogReceiverIndex=syslogReceiverIndex, trapServerIdentity=trapServerIdentity, temperatureReading=temperatureReading, componentProperty=componentProperty, fruPowerDescriptionEntry=fruPowerDescriptionEntry, preferredDNSServer=preferredDNSServer, firmwareReleaseDate=firmwareReleaseDate, hardDiskSerialNumber=hardDiskSerialNumber, cpuAvailability=cpuAvailability, sensorUpperMinor=sensorUpperMinor, ntpImportGroupkey=ntpImportGroupkey, memoryMinimumVoltage=memoryMinimumVoltage, hwDeviceInstall=hwDeviceInstall, fruProductPartNumber=fruProductPartNumber, hwRAIDCardBBUPresenceDeassert=hwRAIDCardBBUPresenceDeassert, eventDescription=eventDescription, fruBoardFileID=fruBoardFileID, hwBootError=hwBootError, hwPCIeCardAccessFRULableFailureDeassert=hwPCIeCardAccessFRULableFailureDeassert, lomIndex=lomIndex, raidControllerCachePinned=raidControllerCachePinned, fruLedProperty=fruLedProperty, hwVMSELinkFailDeassert=hwVMSELinkFailDeassert, ownerCountry=ownerCountry, fanSpeed=fanSpeed, hwNoBootableMediaDeassert=hwNoBootableMediaDeassert, hwTrapSeq=hwTrapSeq, hwPCIeError=hwPCIeError, trapMode=trapMode, hwCPUOffline=hwCPUOffline, pCIeDeviceStatus=pCIeDeviceStatus, networkDescriptionTable=networkDescriptionTable, hwEthLinkDown=hwEthLinkDown, sensorNegativeHysteresis=sensorNegativeHysteresis, temperatureProperty=temperatureProperty, rootCertificateIndex=rootCertificateIndex, hwCardPresence=hwCardPresence, powerSupplyIndex=powerSupplyIndex, specificationVersion=specificationVersion, memoryDimmIndex=memoryDimmIndex, hwPowerButton=hwPowerButton, fruBoardProductName=fruBoardProductName, raidControllerMode=raidControllerMode, firmwareProperty=firmwareProperty, hwPCIeCardBootDiskAbsentDeassert=hwPCIeCardBootDiskAbsentDeassert, fruid=fruid, hwPCHError=hwPCHError, ldapPort3=ldapPort3, hwMemoryCfgErrorDeassert=hwMemoryCfgErrorDeassert, ntpEnabled=ntpEnabled, powerSupplyInputPower=powerSupplyInputPower, reqOrganizationUnit=reqOrganizationUnit, raidControllerSASAddress=raidControllerSASAddress, trapReceiverIndex=trapReceiverIndex, logicalDriveInitState=logicalDriveInitState, trapReceiverAddress=trapReceiverAddress, sdCardDescriptionEntry=sdCardDescriptionEntry, hwPCIeCardCPUInitFailure=hwPCIeCardCPUInitFailure) mibBuilder.exportSymbols('HUAWEI-SERVER-IBMC-MIB', hwCPUOfflineDeassert=hwCPUOfflineDeassert, deviceOwnerID=deviceOwnerID, hwRTCBatterylow=hwRTCBatterylow, presentSystemPower=presentSystemPower, hwCardFault=hwCardFault, hwRAIDRebuildAbortedDeassert=hwRAIDRebuildAbortedDeassert, hwPCIeCardAccessVoltFailure=hwPCIeCardAccessVoltFailure, hwVMSELinkFail=hwVMSELinkFail, eventAlertSeverity=eventAlertSeverity, hardDiskOtherErrCount=hardDiskOtherErrCount, customCertificatePasswd=customCertificatePasswd, hwPCIeCardOverTempMajorDeassert=hwPCIeCardOverTempMajorDeassert, deviceName=deviceName, hardDiskFwVersion=hardDiskFwVersion, memoryTechnology=memoryTechnology, firmwareLocation=firmwareLocation, issuerCommonName=issuerCommonName, diskArrayFreeSpaceInMB=diskArrayFreeSpaceInMB, safepowerofftime=safepowerofftime, rootCertificateDelete=rootCertificateDelete, reqState=reqState, hwHotSwap=hwHotSwap, hwMemoryRiser=hwMemoryRiser, groupName3=groupName3, fruBoardManufacturer=fruBoardManufacturer, hwServerTRAPObject=hwServerTRAPObject, hwIPMBLinkStateADeassert=hwIPMBLinkStateADeassert, hwSysEvent=hwSysEvent, caCertIssuerOrganization=caCertIssuerOrganization, caCertExpiration=caCertExpiration, hwCPUSelfTestFailDeassert=hwCPUSelfTestFailDeassert, hwPCIeCardAccessTempFailure=hwPCIeCardAccessTempFailure, fruDescriptionTable=fruDescriptionTable, fanPresence=fanPresence, hwPowerSupplyInputLostDeassert=hwPowerSupplyInputLostDeassert, rootCertificateSerialNumber=rootCertificateSerialNumber, groupInterfaces2=groupInterfaces2, userDescriptionEntry=userDescriptionEntry, memorySN=memorySN, firmwareUpgrade=firmwareUpgrade, cpuMemoryTechnology=cpuMemoryTechnology, hwNoSDCard=hwNoSDCard, hwCPUMCEDeassert=hwCPUMCEDeassert, powerSupplyProtocol=powerSupplyProtocol, rootCertificateDescriptionTable=rootCertificateDescriptionTable, diskArrayDescriptionTable=diskArrayDescriptionTable, firmwareVersion=firmwareVersion, powerConsumption=powerConsumption, pCIeDevicePresence=pCIeDevicePresence, sensorLowerCritical=sensorLowerCritical, ldapDomainServer2=ldapDomainServer2, rootCertificateIssuedTo=rootCertificateIssuedTo, hwLCDAbsentDeassert=hwLCDAbsentDeassert, hwMemoryBoardSMI2TainingError=hwMemoryBoardSMI2TainingError, hwHotSwaptoM7=hwHotSwaptoM7, hwOverVoltageCritcalDeassert=hwOverVoltageCritcalDeassert, sdCardControllerVersion=sdCardControllerVersion, sensorReading=sensorReading, systemHealthEventDescriptionEntry=systemHealthEventDescriptionEntry, hwNoBootableDisk=hwNoBootableDisk, hwSystemWarmReset=hwSystemWarmReset, syslogReceiverPort=syslogReceiverPort, hwCPUCfgError=hwCPUCfgError, hwPowerButtonPressed=hwPowerButtonPressed, ledName=ledName, hwTrapServerIdentity=hwTrapServerIdentity, caCertIndex=caCertIndex, diskArrayPDId=diskArrayPDId, hwPCHErrorDeassert=hwPCHErrorDeassert, ldapPort2=ldapPort2, issuerState=issuerState, securityModuleProperty=securityModuleProperty, groupIndex2=groupIndex2, csrGenerate=csrGenerate, syslogReceiverEnable=syslogReceiverEnable, ldapGroupInfoDescription2Table=ldapGroupInfoDescription2Table, bindIPProtocol=bindIPProtocol, hwIPMBLinkStateBDeassert=hwIPMBLinkStateBDeassert, userPublicKeyHash=userPublicKeyHash, systemTime=systemTime, hwCableStatus=hwCableStatus, temperatureIndex=temperatureIndex, sensorLowerMinor=sensorLowerMinor, cpuThreadCount=cpuThreadCount, syslogImportClientCertificate=syslogImportClientCertificate, hwCPUMRCFatalError=hwCPUMRCFatalError, csrExport=csrExport, cpuClockRate=cpuClockRate, smtpReceiverState=smtpReceiverState, hwRAIDRebuildDeassert=hwRAIDRebuildDeassert, logicalDriveBGIEnable=logicalDriveBGIEnable, fanDescriptionTable=fanDescriptionTable, logicalDriveDescriptionEntry=logicalDriveDescriptionEntry, deviceslotID=deviceslotID, pCIeAvailability=pCIeAvailability, peakPowerOccurTime=peakPowerOccurTime, hardDiskIndex=hardDiskIndex, caCertIssuerLocation=caCertIssuerLocation, hwBattery=hwBattery, hwTrapLocation=hwTrapLocation, lomDescriptionEntry=lomDescriptionEntry, smtpReceiverAddress=smtpReceiverAddress, hwMainboardEvent=hwMainboardEvent, raidControllerHealthStatus=raidControllerHealthStatus, productUniqueID=productUniqueID, hwTrapTime=hwTrapTime, hwSysNotice=hwSysNotice, hardDiskPrefailState=hardDiskPrefailState, ownerState=ownerState, hwVideoControllerFaultDeassert=hwVideoControllerFaultDeassert, cpuFunction=cpuFunction, rootCertificateIssuedBy=rootCertificateIssuedBy, csrRequestInfo=csrRequestInfo, hwSysRestartAlwaysRestore=hwSysRestartAlwaysRestore, hwCableStatusDeassert=hwCableStatusDeassert, hwHotSwaptoM5=hwHotSwaptoM5, groupIndex3=groupIndex3, hwLossBmaHeartBeat=hwLossBmaHeartBeat, hwWatchDogReset=hwWatchDogReset, peakPower=peakPower, hwCPUMemoryConfigErrorDeassert=hwCPUMemoryConfigErrorDeassert, hwCPUUsageHighDeassert=hwCPUUsageHighDeassert, raidControllerMaintainPDFailHistory=raidControllerMaintainPDFailHistory, csrStatus=csrStatus, hardDiskCapacityInGB=hardDiskCapacityInGB, cpuStatus=cpuStatus, hwMemorySpareDeassert=hwMemorySpareDeassert, memoryDescriptionEntry=memoryDescriptionEntry, hwLCDFault=hwLCDFault, firmwareUpgradeStart=firmwareUpgradeStart, cpuDevicename=cpuDevicename, systemHealthEventDescriptionTable=systemHealthEventDescriptionTable, hwPCIeCardBBUFaultDeassert=hwPCIeCardBBUFaultDeassert, groupDomain=groupDomain, hwTrapEventCode=hwTrapEventCode, hwMemoryBoardEvent=hwMemoryBoardEvent, hwLogFull=hwLogFull, hwHardwareAddrFaultDeassert=hwHardwareAddrFaultDeassert, customCertificateContent=customCertificateContent, hwControllerAccessibleFailDeassert=hwControllerAccessibleFailDeassert, hwFanFault=hwFanFault, logicalDriveIsSSCD=logicalDriveIsSSCD, hwWatchDogResetDeassert=hwWatchDogResetDeassert, actualPowerSupplyEntireMode=actualPowerSupplyEntireMode, eventAlertTime=eventAlertTime, hwNoAvailableMemoryError=hwNoAvailableMemoryError, hwRAIDRebuildAborted=hwRAIDRebuildAborted, hwMemoryBoardSMI2TainingErrorDeassert=hwMemoryBoardSMI2TainingErrorDeassert, caCertInfoEntry=caCertInfoEntry, hwIPMBLink=hwIPMBLink, hwControllerAccessibleFail=hwControllerAccessibleFail, hwSystemFirmwareHangDeassert=hwSystemFirmwareHangDeassert, hwPCIeCardWatchDogTimeout=hwPCIeCardWatchDogTimeout, syslogCertType=syslogCertType, hwFruFailDeassert=hwFruFailDeassert, hwPhysicalSecurity=hwPhysicalSecurity, smtpTLSEnable=smtpTLSEnable, memoryAvailability=memoryAvailability, hwCPUProchot=hwCPUProchot, hwLCDFaultDeassert=hwLCDFaultDeassert, reqOrganization=reqOrganization, hwPCIeCardAccessTempFailureDeassert=hwPCIeCardAccessTempFailureDeassert, systemCpuUsage=systemCpuUsage, hardDiskNegotiatedSpeedInMbps=hardDiskNegotiatedSpeedInMbps, clientCertificateIndex=clientCertificateIndex, diskArrayLDId=diskArrayLDId, pCIeDeviceLocation=pCIeDeviceLocation, hwLANHeartBeat=hwLANHeartBeat, hwPCIeCardBBUFault=hwPCIeCardBBUFault, hwCPUVoltageMismatchDeassert=hwCPUVoltageMismatchDeassert, logicalDriveSpanDepth=logicalDriveSpanDepth, fileTransferUrl=fileTransferUrl, sdCardEntireStatus=sdCardEntireStatus, pCIeDeviceIndex=pCIeDeviceIndex, powerSupplyEntireStatus=powerSupplyEntireStatus, hwPSPresenceDeassert=hwPSPresenceDeassert, hwEthLinkDownDeassert=hwEthLinkDownDeassert, pCIeDeviceProperty=pCIeDeviceProperty, smtpLoginAccount=smtpLoginAccount, systemBootOnce=systemBootOnce, averagePower=averagePower, fruProductSerialNumber=fruProductSerialNumber, hwLog=hwLog, ledLitOnLastTime=ledLitOnLastTime, hwMemoryPresence=hwMemoryPresence, hwPSRedundancyLostDeassert=hwPSRedundancyLostDeassert, cpuEntireStatus=cpuEntireStatus, temperatureUpperMinor=temperatureUpperMinor, hwOvertempMinor=hwOvertempMinor, hwPowerCapFailDeassert=hwPowerCapFailDeassert, hwPCIeCardUncorrectableErrDeassert=hwPCIeCardUncorrectableErrDeassert, raidControllerDeviceInterface=raidControllerDeviceInterface, hwPCIeCardBBUNotPresent=hwPCIeCardBBUNotPresent, reqCommonName=reqCommonName, trapSecurityUserName=trapSecurityUserName, hwMemoryRiserOnline=hwMemoryRiserOnline, hardDiskDescriptionEntry=hardDiskDescriptionEntry, hwCPUMemoryEvent=hwCPUMemoryEvent, hwDeviceInstallDeassert=hwDeviceInstallDeassert, fanProperty=fanProperty, trapSendType=trapSendType, hwHotSwaptoM1=hwHotSwaptoM1, mezzDescriptionTable=mezzDescriptionTable, hwSysEventInstance=hwSysEventInstance, ownerOrganizationUnit=ownerOrganizationUnit, hwOvertempMinorDeassert=hwOvertempMinorDeassert, hwCPUPresenceDeassert=hwCPUPresenceDeassert, remoteControl=remoteControl, hwCorrectableECC=hwCorrectableECC, powerCappingEnable=powerCappingEnable, groupPrivilege3=groupPrivilege3, hwMemory=hwMemory, hardDiskPowerState=hardDiskPowerState, bindNetPort=bindNetPort, hwPCIeCardCPUOverTempMinorDeassert=hwPCIeCardCPUOverTempMinorDeassert, hwOvertempCriticalDeassert=hwOvertempCriticalDeassert, sdCardIndex=sdCardIndex, hwNoAvailableMemoryErrorDeassert=hwNoAvailableMemoryErrorDeassert, userEnable=userEnable, hwHotSwaptoM3=hwHotSwaptoM3, hwCardPresenceDeassert=hwCardPresenceDeassert, userInterfaces=userInterfaces, fanLocation=fanLocation, hwPCIeCardDIMMFailure=hwPCIeCardDIMMFailure, memoryLocation=memoryLocation, configuration=configuration, smtpReceiverDescriptionEntry=smtpReceiverDescriptionEntry, currentCertInfo=currentCertInfo, lomMACAddress=lomMACAddress, fileTransfer=fileTransfer, hwFruFail=hwFruFail, hwMemBrdMigrateDeassert=hwMemBrdMigrateDeassert, sensorName=sensorName, powerCappingFailureAction=powerCappingFailureAction, groupDomain2=groupDomain2, hwLowerVoltageMajorDeassert=hwLowerVoltageMajorDeassert, powerSupplyFunction=powerSupplyFunction, fruNum=fruNum, hwWatchDogPowerDownDeassert=hwWatchDogPowerDownDeassert, hwPowerCapFail=hwPowerCapFail, sdCardPresence=sdCardPresence, hwPCIeCardOverTemp=hwPCIeCardOverTemp, hwPCIeCardAccessFRULableFailure=hwPCIeCardAccessFRULableFailure, groupInterfaces=groupInterfaces, hwOverVoltageMajor=hwOverVoltageMajor, fruPowerControl=fruPowerControl, logicalDriveDefaultReadPolicy=logicalDriveDefaultReadPolicy, hwPS2USBFaultDeassert=hwPS2USBFaultDeassert, hardDiskManufacturer=hardDiskManufacturer, hwLowerVoltageMajor=hwLowerVoltageMajor, hwPowerSupplyACLostDeassert=hwPowerSupplyACLostDeassert, alternateDNSServer=alternateDNSServer, hwPCIeCardCPUOverTempMajor=hwPCIeCardCPUOverTempMajor, fileTransferState=fileTransferState) mibBuilder.exportSymbols('HUAWEI-SERVER-IBMC-MIB', fruExtendedELabelInfo=fruExtendedELabelInfo, twoFactorAuthenticationRevocationCheck=twoFactorAuthenticationRevocationCheck, groupPrivilege=groupPrivilege, hwPCIeFault=hwPCIeFault, powerOnControl=powerOnControl, hwPCIeCardCPUOverTempMinor=hwPCIeCardCPUOverTempMinor, cpuFamily=cpuFamily, hwMemoryECCLimitationDeassert=hwMemoryECCLimitationDeassert, hwTrapEvent=hwTrapEvent, raidControllerBBUHealthStatus=raidControllerBBUHealthStatus, smtpReceiverDescriptionTable=smtpReceiverDescriptionTable, smtpLoginPassword=smtpLoginPassword, hwNoBootableDiskDeassert=hwNoBootableDiskDeassert, temperatureUpperNonRecoverable=temperatureUpperNonRecoverable, domainNameSystem=domainNameSystem, userPublicKeyDelete=userPublicKeyDelete, configerrorinfo=configerrorinfo, componentBoardID=componentBoardID, ledStatus=ledStatus, customCertInsert=customCertInsert, hardDiskModelNumber=hardDiskModelNumber, hwPCIeCardWatchDogTimeoutDeassert=hwPCIeCardWatchDogTimeoutDeassert, lomProperty=lomProperty, groupPrivilege2=groupPrivilege2, networkTimeProtocol=networkTimeProtocol, componentStatus=componentStatus, sensorType=sensorType, system=system, cpuType=cpuType, hwPCIeErrorDeassert=hwPCIeErrorDeassert, fruProductFileID=fruProductFileID, memoryLogic=memoryLogic, hwCardPresenceStatus=hwCardPresenceStatus, pCIeDeviceManufacturer=pCIeDeviceManufacturer, hwNoSDCardDeassert=hwNoSDCardDeassert, hwiBMC=hwiBMC, cpuProcessorID=cpuProcessorID, fruProductAssetTag=fruProductAssetTag, hwServerTRAPObjectV2=hwServerTRAPObjectV2, hwPCIeCardHardwareFailure=hwPCIeCardHardwareFailure, eventIndex=eventIndex, hwBMC=hwBMC, caCertInfoTable=caCertInfoTable, hwPCIeCardDIMMOverTemp=hwPCIeCardDIMMOverTemp, hwPCIeCardBBULowerVoltageDeassert=hwPCIeCardBBULowerVoltageDeassert, temperatureObject=temperatureObject, hwCPUSelfTestFail=hwCPUSelfTestFail, hwMemoryRiserInstallError=hwMemoryRiserInstallError, hwPCIeCardOverTempMajor=hwPCIeCardOverTempMajor, syslogSeverity=syslogSeverity, hwPSRedundancyLost=hwPSRedundancyLost, hwACPIStatus=hwACPIStatus, manufacturerVersion=manufacturerVersion, logicalDriveRAIDLevel=logicalDriveRAIDLevel, reqLocation=reqLocation, powerSupplyModel=powerSupplyModel, diskArrayPDCount=diskArrayPDCount, clientCertificateDelete=clientCertificateDelete, hwCPUMCE=hwCPUMCE, memoryRank=memoryRank, hwPXENotFound=hwPXENotFound, hwIPMBLinkStateNoFault=hwIPMBLinkStateNoFault, smtpSendFrom=smtpSendFrom, ledColorInLocalControlState=ledColorInLocalControlState, hwCPUMemoryConfigError=hwCPUMemoryConfigError, caCertIssuerOrganizationUnit=caCertIssuerOrganizationUnit, hwWatchDogOverflow=hwWatchDogOverflow, hwMemoryEvent=hwMemoryEvent, mezzCardLocation=mezzCardLocation, caCertOwnerCommonName=caCertOwnerCommonName, issuerLocation=issuerLocation, ntpSupport=ntpSupport, hwSensorAccessibleFailDeassert=hwSensorAccessibleFailDeassert, snmpMIBConfig=snmpMIBConfig, fruBoardMfgDate=fruBoardMfgDate, hwFirmwareChange=hwFirmwareChange, hwCPUVoltageMismatch=hwCPUVoltageMismatch, hwAddInCard=hwAddInCard, certificate=certificate, fruBoardPartNumber=fruBoardPartNumber, hwLCDPresenceStatus=hwLCDPresenceStatus, userGroupID=userGroupID, hwDeviceFault=hwDeviceFault, hostName=hostName, userDelete=userDelete, firmwareBoard=firmwareBoard, raidControllerBBUType=raidControllerBBUType, ethIPSource=ethIPSource, hwInvalidBootSectorDeassert=hwInvalidBootSectorDeassert, hwCPUCoreIsolation=hwCPUCoreIsolation, hardDiskPatrolReadStatus=hardDiskPatrolReadStatus, hwSysRestartChassisCtrl=hwSysRestartChassisCtrl, hardDiskInterfaceType=hardDiskInterfaceType, logicalDriveDedicatedSparePD=logicalDriveDedicatedSparePD, trapLevelDetail=trapLevelDetail, mezzCardFunction=mezzCardFunction, mezzDescriptionEntry=mezzDescriptionEntry, logicalDriveDescriptionTable=logicalDriveDescriptionTable, hwCardStatusFault=hwCardStatusFault, logicalDriveSSCDCachingEnable=logicalDriveSSCDCachingEnable, ethNum=ethNum, powerSupplyInputMode=powerSupplyInputMode, hwRAIDRebuild=hwRAIDRebuild, logicalDriveNumDrivePerSpan=logicalDriveNumDrivePerSpan, ldapGroupInfoDescription3Table=ldapGroupInfoDescription3Table, logicalDriveCurrentIOPolicy=logicalDriveCurrentIOPolicy, memoryClockRate=memoryClockRate, userPublicKeyAdd=userPublicKeyAdd, memoryDescriptionTable=memoryDescriptionTable, logicalDriveStripeSizeInBytes=logicalDriveStripeSizeInBytes, syslogCertSerialNumber=syslogCertSerialNumber, ethInfo=ethInfo, hwLCDAbsent=hwLCDAbsent, syslogCertInfoDescriptionEntry=syslogCertInfoDescriptionEntry, smtpServerIP=smtpServerIP, hwSystemFirmwareHang=hwSystemFirmwareHang, trapCommunity=trapCommunity, hwCPUProchotState=hwCPUProchotState, hwMainboardSMI2TainingError=hwMainboardSMI2TainingError, rootCertificateDescriptionEntry=rootCertificateDescriptionEntry, mezzProperty=mezzProperty, userID=userID, hwMainboardSMI2TainingErrorDeassert=hwMainboardSMI2TainingErrorDeassert, lomDescriptionTable=lomDescriptionTable, hwPCIeCardFWInitFailure=hwPCIeCardFWInitFailure, rootCertificateImport=rootCertificateImport, hwMemoryUsage=hwMemoryUsage, fruProductVersion=fruProductVersion, hwPCIeCardLowerVoltMajorDeassert=hwPCIeCardLowerVoltMajorDeassert, trap=trap, hwMemoryUsageHigh=hwMemoryUsageHigh, hwSELClearedAssert=hwSELClearedAssert, hwPCIeCardBattLowerVoltMinor=hwPCIeCardBattLowerVoltMinor, syslogReceiverAddress=syslogReceiverAddress, ledMode=ledMode, diskArrayUsedSpaceInMB=diskArrayUsedSpaceInMB, raidControllerNVDataVersion=raidControllerNVDataVersion, hwCardStatusFaultDeassert=hwCardStatusFaultDeassert, hwOvertempCritical=hwOvertempCritical, memoryDevicename=memoryDevicename, hwRAIDCardBBUFailedDeassert=hwRAIDCardBBUFailedDeassert, hwMemoryOvertempDeassert=hwMemoryOvertempDeassert, fanLevel=fanLevel, clientCertificateDescriptionTable=clientCertificateDescriptionTable, cpuCoreCount=cpuCoreCount, hwIPMBLinkStateB=hwIPMBLinkStateB, hwBMCBootUp=hwBMCBootUp, hwMemoryRiserOffline=hwMemoryRiserOffline, syslogImportRootCertificate=syslogImportRootCertificate, mezzCardIndex=mezzCardIndex, powerOnPolicy=powerOnPolicy, smtpSendSeverity=smtpSendSeverity, smtpSendSeverityDetail=smtpSendSeverityDetail, logicalDriveRAIDControllerIndex=logicalDriveRAIDControllerIndex, hwVideoControllerFault=hwVideoControllerFault, hwTrapSensorName=hwTrapSensorName, hwPowerCapping=hwPowerCapping, memoryBitWidth=memoryBitWidth, sensorProperty=sensorProperty, memoryEntireStatus=memoryEntireStatus, logicalDriveState=logicalDriveState, fruInfo=fruInfo, sensorPositiveHysteresisString=sensorPositiveHysteresisString, temperatureLowerCritical=temperatureLowerCritical, hwSystemError=hwSystemError, hwPowerSupplyInputLost=hwPowerSupplyInputLost, hwPCIeCardBootEvent=hwPCIeCardBootEvent, hwPowerSupplyFaultDeassert=hwPowerSupplyFaultDeassert, ledColorCapbilities=ledColorCapbilities, hwPCIeCardAccessVoltFailureDeassert=hwPCIeCardAccessVoltFailureDeassert, ldapDomainServer3=ldapDomainServer3, hwSysRestartRestorePrevState=hwSysRestartRestorePrevState, fruBoardSerialNumber=fruBoardSerialNumber, preferredNTPServer=preferredNTPServer, hwCorrectableECCDeassert=hwCorrectableECCDeassert, hwCPUMRCFatalErrorDeassert=hwCPUMRCFatalErrorDeassert, hwPCIeCardBootDiskAbsent=hwPCIeCardBootDiskAbsent, systemTimeZone=systemTimeZone, ntpGroupkeyState=ntpGroupkeyState, firmwareUpgradeDetailedResults=firmwareUpgradeDetailedResults, syslogSendLogType=syslogSendLogType, hwCPUUsage=hwCPUUsage, syslogInfoDescriptionEntry=syslogInfoDescriptionEntry, pCIeDeviceDID=pCIeDeviceDID, ethEnable=ethEnable, systemPowerState=systemPowerState, hwPCIeCardOverVoltMajorDeassert=hwPCIeCardOverVoltMajorDeassert, temperatureLowerNonRecoverable=temperatureLowerNonRecoverable, componentType=componentType, mezzCardDevicename=mezzCardDevicename, trapInfoDescriptionEntry=trapInfoDescriptionEntry, raidControllerAddLD=raidControllerAddLD, hwStorageDevicePresence=hwStorageDevicePresence, caCertOwnerState=caCertOwnerState, fruProductManufacturer=fruProductManufacturer, fruLedDescriptionEntry=fruLedDescriptionEntry, sdCardProperty=sdCardProperty, clearPowerStatistic=clearPowerStatistic, hwBoardMismatchAssert=hwBoardMismatchAssert, hwLCD=hwLCD, importconfig=importconfig, hwHardwareChange=hwHardwareChange, hwSystemNoMemory=hwSystemNoMemory, syslogAuthType=syslogAuthType, PYSNMP_MODULE_ID=hwiBMC, domainName=domainName, syslogCertIssuedBy=syslogCertIssuedBy, ldapUserDomain2=ldapUserDomain2, hardDiskCapableSpeedInMbps=hardDiskCapableSpeedInMbps, raidControllerSupportOOBManagement=raidControllerSupportOOBManagement, cpuL3Cache_K=cpuL3Cache_K, issuerOrganizationUnit=issuerOrganizationUnit, systemGuid=systemGuid, fruID=fruID, syslog=syslog, ethDefaultGateway=ethDefaultGateway, hardDiskProperty=hardDiskProperty, hardDiskFunction=hardDiskFunction, groupDomain3=groupDomain3, cpuDescriptionEntry=cpuDescriptionEntry, hwMemBrdMigrate=hwMemBrdMigrate, hwPCIEStatus=hwPCIEStatus, hwACPIStatusS0=hwACPIStatusS0, powerSupplyPowerRating=powerSupplyPowerRating, powerCappingValue=powerCappingValue, ethMACAddress=ethMACAddress, logicalDriveAssociatedLDs=logicalDriveAssociatedLDs, systemHealth=systemHealth, hwDiskUsageHigh=hwDiskUsageHigh, logicalDriveConsistencyCheckStatus=logicalDriveConsistencyCheckStatus, hwUIDButton=hwUIDButton, hwWatchDog=hwWatchDog, syslogProtocolType=syslogProtocolType, sensorDescriptionEntry=sensorDescriptionEntry, identify=identify, hwCPUPresence=hwCPUPresence, certExpiration=certExpiration, diskArrayDescriptionEntry=diskArrayDescriptionEntry, hwCPUCATErrorDeassert=hwCPUCATErrorDeassert, hwServer=hwServer, hardDiskRebuildProgress=hardDiskRebuildProgress, sdCardManufacturer=sdCardManufacturer, hwMemoryConfigErrorDeassert=hwMemoryConfigErrorDeassert, logicalDriveProperty=logicalDriveProperty, memorySize=memorySize, hwHotSwaptoM0=hwHotSwaptoM0, ledColorInOverrideState=ledColorInOverrideState, pCIeDeviceDescriptionTable=pCIeDeviceDescriptionTable, hwDiskUsage=hwDiskUsage, hwWatchDogPowerCycleDeassert=hwWatchDogPowerCycleDeassert, pCIeDeviceDescriptionEntry=pCIeDeviceDescriptionEntry, logicalDriveDiskCachePolicy=logicalDriveDiskCachePolicy, smtpReceiverIndex=smtpReceiverIndex, hwMemoryRiserInstallErrorDeassert=hwMemoryRiserInstallErrorDeassert) mibBuilder.exportSymbols('HUAWEI-SERVER-IBMC-MIB', componentDescriptionTable=componentDescriptionTable, syslogCertInfoDescriptionTable=syslogCertInfoDescriptionTable, logicalDriveDefaultIOPolicy=logicalDriveDefaultIOPolicy, fruPowerDescriptionTable=fruPowerDescriptionTable, hwRAIDCardBBUFailed=hwRAIDCardBBUFailed, fruExtendedELabelDescriptionTable=fruExtendedELabelDescriptionTable, firmwareDescriptionEntry=firmwareDescriptionEntry, hardDiskMediaErrCount=hardDiskMediaErrCount, hwStorageDevicePredictiveFailure=hwStorageDevicePredictiveFailure, sensorNegativeHysteresisString=sensorNegativeHysteresisString, rootCertificateValidFrom=rootCertificateValidFrom, trapEnable=trapEnable, hwPCIeCardFWInitFailureDeassert=hwPCIeCardFWInitFailureDeassert, sensorUpperCritical=sensorUpperCritical, hwPowerSupplyACLost=hwPowerSupplyACLost, pCIeDeviceFunction=pCIeDeviceFunction, ownerOrganization=ownerOrganization, ethIPAddress=ethIPAddress, hardDiskPresence=hardDiskPresence, hwStorageDevicePresenceDeassert=hwStorageDevicePresenceDeassert, fruDescriptionEntry=fruDescriptionEntry, groupName=groupName, ldapPort=ldapPort, hwPSPresenceStatus=hwPSPresenceStatus, hwModule=hwModule, hwOEMEvent=hwOEMEvent, fruPowerProperty=fruPowerProperty, smtpReceiverDescription=smtpReceiverDescription, raidControllerRestoreSettings=raidControllerRestoreSettings, logicalDriveDefaultWritePolicy=logicalDriveDefaultWritePolicy, hwPCIeCardEvent=hwPCIeCardEvent, cpuProperty=cpuProperty, fruExtendedELabelIndex=fruExtendedELabelIndex, logicalDriveCurrentReadPolicy=logicalDriveCurrentReadPolicy, hwMemoryRiserOfflineDeassert=hwMemoryRiserOfflineDeassert, pCIeDeviceDescription=pCIeDeviceDescription, hwSystemNoMemoryDeassert=hwSystemNoMemoryDeassert, raidControllerDescriptionTable=raidControllerDescriptionTable, hwIPMBLinkStateAll=hwIPMBLinkStateAll, hwPCIeCardHardwareFailureDeassert=hwPCIeCardHardwareFailureDeassert, logicalDriveSizeInMB=logicalDriveSizeInMB, ethType=ethType, hwPCIeCardBattLowerVoltMinorDeassert=hwPCIeCardBattLowerVoltMinorDeassert, componentPCBVersion=componentPCBVersion, specificationType=specificationType, cpuManufacturer=cpuManufacturer, trapInfoDescriptionTable=trapInfoDescriptionTable, powerManagement=powerManagement, fanEntireStatus=fanEntireStatus, hwOverVoltageMajorDeassert=hwOverVoltageMajorDeassert, hardDiskPrefailErrCount=hardDiskPrefailErrCount, ldapGroupInfoDescription1Entry=ldapGroupInfoDescription1Entry, fanStatus=fanStatus, fanMode=fanMode, ldapGroupInfoDescription3Entry=ldapGroupInfoDescription3Entry, hwStorageDevicePredictiveFailureDeassert=hwStorageDevicePredictiveFailureDeassert, logicalDriveStripeSizeInMB=logicalDriveStripeSizeInMB, twoFactorAuthentication=twoFactorAuthentication, hwSysFWProgress=hwSysFWProgress, memoryManufacturer=memoryManufacturer, caCertIssuerCommonName=caCertIssuerCommonName, hwIPMBLinkStateAllDeassert=hwIPMBLinkStateAllDeassert, sensorEventReadingType=sensorEventReadingType, trapLevel=trapLevel, hwPCIEStatusDeassert=hwPCIEStatusDeassert, hwMemoryECCLimitation=hwMemoryECCLimitation, hwPCIeCardBootEventDeassert=hwPCIeCardBootEventDeassert, hwSensorAccessibleFail=hwSensorAccessibleFail, sensorStatus=sensorStatus, hwPS2USBFault=hwPS2USBFault, hwModuleCritical=hwModuleCritical, hwPSPresence=hwPSPresence, raidControllerMinStripSupportInBytes=raidControllerMinStripSupportInBytes, hwMemoryConfigError=hwMemoryConfigError, clientCertificateDescriptionEntry=clientCertificateDescriptionEntry, hwOverVoltageCritcal=hwOverVoltageCritcal, hwBoardMismatch=hwBoardMismatch, smtpReceiverTest=smtpReceiverTest, hwMemoryInitializationError=hwMemoryInitializationError, sdCardSN=sdCardSN, remoteOEMInfo=remoteOEMInfo, hwPCIeCardOverVoltMajor=hwPCIeCardOverVoltMajor, hwMemoryUsageHighDeassert=hwMemoryUsageHighDeassert, sdCardCapacity=sdCardCapacity, ldapGroupInfoDescription1Table=ldapGroupInfoDescription1Table, hwInvalidBootSector=hwInvalidBootSector, hwSysRestartPowerButton=hwSysRestartPowerButton, logicalDriveCurrentWritePolicy=logicalDriveCurrentWritePolicy, hwCPUCoreIsolationDeassert=hwCPUCoreIsolationDeassert, hwSELAlmostFullAssert=hwSELAlmostFullAssert, sdCardStatus=sdCardStatus, hwChipSet=hwChipSet, ethNetmask=ethNetmask, hwCPUProchotStateDeassert=hwCPUProchotStateDeassert, logicalDriveDelete=logicalDriveDelete, hardDiskEntireStatus=hardDiskEntireStatus, diskArrayLDCount=diskArrayLDCount, hwMemorySpare=hwMemorySpare, hwFanFaultDeassert=hwFanFaultDeassert, hwRAIDCardBBUPresence=hwRAIDCardBBUPresence, raidControllerJBODEnable=raidControllerJBODEnable, sensorDescriptionTable=sensorDescriptionTable, caCertSN=caCertSN, memoryFunction=memoryFunction, hardDiskFwState=hardDiskFwState, hwBoardMismatchDeassert=hwBoardMismatchDeassert, hwTrapSeverity=hwTrapSeverity, hwPCIeCardCPUOverTempMajorDeassert=hwPCIeCardCPUOverTempMajorDeassert, powerSupplyVersion=powerSupplyVersion, sdCardDescriptionTable=sdCardDescriptionTable, powerSupplyInfo=powerSupplyInfo, hwMemoryOvertemp=hwMemoryOvertemp, hwHotSwaptoM6=hwHotSwaptoM6, powerSupplyWorkMode=powerSupplyWorkMode, hardDiskLocation=hardDiskLocation, hardDiskSASAddr2=hardDiskSASAddr2, hwWatchDogOverflowDeassert=hwWatchDogOverflowDeassert, trapTest=trapTest, hwRAIDArrayFail=hwRAIDArrayFail, fanDevicename=fanDevicename, hwPCIeCardDIMMOverTempDeassert=hwPCIeCardDIMMOverTempDeassert, ldapEnable=ldapEnable, hwUncorrectableECC=hwUncorrectableECC, bindNTPIPProtocol=bindNTPIPProtocol, hwFanAbsent=hwFanAbsent, hwOvertempMajorDeassert=hwOvertempMajorDeassert, exportconfig=exportconfig, bmcReboot=bmcReboot, fanDescriptionEntry=fanDescriptionEntry, syslogEnable=syslogEnable, hwSELAlmostFullDeassert=hwSELAlmostFullDeassert, cpuL2Cache_K=cpuL2Cache_K, hwPCIeFaultDeassert=hwPCIeFaultDeassert, hwPowerSupplyFault=hwPowerSupplyFault, trapRearm=trapRearm, hwPCIeCardUncorrectableErr=hwPCIeCardUncorrectableErr, hwSystemErrorDeassert=hwSystemErrorDeassert, hwOEM=hwOEM, smtpLoginType=smtpLoginType, hwTrapTest=hwTrapTest, hwStorageDeviceFaultDeassert=hwStorageDeviceFaultDeassert, fruNumber=fruNumber, hwTrapEventData2=hwTrapEventData2, raidControllerMemorySizeInMB=raidControllerMemorySizeInMB, hwSysRestartWatchdogCtrl=hwSysRestartWatchdogCtrl, hwPowerSupply=hwPowerSupply, fanFunction=fanFunction, twoFactorAuthenticationEnable=twoFactorAuthenticationEnable, hwPCIeCardOverTempDeassert=hwPCIeCardOverTempDeassert, hwTrapTestInstance=hwTrapTestInstance, syslogIdentity=syslogIdentity)
n,m = list(map(int,input().split())) cost = list(map(int,input().split())) ans=0 for i in range(m): f,s = list(map(int,input().split())) ans += min(cost[f-1],cost[s-1]) print(ans)
(n, m) = list(map(int, input().split())) cost = list(map(int, input().split())) ans = 0 for i in range(m): (f, s) = list(map(int, input().split())) ans += min(cost[f - 1], cost[s - 1]) print(ans)
''' | Write a program to show if the entered character is uppercase or lowercase. | |---------------------------------------------------------------------------------------------| | Usage of isalpha(), islower() and isupper() | ''' n = input("Enter character \n") if n.isalpha() and len(n)==1: if n.isupper(): print(f"{n} is uppercase.") else: print(f"{n} is lowercase.") else: print("Enter alphabets please...")
""" | Write a program to show if the entered character is uppercase or lowercase. | |---------------------------------------------------------------------------------------------| | Usage of isalpha(), islower() and isupper() | """ n = input('Enter character \n') if n.isalpha() and len(n) == 1: if n.isupper(): print(f'{n} is uppercase.') else: print(f'{n} is lowercase.') else: print('Enter alphabets please...')
# Program 8 : multiply two matrices # take a 3x3 matrix A = [[12, 7, 3], [4, 5, 6], [7, 8, 9]] # take a 3x4 matrix B = [[5, 8, 1, 2], [6, 7, 3, 0], [4, 5, 9, 1]] result = [[0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]] # iterating by row of A for i in range(len(A)): # iterating by coloum by B for j in range(len(B[0])): # iterating by rows of B for k in range(len(B)): result[i][j] += A[i][k] * B[k][j] for r in result: print(r)
a = [[12, 7, 3], [4, 5, 6], [7, 8, 9]] b = [[5, 8, 1, 2], [6, 7, 3, 0], [4, 5, 9, 1]] result = [[0, 0, 0, 0], [0, 0, 0, 0], [0, 0, 0, 0]] for i in range(len(A)): for j in range(len(B[0])): for k in range(len(B)): result[i][j] += A[i][k] * B[k][j] for r in result: print(r)
API_SECRET = 'fluffernutterpie' # google reCAPTCHA sign-up # https://www.google.com/recaptcha/admin RECAPTCHA_KEY = '6LedVBUUAAAAANb2vWVUSByvl66ob3k9r-zSruCu' RECAPTCHA_PRIVATE_KEY = '6LedVBUUAAAAALWe4MQ2VJQhI9rKi6GJTukS6Hrl'
api_secret = 'fluffernutterpie' recaptcha_key = '6LedVBUUAAAAANb2vWVUSByvl66ob3k9r-zSruCu' recaptcha_private_key = '6LedVBUUAAAAALWe4MQ2VJQhI9rKi6GJTukS6Hrl'
list1 = [12,3,5,-5,-6,-1] for i in list1: if i >= 0: print (i) list2 = [12,4,-95,3] for num in list2: if num >= 0: print (" [ ",num," ] ")
list1 = [12, 3, 5, -5, -6, -1] for i in list1: if i >= 0: print(i) list2 = [12, 4, -95, 3] for num in list2: if num >= 0: print(' [ ', num, ' ] ')
class Point: def __init__(self, x, y): self.x = float(x) self.y = float(y) def collinear(self, p, q): if p.x - self.x == 0 and q.x - self.x == 0: return True if p.x - self.x == 0 or q.x - self.x == 0: return False m1 = (p.y-self.y)/(p.x-self.x) m2 = (q.y-self.y)/(q.x-self.x) return m1 == m2 def __str__(self): return "Point [%f, %f]" % (self.x, self.y)
class Point: def __init__(self, x, y): self.x = float(x) self.y = float(y) def collinear(self, p, q): if p.x - self.x == 0 and q.x - self.x == 0: return True if p.x - self.x == 0 or q.x - self.x == 0: return False m1 = (p.y - self.y) / (p.x - self.x) m2 = (q.y - self.y) / (q.x - self.x) return m1 == m2 def __str__(self): return 'Point [%f, %f]' % (self.x, self.y)
bash(''' echo "hello" ''') bash(''' for i in $(seq 1 10); do echo $i sleep 2 done ''')
bash('\n\n\necho "hello"\n\n') bash('\nfor i in $(seq 1 10);\ndo\n echo $i\n sleep 2\ndone\n')
# This script generates a theorem for them Z3 SAT solver. The output of this program # is designed to be the input for http://rise4fun.com/z3 # The output of z3 is the coordinates of the queens for a solution to the N Queen problem :) #Prints an assert statement def zassert(x): print("( assert ( {} ) )".format(x)) #Prints a declaration def zdeclare(x, type="Int"): print("( declare-const {} {} )".format(x,type)) #Generates a Z3 proof. # N = number of queens. # G = grid size (8 = chess board) def generate(N, G) : zdeclare("N") #Nuber of queens zdeclare("G") #Board size zassert("= N {}".format(N)) #Init N zassert("= G {}".format(G)) #Init G #Generate queen names queensX = ["P{}_x".format(n) for n in range(0, N) ] queensY = ["P{}_y".format(n) for n in range(0, N) ] #Declare queens for i in range(N): zdeclare(queensX[i]) zdeclare(queensY[i]) #For each queen Position for P in range(N): #Assert bounds zassert(">= {} 0".format(queensX[P])) zassert(">= {} 0".format(queensY[P])) zassert("< {} G".format(queensX[P])) zassert("< {} G".format(queensY[P])) for PP in range(P+1, N): #Assert Horizontal and Vertical Uniqueness zassert("not ( or (= {ax} {bx} ) (= {ay} {by} ) )" .format(ax=queensX[P], bx=queensX[PP], ay=queensY[P], by=queensY[PP])) #Assert Diagonal uniqueness # / angle zassert("not ( exists (( t Int )) ( and ( and ( and ( = (+ {ax} t) {bx} ) ( >= (+ {ax} t) 0 ) ) ( < (+ {ax} t) G ) ) ( and ( and ( = (+ {ay} t) {by} ) ( >= (+ {ay} t) 0 ) ) ( < (+ {ay} t) G ) ) ) )" .format(ax=queensX[P], bx=queensX[PP], ay=queensY[P], by=queensY[PP])) # \ angle zassert("not ( exists (( t Int )) ( and ( and ( and ( = (+ {ax} t) {bx} ) ( >= (+ {ax} t) 0 ) ) ( < (+ {ax} t) G ) ) ( and ( and ( = (- {ay} t) {by} ) ( >= (- {ay} t) 0 ) ) ( < (- {ay} t) G ) ) ) )" .format(ax=queensX[P], bx=queensX[PP], ay=queensY[P], by=queensY[PP])) print("(check-sat)") print("(get-model)") #Generate proof for 8 queens on an 8x8 grid generate(8,8)
def zassert(x): print('( assert ( {} ) )'.format(x)) def zdeclare(x, type='Int'): print('( declare-const {} {} )'.format(x, type)) def generate(N, G): zdeclare('N') zdeclare('G') zassert('= N {}'.format(N)) zassert('= G {}'.format(G)) queens_x = ['P{}_x'.format(n) for n in range(0, N)] queens_y = ['P{}_y'.format(n) for n in range(0, N)] for i in range(N): zdeclare(queensX[i]) zdeclare(queensY[i]) for p in range(N): zassert('>= {} 0'.format(queensX[P])) zassert('>= {} 0'.format(queensY[P])) zassert('< {} G'.format(queensX[P])) zassert('< {} G'.format(queensY[P])) for pp in range(P + 1, N): zassert('not ( or (= {ax} {bx} ) (= {ay} {by} ) )'.format(ax=queensX[P], bx=queensX[PP], ay=queensY[P], by=queensY[PP])) zassert('not ( exists (( t Int )) ( and ( and ( and ( = (+ {ax} t) {bx} ) ( >= (+ {ax} t) 0 ) ) ( < (+ {ax} t) G ) ) ( and ( and ( = (+ {ay} t) {by} ) ( >= (+ {ay} t) 0 ) ) ( < (+ {ay} t) G ) ) ) )'.format(ax=queensX[P], bx=queensX[PP], ay=queensY[P], by=queensY[PP])) zassert('not ( exists (( t Int )) ( and ( and ( and ( = (+ {ax} t) {bx} ) ( >= (+ {ax} t) 0 ) ) ( < (+ {ax} t) G ) ) ( and ( and ( = (- {ay} t) {by} ) ( >= (- {ay} t) 0 ) ) ( < (- {ay} t) G ) ) ) )'.format(ax=queensX[P], bx=queensX[PP], ay=queensY[P], by=queensY[PP])) print('(check-sat)') print('(get-model)') generate(8, 8)
# cook your dish here try: t = int(input()) for _ in range(t): r, c, k = map(int, input().rstrip().split(' ')) if r <= k: start_row = 1 else: start_row = r-k if c <= k: start_col = 1 else: start_col = c-k if r+k >= 8: end_row = 8 else: end_row = r+k if c+k >= 8: end_col = 8 else: end_col = c+k print((end_row - start_row + 1)*(end_col - start_col + 1)) except: pass
try: t = int(input()) for _ in range(t): (r, c, k) = map(int, input().rstrip().split(' ')) if r <= k: start_row = 1 else: start_row = r - k if c <= k: start_col = 1 else: start_col = c - k if r + k >= 8: end_row = 8 else: end_row = r + k if c + k >= 8: end_col = 8 else: end_col = c + k print((end_row - start_row + 1) * (end_col - start_col + 1)) except: pass
'''Defines data and parameters in an easily resuable format.''' # Common sequence alphabets. ALPHABETS = { 'dna': 'ATGCNatgcn-', 'rna': 'AUGCNaugcn', 'peptide': 'ACDEFGHIKLMNPQRSTVWYXacdefghiklmnpqrstvwyx'} COMPLEMENTS = { 'dna': {'A': 'T', 'T': 'A', 'G': 'C', 'C': 'G', 'N': 'N', 'a': 't', 't': 'a', 'g': 'c', 'c': 'g', 'n': 'n', '-': '-'}, 'rna': {'A': 'U', 'U': 'A', 'G': 'C', 'C': 'G', 'N': 'N', 'a': 'u', 'u': 'a', 'g': 'c', 'c': 'g', 'n': 'n'}} # The standard codon table. CODON_TABLE = { 'A': ['GCG', 'GCA', 'GCU', 'GCC'], 'R': ['AGG', 'AGA', 'CGG', 'CGA', 'CGU', 'CGC'], 'N': ['AAU', 'AAC'], 'D': ['GAU', 'GAC'], 'C': ['UGU', 'UGC'], '*': ['UGA', 'UAG', 'UAA'], 'Q': ['CAG', 'CAA'], 'E': ['GAG', 'GAA'], 'G': ['GGG', 'GGA', 'GGU', 'GGC'], 'H': ['CAU', 'CAC'], 'I': ['AUA', 'AUU', 'AUC'], 'L': ['UUG', 'UUA', 'CUG', 'CUA', 'CUU', 'CUC'], 'K': ['AAG', 'AAA'], 'M': ['AUG'], 'F': ['UUU', 'UUC'], 'P': ['CCG', 'CCA', 'CCU', 'CCC'], 'S': ['AGU', 'AGC', 'UCG', 'UCA', 'UCU', 'UCC'], 'T': ['ACG', 'ACA', 'ACU', 'ACC'], 'W': ['UGG'], 'Y': ['UAU', 'UAC'], 'V': ['GUG', 'GUA', 'GUU', 'GUC']} # Saccharomyces cerevisiae # source: http://www.kazusa.or.jp/codon/ # (which cites GenBank, i.e. yeast genome project CDS database) CODON_FREQ = { 'sc': { 'GCG': 0.109972396541529, 'GCA': 0.288596474496094, 'GCU': 0.377014739102356, 'GCC': 0.224416389860021, 'AGG': 0.208564104515562, 'AGA': 0.481137590939125, 'CGG': 0.0392677130215486, 'CGA': 0.0676728924436203, 'CGU': 0.144572019635586, 'CGC': 0.0587856794445578, 'AAU': 0.589705127199784, 'AAC': 0.410294872800217, 'GAU': 0.65037901553924, 'GAC': 0.34962098446076, 'UGU': 0.629812614586062, 'UGC': 0.370187385413938, 'UGA': 0.303094329334787, 'UAG': 0.225736095965104, 'UAA': 0.471169574700109, 'CAG': 0.307418833439535, 'CAA': 0.692581166560465, 'GAG': 0.296739610207218, 'GAA': 0.703260389792782, 'GGG': 0.119057918187951, 'GGA': 0.215422869017838, 'GGU': 0.472217600813099, 'GGC': 0.193301611981112, 'CAU': 0.636710255236351, 'CAC': 0.363289744763649, 'AUA': 0.273331091899568, 'AUU': 0.462925823433014, 'AUC': 0.263743084667417, 'UUG': 0.286319859527146, 'UUA': 0.275534472444779, 'CUG': 0.110440170850593, 'CUA': 0.141277445174148, 'CUU': 0.129115062940288, 'CUC': 0.0573129890630467, 'AAG': 0.423936637198697, 'AAA': 0.576063362801303, 'AUG': 1, 'UUU': 0.586126603840976, 'UUC': 0.413873396159024, 'CCG': 0.120626895854398, 'CCA': 0.417143753704543, 'CCU': 0.307740315888567, 'CCC': 0.154489034552491, 'AGU': 0.159245398699046, 'AGC': 0.109749229743856, 'UCG': 0.0963590866114069, 'UCA': 0.210157220085731, 'UCU': 0.264456618519558, 'UCC': 0.160032446340401, 'ACG': 0.135583991997041, 'ACA': 0.302413913478422, 'ACU': 0.345237040780705, 'ACC': 0.216765053743832, 'UGG': 1, 'UAU': 0.559573963633711, 'UAC': 0.440426036366289, 'GUG': 0.190897642582249, 'GUA': 0.208783185960798, 'GUU': 0.391481704636128, 'GUC': 0.208837466820824}} # Codon usage organized by organism, then amino acid CODON_FREQ_BY_AA = { 'sc': { 'A': {'GCG': 0.109972396541529, 'GCA': 0.288596474496094, 'GCU': 0.377014739102356, 'GCC': 0.224416389860021}, 'R': {'AGG': 0.208564104515562, 'AGA': 0.481137590939125, 'CGG': 0.0392677130215486, 'CGA': 0.0676728924436203, 'CGU': 0.144572019635586, 'CGC': 0.0587856794445578}, 'N': {'AAU': 0.589705127199784, 'AAC': 0.410294872800217}, 'D': {'GAU': 0.65037901553924, 'GAC': 0.34962098446076}, 'C': {'UGU': 0.629812614586062, 'UGC': 0.370187385413938}, '*': {'UGA': 0.303094329334787, 'UAG': 0.225736095965104, 'UAA': 0.471169574700109}, 'Q': {'CAG': 0.307418833439535, 'CAA': 0.692581166560465}, 'E': {'GAG': 0.296739610207218, 'GAA': 0.703260389792782}, 'G': {'GGG': 0.119057918187951, 'GGA': 0.215422869017838, 'GGU': 0.472217600813099, 'GGC': 0.193301611981112}, 'H': {'CAU': 0.636710255236351, 'CAC': 0.363289744763649}, 'I': {'AUA': 0.273331091899568, 'AUU': 0.462925823433014, 'AUC': 0.263743084667417}, 'L': {'UUG': 0.286319859527146, 'UUA': 0.275534472444779, 'CUG': 0.110440170850593, 'CUA': 0.141277445174148, 'CUU': 0.129115062940288, 'CUC': 0.0573129890630467}, 'K': {'AAG': 0.423936637198697, 'AAA': 0.576063362801303}, 'M': {'AUG': 1}, 'F': {'UUU': 0.586126603840976, 'UUC': 0.413873396159024}, 'P': {'CCG': 0.120626895854398, 'CCA': 0.417143753704543, 'CCU': 0.307740315888567, 'CCC': 0.154489034552491}, 'S': {'AGU': 0.159245398699046, 'AGC': 0.109749229743856, 'UCG': 0.0963590866114069, 'UCA': 0.210157220085731, 'UCU': 0.264456618519558, 'UCC': 0.160032446340401}, 'T': {'ACG': 0.135583991997041, 'ACA': 0.302413913478422, 'ACU': 0.345237040780705, 'ACC': 0.216765053743832}, 'W': {'UGG': 1}, 'Y': {'UAU': 0.559573963633711, 'UAC': 0.440426036366289}, 'V': {'GUG': 0.190897642582249, 'GUA': 0.208783185960798, 'GUU': 0.391481704636128, 'GUC': 0.208837466820824}}} # Complete list of codons. CODONS = {'AAA': 'K', 'AAC': 'N', 'AAG': 'K', 'AAU': 'N', 'ACA': 'T', 'ACC': 'T', 'ACG': 'T', 'ACU': 'T', 'AGA': 'R', 'AGC': 'S', 'AGG': 'R', 'AGU': 'S', 'AUA': 'I', 'AUC': 'I', 'AUG': 'M', 'AUU': 'I', 'CAA': 'Q', 'CAC': 'H', 'CAG': 'Q', 'CAU': 'H', 'CCA': 'P', 'CCC': 'P', 'CCG': 'P', 'CCU': 'P', 'CGA': 'R', 'CGC': 'R', 'CGG': 'R', 'CGU': 'R', 'CUA': 'L', 'CUC': 'L', 'CUG': 'L', 'CUU': 'L', 'GAA': 'E', 'GAC': 'D', 'GAG': 'E', 'GAU': 'D', 'GCA': 'A', 'GCC': 'A', 'GCG': 'A', 'GCU': 'A', 'GGA': 'G', 'GGC': 'G', 'GGG': 'G', 'GGU': 'G', 'GUA': 'V', 'GUC': 'V', 'GUG': 'V', 'GUU': 'V', 'UAA': '*', 'UAC': 'Y', 'UAG': '*', 'UAU': 'Y', 'UCA': 'S', 'UCC': 'S', 'UCG': 'S', 'UCU': 'S', 'UGA': '*', 'UGC': 'C', 'UGG': 'W', 'UGU': 'C', 'UUA': 'L', 'UUC': 'F', 'UUG': 'L', 'UUU': 'F'}
"""Defines data and parameters in an easily resuable format.""" alphabets = {'dna': 'ATGCNatgcn-', 'rna': 'AUGCNaugcn', 'peptide': 'ACDEFGHIKLMNPQRSTVWYXacdefghiklmnpqrstvwyx'} complements = {'dna': {'A': 'T', 'T': 'A', 'G': 'C', 'C': 'G', 'N': 'N', 'a': 't', 't': 'a', 'g': 'c', 'c': 'g', 'n': 'n', '-': '-'}, 'rna': {'A': 'U', 'U': 'A', 'G': 'C', 'C': 'G', 'N': 'N', 'a': 'u', 'u': 'a', 'g': 'c', 'c': 'g', 'n': 'n'}} codon_table = {'A': ['GCG', 'GCA', 'GCU', 'GCC'], 'R': ['AGG', 'AGA', 'CGG', 'CGA', 'CGU', 'CGC'], 'N': ['AAU', 'AAC'], 'D': ['GAU', 'GAC'], 'C': ['UGU', 'UGC'], '*': ['UGA', 'UAG', 'UAA'], 'Q': ['CAG', 'CAA'], 'E': ['GAG', 'GAA'], 'G': ['GGG', 'GGA', 'GGU', 'GGC'], 'H': ['CAU', 'CAC'], 'I': ['AUA', 'AUU', 'AUC'], 'L': ['UUG', 'UUA', 'CUG', 'CUA', 'CUU', 'CUC'], 'K': ['AAG', 'AAA'], 'M': ['AUG'], 'F': ['UUU', 'UUC'], 'P': ['CCG', 'CCA', 'CCU', 'CCC'], 'S': ['AGU', 'AGC', 'UCG', 'UCA', 'UCU', 'UCC'], 'T': ['ACG', 'ACA', 'ACU', 'ACC'], 'W': ['UGG'], 'Y': ['UAU', 'UAC'], 'V': ['GUG', 'GUA', 'GUU', 'GUC']} codon_freq = {'sc': {'GCG': 0.109972396541529, 'GCA': 0.288596474496094, 'GCU': 0.377014739102356, 'GCC': 0.224416389860021, 'AGG': 0.208564104515562, 'AGA': 0.481137590939125, 'CGG': 0.0392677130215486, 'CGA': 0.0676728924436203, 'CGU': 0.144572019635586, 'CGC': 0.0587856794445578, 'AAU': 0.589705127199784, 'AAC': 0.410294872800217, 'GAU': 0.65037901553924, 'GAC': 0.34962098446076, 'UGU': 0.629812614586062, 'UGC': 0.370187385413938, 'UGA': 0.303094329334787, 'UAG': 0.225736095965104, 'UAA': 0.471169574700109, 'CAG': 0.307418833439535, 'CAA': 0.692581166560465, 'GAG': 0.296739610207218, 'GAA': 0.703260389792782, 'GGG': 0.119057918187951, 'GGA': 0.215422869017838, 'GGU': 0.472217600813099, 'GGC': 0.193301611981112, 'CAU': 0.636710255236351, 'CAC': 0.363289744763649, 'AUA': 0.273331091899568, 'AUU': 0.462925823433014, 'AUC': 0.263743084667417, 'UUG': 0.286319859527146, 'UUA': 0.275534472444779, 'CUG': 0.110440170850593, 'CUA': 0.141277445174148, 'CUU': 0.129115062940288, 'CUC': 0.0573129890630467, 'AAG': 0.423936637198697, 'AAA': 0.576063362801303, 'AUG': 1, 'UUU': 0.586126603840976, 'UUC': 0.413873396159024, 'CCG': 0.120626895854398, 'CCA': 0.417143753704543, 'CCU': 0.307740315888567, 'CCC': 0.154489034552491, 'AGU': 0.159245398699046, 'AGC': 0.109749229743856, 'UCG': 0.0963590866114069, 'UCA': 0.210157220085731, 'UCU': 0.264456618519558, 'UCC': 0.160032446340401, 'ACG': 0.135583991997041, 'ACA': 0.302413913478422, 'ACU': 0.345237040780705, 'ACC': 0.216765053743832, 'UGG': 1, 'UAU': 0.559573963633711, 'UAC': 0.440426036366289, 'GUG': 0.190897642582249, 'GUA': 0.208783185960798, 'GUU': 0.391481704636128, 'GUC': 0.208837466820824}} codon_freq_by_aa = {'sc': {'A': {'GCG': 0.109972396541529, 'GCA': 0.288596474496094, 'GCU': 0.377014739102356, 'GCC': 0.224416389860021}, 'R': {'AGG': 0.208564104515562, 'AGA': 0.481137590939125, 'CGG': 0.0392677130215486, 'CGA': 0.0676728924436203, 'CGU': 0.144572019635586, 'CGC': 0.0587856794445578}, 'N': {'AAU': 0.589705127199784, 'AAC': 0.410294872800217}, 'D': {'GAU': 0.65037901553924, 'GAC': 0.34962098446076}, 'C': {'UGU': 0.629812614586062, 'UGC': 0.370187385413938}, '*': {'UGA': 0.303094329334787, 'UAG': 0.225736095965104, 'UAA': 0.471169574700109}, 'Q': {'CAG': 0.307418833439535, 'CAA': 0.692581166560465}, 'E': {'GAG': 0.296739610207218, 'GAA': 0.703260389792782}, 'G': {'GGG': 0.119057918187951, 'GGA': 0.215422869017838, 'GGU': 0.472217600813099, 'GGC': 0.193301611981112}, 'H': {'CAU': 0.636710255236351, 'CAC': 0.363289744763649}, 'I': {'AUA': 0.273331091899568, 'AUU': 0.462925823433014, 'AUC': 0.263743084667417}, 'L': {'UUG': 0.286319859527146, 'UUA': 0.275534472444779, 'CUG': 0.110440170850593, 'CUA': 0.141277445174148, 'CUU': 0.129115062940288, 'CUC': 0.0573129890630467}, 'K': {'AAG': 0.423936637198697, 'AAA': 0.576063362801303}, 'M': {'AUG': 1}, 'F': {'UUU': 0.586126603840976, 'UUC': 0.413873396159024}, 'P': {'CCG': 0.120626895854398, 'CCA': 0.417143753704543, 'CCU': 0.307740315888567, 'CCC': 0.154489034552491}, 'S': {'AGU': 0.159245398699046, 'AGC': 0.109749229743856, 'UCG': 0.0963590866114069, 'UCA': 0.210157220085731, 'UCU': 0.264456618519558, 'UCC': 0.160032446340401}, 'T': {'ACG': 0.135583991997041, 'ACA': 0.302413913478422, 'ACU': 0.345237040780705, 'ACC': 0.216765053743832}, 'W': {'UGG': 1}, 'Y': {'UAU': 0.559573963633711, 'UAC': 0.440426036366289}, 'V': {'GUG': 0.190897642582249, 'GUA': 0.208783185960798, 'GUU': 0.391481704636128, 'GUC': 0.208837466820824}}} codons = {'AAA': 'K', 'AAC': 'N', 'AAG': 'K', 'AAU': 'N', 'ACA': 'T', 'ACC': 'T', 'ACG': 'T', 'ACU': 'T', 'AGA': 'R', 'AGC': 'S', 'AGG': 'R', 'AGU': 'S', 'AUA': 'I', 'AUC': 'I', 'AUG': 'M', 'AUU': 'I', 'CAA': 'Q', 'CAC': 'H', 'CAG': 'Q', 'CAU': 'H', 'CCA': 'P', 'CCC': 'P', 'CCG': 'P', 'CCU': 'P', 'CGA': 'R', 'CGC': 'R', 'CGG': 'R', 'CGU': 'R', 'CUA': 'L', 'CUC': 'L', 'CUG': 'L', 'CUU': 'L', 'GAA': 'E', 'GAC': 'D', 'GAG': 'E', 'GAU': 'D', 'GCA': 'A', 'GCC': 'A', 'GCG': 'A', 'GCU': 'A', 'GGA': 'G', 'GGC': 'G', 'GGG': 'G', 'GGU': 'G', 'GUA': 'V', 'GUC': 'V', 'GUG': 'V', 'GUU': 'V', 'UAA': '*', 'UAC': 'Y', 'UAG': '*', 'UAU': 'Y', 'UCA': 'S', 'UCC': 'S', 'UCG': 'S', 'UCU': 'S', 'UGA': '*', 'UGC': 'C', 'UGG': 'W', 'UGU': 'C', 'UUA': 'L', 'UUC': 'F', 'UUG': 'L', 'UUU': 'F'}
# Created by MechAviv # White Heaven Sun Damage Skin | (2433828) if sm.addDamageSkin(2433828): sm.chat("'White Heaven Sun Damage Skin' Damage Skin has been added to your account's damage skin collection.") sm.consumeItem()
if sm.addDamageSkin(2433828): sm.chat("'White Heaven Sun Damage Skin' Damage Skin has been added to your account's damage skin collection.") sm.consumeItem()
def expose(board, x, y): if not board[y][x].flagged: board[y][x].exposed = True #debug print(x, y, sep='\t') if x == 0 or x == len(board[0]) - 1 or y == 0 or y == len(board) - 1 or board[y][x].mine: return 0 if board[y][x].neighbours == 0: if board[y-1][x-1].exposed is False: expose(board, x-1, y-1) if board[y-1][x].exposed is False: expose(board, x, y-1) if board[y-1][x+1].exposed is False: expose(board, x+1, y-1) if board[y][x-1].exposed is False: expose(board, x-1, y) if board[y][x+1].exposed is False: expose(board, x+1, y) if board[y+1][x-1].exposed is False: expose(board, x-1, y+1) if board[y+1][x].exposed is False: expose(board, x, y+1) if board[y+1][x+1].exposed is False: expose(board, x+1, y+1) return 0
def expose(board, x, y): if not board[y][x].flagged: board[y][x].exposed = True if x == 0 or x == len(board[0]) - 1 or y == 0 or (y == len(board) - 1) or board[y][x].mine: return 0 if board[y][x].neighbours == 0: if board[y - 1][x - 1].exposed is False: expose(board, x - 1, y - 1) if board[y - 1][x].exposed is False: expose(board, x, y - 1) if board[y - 1][x + 1].exposed is False: expose(board, x + 1, y - 1) if board[y][x - 1].exposed is False: expose(board, x - 1, y) if board[y][x + 1].exposed is False: expose(board, x + 1, y) if board[y + 1][x - 1].exposed is False: expose(board, x - 1, y + 1) if board[y + 1][x].exposed is False: expose(board, x, y + 1) if board[y + 1][x + 1].exposed is False: expose(board, x + 1, y + 1) return 0
number = 5 numbers = [1,2,3,4,5] # if statement if number == 5: print(number) if len(numbers) == 5: print(numbers[3]) if number in numbers: # if 3 in [1,2,3,4,5] print("3 is here") # elif and else statement if number == 3: print("is 3") elif number == 5: print("is 5") else: print("not 3 & 5")
number = 5 numbers = [1, 2, 3, 4, 5] if number == 5: print(number) if len(numbers) == 5: print(numbers[3]) if number in numbers: print('3 is here') if number == 3: print('is 3') elif number == 5: print('is 5') else: print('not 3 & 5')
memo = { 0: 0, 1: 1, 2: 1, } def fib(n): if n in memo: return memo[n] val = fib(n-1) + fib(n-2) memo[n] = val return val print(fib(35))
memo = {0: 0, 1: 1, 2: 1} def fib(n): if n in memo: return memo[n] val = fib(n - 1) + fib(n - 2) memo[n] = val return val print(fib(35))
# coding: utf-8 __version__ = '0.12.0'
__version__ = '0.12.0'
# -*- coding: utf-8 -*- # Caching # https://docs.djangoproject.com/en/3.2/topics/cache/ CACHES = { 'default': { 'BACKEND': 'django.core.cache.backends.locmem.LocMemCache', 'LOCATION': 'unique-snowflake', }, 'staticfiles': { 'BACKEND': 'django.core.cache.backends.locmem.LocMemCache', 'LOCATION': 'unique-snowflake', } }
caches = {'default': {'BACKEND': 'django.core.cache.backends.locmem.LocMemCache', 'LOCATION': 'unique-snowflake'}, 'staticfiles': {'BACKEND': 'django.core.cache.backends.locmem.LocMemCache', 'LOCATION': 'unique-snowflake'}}
x, a, b = map(int, input().split()) if b <= a: print('delicious') elif b - a <= x: print('safe') else: print('dangerous')
(x, a, b) = map(int, input().split()) if b <= a: print('delicious') elif b - a <= x: print('safe') else: print('dangerous')
class Args(object): def __init__(self): self.seed = 0 self.experiment = None self.network = None self.approach = None self.parameter = [] self.taskcla = None self.comment = None self.log_dir = None global args args = Args()
class Args(object): def __init__(self): self.seed = 0 self.experiment = None self.network = None self.approach = None self.parameter = [] self.taskcla = None self.comment = None self.log_dir = None global args args = args()
list1=[12,-7,5,64,-14] for num in list1: if num>=0: print(num,end=" ") list2=[12,14,-95,3] for num in list2: if num>=0: print(num,end=" ")
list1 = [12, -7, 5, 64, -14] for num in list1: if num >= 0: print(num, end=' ') list2 = [12, 14, -95, 3] for num in list2: if num >= 0: print(num, end=' ')
#Three character NHGIS codes to postal abbreviations state_codes = { '530':'WA', '100':'DE', '110':'DC', '550':'WI', '540':'WV', '150':'HI', '120':'FL', '560':'WY', '720':'PR', '340':'NJ', '350':'NM', '480':'TX', '220':'LA', '370':'NC', '380':'ND', '310':'NE', '470':'TN', '360':'NY', '420':'PA', '020':'AK', '320':'NV', '330':'NH', '510':'VA', '080':'CO', '060':'CA', '010':'AL', '050':'AR', '500':'VT', '170':'IL', '130':'GA', '180':'IN', '190':'IA', '250':'MA', '040':'AZ', '160':'ID', '090':'CT', '230':'ME', '240':'MD', '400':'OK', '390':'OH', '490':'UT', '290':'MO', '270':'MN', '260':'MI', '440':'RI', '200':'KS', '300':'MT', '280':'MS', '450':'SC', '210':'KY', '410':'OR', '460':'SD', '720':'PR' }
state_codes = {'530': 'WA', '100': 'DE', '110': 'DC', '550': 'WI', '540': 'WV', '150': 'HI', '120': 'FL', '560': 'WY', '720': 'PR', '340': 'NJ', '350': 'NM', '480': 'TX', '220': 'LA', '370': 'NC', '380': 'ND', '310': 'NE', '470': 'TN', '360': 'NY', '420': 'PA', '020': 'AK', '320': 'NV', '330': 'NH', '510': 'VA', '080': 'CO', '060': 'CA', '010': 'AL', '050': 'AR', '500': 'VT', '170': 'IL', '130': 'GA', '180': 'IN', '190': 'IA', '250': 'MA', '040': 'AZ', '160': 'ID', '090': 'CT', '230': 'ME', '240': 'MD', '400': 'OK', '390': 'OH', '490': 'UT', '290': 'MO', '270': 'MN', '260': 'MI', '440': 'RI', '200': 'KS', '300': 'MT', '280': 'MS', '450': 'SC', '210': 'KY', '410': 'OR', '460': 'SD', '720': 'PR'}
def uniquePaths(m: int, n: int) -> int: dp = [[0 for _ in range(m)] for _ in range(n)] for i in range(m): dp[0][i] = 1 for j in range(n): dp[j][0] = 1 for i in range(1, n): for j in range(1, m): dp[i][j] = dp[i - 1][j] + dp[i][j - 1] return dp[-1][-1] if __name__ == "__main__": print(uniquePaths(3, 7)) print(uniquePaths(3, 2)) print(uniquePaths(7, 3)) print(uniquePaths(3, 3))
def unique_paths(m: int, n: int) -> int: dp = [[0 for _ in range(m)] for _ in range(n)] for i in range(m): dp[0][i] = 1 for j in range(n): dp[j][0] = 1 for i in range(1, n): for j in range(1, m): dp[i][j] = dp[i - 1][j] + dp[i][j - 1] return dp[-1][-1] if __name__ == '__main__': print(unique_paths(3, 7)) print(unique_paths(3, 2)) print(unique_paths(7, 3)) print(unique_paths(3, 3))
if __name__ == "__main__": base_path = "/data4/dheeraj/hashtag/all/Twitter/" f_tweets = open(base_path + "train_post.txt", "r") f_tags = open(base_path + "train_tag.txt", "r") tweets = f_tweets.readlines() tags = f_tags.readlines() f_tags.close() f_tweets.close() tweets = tweets[:100] tags = tags[:100] final_tweets = [] final_tags = [] for i, tag in enumerate(tags): all_tags = tag.split(';') for t in all_tags: final_tweets.append(tweets[i]) final_tags.append(t.strip()) for i, tweet in enumerate(final_tweets): tag = final_tags[i] with open(base_path + "data/" + str(i) + ".txt", "w") as f: f.write(tweet.strip()) f.write("\n") f.write(tag.strip())
if __name__ == '__main__': base_path = '/data4/dheeraj/hashtag/all/Twitter/' f_tweets = open(base_path + 'train_post.txt', 'r') f_tags = open(base_path + 'train_tag.txt', 'r') tweets = f_tweets.readlines() tags = f_tags.readlines() f_tags.close() f_tweets.close() tweets = tweets[:100] tags = tags[:100] final_tweets = [] final_tags = [] for (i, tag) in enumerate(tags): all_tags = tag.split(';') for t in all_tags: final_tweets.append(tweets[i]) final_tags.append(t.strip()) for (i, tweet) in enumerate(final_tweets): tag = final_tags[i] with open(base_path + 'data/' + str(i) + '.txt', 'w') as f: f.write(tweet.strip()) f.write('\n') f.write(tag.strip())
# # PySNMP MIB module IPMROUTE-STD-MIB (http://pysnmp.sf.net) # ASN.1 source http://mibs.snmplabs.com:80/asn1/IPMROUTE-STD-MIB # Produced by pysmi-0.0.7 at Sun Feb 14 00:18:06 2016 # On host bldfarm platform Linux version 4.1.13-100.fc21.x86_64 by user goose # Using Python version 3.5.0 (default, Jan 5 2016, 17:11:52) # ( OctetString, Integer, ObjectIdentifier, ) = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") ( NamedValues, ) = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ( ValueSizeConstraint, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion, ConstraintsIntersection, ) = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ConstraintsIntersection") ( IANAipMRouteProtocol, IANAipRouteProtocol, ) = mibBuilder.importSymbols("IANA-RTPROTO-MIB", "IANAipMRouteProtocol", "IANAipRouteProtocol") ( InterfaceIndexOrZero, InterfaceIndex, ) = mibBuilder.importSymbols("IF-MIB", "InterfaceIndexOrZero", "InterfaceIndex") ( SnmpAdminString, ) = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ( ObjectGroup, ModuleCompliance, NotificationGroup, ) = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup") ( mib_2, TimeTicks, ModuleIdentity, Integer32, Counter32, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Unsigned32, MibIdentifier, Gauge32, Counter64, Bits, NotificationType, IpAddress, ) = mibBuilder.importSymbols("SNMPv2-SMI", "mib-2", "TimeTicks", "ModuleIdentity", "Integer32", "Counter32", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Unsigned32", "MibIdentifier", "Gauge32", "Counter64", "Bits", "NotificationType", "IpAddress") ( RowStatus, DisplayString, TruthValue, TextualConvention, ) = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "DisplayString", "TruthValue", "TextualConvention") ipMRouteStdMIB = ModuleIdentity((1, 3, 6, 1, 2, 1, 83)).setRevisions(("2000-09-22 00:00",)) if mibBuilder.loadTexts: ipMRouteStdMIB.setLastUpdated('200009220000Z') if mibBuilder.loadTexts: ipMRouteStdMIB.setOrganization('IETF IDMR Working Group') if mibBuilder.loadTexts: ipMRouteStdMIB.setContactInfo(' Dave Thaler\n Microsoft Corporation\n One Microsoft Way\n Redmond, WA 98052-6399\n US\n\n Phone: +1 425 703 8835\n EMail: dthaler@microsoft.com') if mibBuilder.loadTexts: ipMRouteStdMIB.setDescription('The MIB module for management of IP Multicast routing, but\n independent of the specific multicast routing protocol in\n use.') class LanguageTag(OctetString, TextualConvention): displayHint = '100a' subtypeSpec = OctetString.subtypeSpec+ValueSizeConstraint(1,100) ipMRouteMIBObjects = MibIdentifier((1, 3, 6, 1, 2, 1, 83, 1)) ipMRoute = MibIdentifier((1, 3, 6, 1, 2, 1, 83, 1, 1)) ipMRouteEnable = MibScalar((1, 3, 6, 1, 2, 1, 83, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2),))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ipMRouteEnable.setDescription('The enabled status of IP Multicast routing on this router.') ipMRouteEntryCount = MibScalar((1, 3, 6, 1, 2, 1, 83, 1, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteEntryCount.setDescription('The number of rows in the ipMRouteTable. This can be used\n to monitor the multicast routing table size.') ipMRouteTable = MibTable((1, 3, 6, 1, 2, 1, 83, 1, 1, 2), ) if mibBuilder.loadTexts: ipMRouteTable.setDescription('The (conceptual) table containing multicast routing\n information for IP datagrams sent by particular sources to\n the IP multicast groups known to this router.') ipMRouteEntry = MibTableRow((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1), ).setIndexNames((0, "IPMROUTE-STD-MIB", "ipMRouteGroup"), (0, "IPMROUTE-STD-MIB", "ipMRouteSource"), (0, "IPMROUTE-STD-MIB", "ipMRouteSourceMask")) if mibBuilder.loadTexts: ipMRouteEntry.setDescription('An entry (conceptual row) containing the multicast routing\n information for IP datagrams from a particular source and\n addressed to a particular IP multicast group address.\n Discontinuities in counters in this entry can be detected by\n observing the value of ipMRouteUpTime.') ipMRouteGroup = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 1), IpAddress()) if mibBuilder.loadTexts: ipMRouteGroup.setDescription('The IP multicast group address for which this entry\n contains multicast routing information.') ipMRouteSource = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 2), IpAddress()) if mibBuilder.loadTexts: ipMRouteSource.setDescription('The network address which when combined with the\n corresponding value of ipMRouteSourceMask identifies the\n sources for which this entry contains multicast routing\n information.') ipMRouteSourceMask = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 3), IpAddress()) if mibBuilder.loadTexts: ipMRouteSourceMask.setDescription('The network mask which when combined with the corresponding\n value of ipMRouteSource identifies the sources for which\n this entry contains multicast routing information.') ipMRouteUpstreamNeighbor = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteUpstreamNeighbor.setDescription('The address of the upstream neighbor (e.g., RPF neighbor)\n from which IP datagrams from these sources to this multicast\n address are received, or 0.0.0.0 if the upstream neighbor is\n unknown (e.g., in CBT).') ipMRouteInIfIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 5), InterfaceIndexOrZero()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteInIfIndex.setDescription('The value of ifIndex for the interface on which IP\n datagrams sent by these sources to this multicast address\n are received. A value of 0 indicates that datagrams are not\n subject to an incoming interface check, but may be accepted\n on multiple interfaces (e.g., in CBT).') ipMRouteUpTime = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 6), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteUpTime.setDescription('The time since the multicast routing information\n represented by this entry was learned by the router.') ipMRouteExpiryTime = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 7), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteExpiryTime.setDescription('The minimum amount of time remaining before this entry will\n be aged out. The value 0 indicates that the entry is not\n subject to aging.') ipMRoutePkts = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRoutePkts.setDescription('The number of packets which this router has received from\n these sources and addressed to this multicast group\n address.') ipMRouteDifferentInIfPackets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteDifferentInIfPackets.setDescription('The number of packets which this router has received from\n these sources and addressed to this multicast group address,\n which were dropped because they were not received on the\n interface indicated by ipMRouteInIfIndex. Packets which are\n not subject to an incoming interface check (e.g., using CBT)\n are not counted.') ipMRouteOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteOctets.setDescription('The number of octets contained in IP datagrams which were\n received from these sources and addressed to this multicast\n group address, and which were forwarded by this router.') ipMRouteProtocol = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 11), IANAipMRouteProtocol()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteProtocol.setDescription('The multicast routing protocol via which this multicast\n forwarding entry was learned.') ipMRouteRtProto = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 12), IANAipRouteProtocol()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteRtProto.setDescription('The routing mechanism via which the route used to find the\n upstream or parent interface for this multicast forwarding\n entry was learned. Inclusion of values for routing\n protocols is not intended to imply that those protocols need\n be supported.') ipMRouteRtAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 13), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteRtAddress.setDescription('The address portion of the route used to find the upstream\n or parent interface for this multicast forwarding entry.') ipMRouteRtMask = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 14), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteRtMask.setDescription('The mask associated with the route used to find the upstream\n or parent interface for this multicast forwarding entry.') ipMRouteRtType = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("unicast", 1), ("multicast", 2),))).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteRtType.setDescription('The reason the given route was placed in the (logical)\n multicast Routing Information Base (RIB). A value of\n unicast means that the route would normally be placed only\n in the unicast RIB, but was placed in the multicast RIB\n (instead or in addition) due to local configuration, such as\n when running PIM over RIP. A value of multicast means that\n\n\n\n\n\n the route was explicitly added to the multicast RIB by the\n routing protocol, such as DVMRP or Multiprotocol BGP.') ipMRouteHCOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 16), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteHCOctets.setDescription('The number of octets contained in IP datagrams which were\n received from these sources and addressed to this multicast\n group address, and which were forwarded by this router.\n This object is a 64-bit version of ipMRouteOctets.') ipMRouteNextHopTable = MibTable((1, 3, 6, 1, 2, 1, 83, 1, 1, 3), ) if mibBuilder.loadTexts: ipMRouteNextHopTable.setDescription('The (conceptual) table containing information on the next-\n hops on outgoing interfaces for routing IP multicast\n datagrams. Each entry is one of a list of next-hops on\n outgoing interfaces for particular sources sending to a\n particular multicast group address.') ipMRouteNextHopEntry = MibTableRow((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1), ).setIndexNames((0, "IPMROUTE-STD-MIB", "ipMRouteNextHopGroup"), (0, "IPMROUTE-STD-MIB", "ipMRouteNextHopSource"), (0, "IPMROUTE-STD-MIB", "ipMRouteNextHopSourceMask"), (0, "IPMROUTE-STD-MIB", "ipMRouteNextHopIfIndex"), (0, "IPMROUTE-STD-MIB", "ipMRouteNextHopAddress")) if mibBuilder.loadTexts: ipMRouteNextHopEntry.setDescription('An entry (conceptual row) in the list of next-hops on\n outgoing interfaces to which IP multicast datagrams from\n particular sources to a IP multicast group address are\n routed. Discontinuities in counters in this entry can be\n detected by observing the value of ipMRouteUpTime.') ipMRouteNextHopGroup = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 1), IpAddress()) if mibBuilder.loadTexts: ipMRouteNextHopGroup.setDescription('The IP multicast group for which this entry specifies a\n next-hop on an outgoing interface.') ipMRouteNextHopSource = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 2), IpAddress()) if mibBuilder.loadTexts: ipMRouteNextHopSource.setDescription('The network address which when combined with the\n corresponding value of ipMRouteNextHopSourceMask identifies\n the sources for which this entry specifies a next-hop on an\n outgoing interface.') ipMRouteNextHopSourceMask = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 3), IpAddress()) if mibBuilder.loadTexts: ipMRouteNextHopSourceMask.setDescription('The network mask which when combined with the corresponding\n value of ipMRouteNextHopSource identifies the sources for\n which this entry specifies a next-hop on an outgoing\n interface.') ipMRouteNextHopIfIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 4), InterfaceIndex()) if mibBuilder.loadTexts: ipMRouteNextHopIfIndex.setDescription('The ifIndex value of the interface for the outgoing\n interface for this next-hop.') ipMRouteNextHopAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 5), IpAddress()) if mibBuilder.loadTexts: ipMRouteNextHopAddress.setDescription('The address of the next-hop specific to this entry. For\n most interfaces, this is identical to ipMRouteNextHopGroup.\n NBMA interfaces, however, may have multiple next-hop\n addresses out a single outgoing interface.') ipMRouteNextHopState = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2,))).clone(namedValues=NamedValues(("pruned", 1), ("forwarding", 2),))).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteNextHopState.setDescription("An indication of whether the outgoing interface and next-\n hop represented by this entry is currently being used to\n forward IP datagrams. The value 'forwarding' indicates it\n is currently being used; the value 'pruned' indicates it is\n not.") ipMRouteNextHopUpTime = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 7), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteNextHopUpTime.setDescription('The time since the multicast routing information\n represented by this entry was learned by the router.') ipMRouteNextHopExpiryTime = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 8), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteNextHopExpiryTime.setDescription('The minimum amount of time remaining before this entry will\n be aged out. If ipMRouteNextHopState is pruned(1), the\n remaining time until the prune expires and the state reverts\n to forwarding(2). Otherwise, the remaining time until this\n entry is removed from the table. The time remaining may be\n copied from ipMRouteExpiryTime if the protocol in use for\n this entry does not specify next-hop timers. The value 0\n\n\n\n\n\n indicates that the entry is not subject to aging.') ipMRouteNextHopClosestMemberHops = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteNextHopClosestMemberHops.setDescription('The minimum number of hops between this router and any\n member of this IP multicast group reached via this next-hop\n on this outgoing interface. Any IP multicast datagrams for\n the group which have a TTL less than this number of hops\n will not be forwarded to this next-hop.') ipMRouteNextHopProtocol = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 10), IANAipMRouteProtocol()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteNextHopProtocol.setDescription('The routing mechanism via which this next-hop was learned.') ipMRouteNextHopPkts = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteNextHopPkts.setDescription('The number of packets which have been forwarded using this\n route.') ipMRouteInterfaceTable = MibTable((1, 3, 6, 1, 2, 1, 83, 1, 1, 4), ) if mibBuilder.loadTexts: ipMRouteInterfaceTable.setDescription('The (conceptual) table containing multicast routing\n information specific to interfaces.') ipMRouteInterfaceEntry = MibTableRow((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1), ).setIndexNames((0, "IPMROUTE-STD-MIB", "ipMRouteInterfaceIfIndex")) if mibBuilder.loadTexts: ipMRouteInterfaceEntry.setDescription('An entry (conceptual row) containing the multicast routing\n information for a particular interface.') ipMRouteInterfaceIfIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: ipMRouteInterfaceIfIndex.setDescription('The ifIndex value of the interface for which this entry\n contains information.') ipMRouteInterfaceTtl = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: ipMRouteInterfaceTtl.setDescription('The datagram TTL threshold for the interface. Any IP\n multicast datagrams with a TTL less than this threshold will\n not be forwarded out the interface. The default value of 0\n means all multicast packets are forwarded out the\n interface.') ipMRouteInterfaceProtocol = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 3), IANAipMRouteProtocol()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteInterfaceProtocol.setDescription('The routing protocol running on this interface.') ipMRouteInterfaceRateLimit = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 4), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: ipMRouteInterfaceRateLimit.setDescription('The rate-limit, in kilobits per second, of forwarded\n multicast traffic on the interface. A rate-limit of 0\n indicates that no rate limiting is done.') ipMRouteInterfaceInMcastOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteInterfaceInMcastOctets.setDescription('The number of octets of multicast packets that have arrived\n on the interface, including framing characters. This object\n is similar to ifInOctets in the Interfaces MIB, except that\n only multicast packets are counted.') ipMRouteInterfaceOutMcastOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteInterfaceOutMcastOctets.setDescription('The number of octets of multicast packets that have been\n sent on the interface.') ipMRouteInterfaceHCInMcastOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 7), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteInterfaceHCInMcastOctets.setDescription('The number of octets of multicast packets that have arrived\n on the interface, including framing characters. This object\n is a 64-bit version of ipMRouteInterfaceInMcastOctets. It\n is similar to ifHCInOctets in the Interfaces MIB, except\n that only multicast packets are counted.') ipMRouteInterfaceHCOutMcastOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 8), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: ipMRouteInterfaceHCOutMcastOctets.setDescription('The number of octets of multicast packets that have been\n\n\n\n\n\n sent on the interface. This object is a 64-bit version of\n ipMRouteInterfaceOutMcastOctets.') ipMRouteBoundaryTable = MibTable((1, 3, 6, 1, 2, 1, 83, 1, 1, 5), ) if mibBuilder.loadTexts: ipMRouteBoundaryTable.setDescription("The (conceptual) table listing the router's scoped\n multicast address boundaries.") ipMRouteBoundaryEntry = MibTableRow((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1), ).setIndexNames((0, "IPMROUTE-STD-MIB", "ipMRouteBoundaryIfIndex"), (0, "IPMROUTE-STD-MIB", "ipMRouteBoundaryAddress"), (0, "IPMROUTE-STD-MIB", "ipMRouteBoundaryAddressMask")) if mibBuilder.loadTexts: ipMRouteBoundaryEntry.setDescription('An entry (conceptual row) in the ipMRouteBoundaryTable\n representing a scoped boundary.') ipMRouteBoundaryIfIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 1), InterfaceIndex()) if mibBuilder.loadTexts: ipMRouteBoundaryIfIndex.setDescription('The IfIndex value for the interface to which this boundary\n applies. Packets with a destination address in the\n associated address/mask range will not be forwarded out this\n interface.') ipMRouteBoundaryAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 2), IpAddress()) if mibBuilder.loadTexts: ipMRouteBoundaryAddress.setDescription('The group address which when combined with the\n corresponding value of ipMRouteBoundaryAddressMask\n identifies the group range for which the scoped boundary\n exists. Scoped addresses must come from the range 239.x.x.x\n as specified in RFC 2365.') ipMRouteBoundaryAddressMask = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 3), IpAddress()) if mibBuilder.loadTexts: ipMRouteBoundaryAddressMask.setDescription('The group address mask which when combined with the\n corresponding value of ipMRouteBoundaryAddress identifies\n the group range for which the scoped boundary exists.') ipMRouteBoundaryStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: ipMRouteBoundaryStatus.setDescription('The status of this row, by which new entries may be\n created, or old entries deleted from this table.') ipMRouteScopeNameTable = MibTable((1, 3, 6, 1, 2, 1, 83, 1, 1, 6), ) if mibBuilder.loadTexts: ipMRouteScopeNameTable.setDescription('The (conceptual) table listing the multicast scope names.') ipMRouteScopeNameEntry = MibTableRow((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1), ).setIndexNames((0, "IPMROUTE-STD-MIB", "ipMRouteScopeNameAddress"), (0, "IPMROUTE-STD-MIB", "ipMRouteScopeNameAddressMask"), (1, "IPMROUTE-STD-MIB", "ipMRouteScopeNameLanguage")) if mibBuilder.loadTexts: ipMRouteScopeNameEntry.setDescription('An entry (conceptual row) in the ipMRouteScopeNameTable\n representing a multicast scope name.') ipMRouteScopeNameAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 1), IpAddress()) if mibBuilder.loadTexts: ipMRouteScopeNameAddress.setDescription('The group address which when combined with the\n corresponding value of ipMRouteScopeNameAddressMask\n identifies the group range associated with the multicast\n scope. Scoped addresses must come from the range\n 239.x.x.x.') ipMRouteScopeNameAddressMask = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 2), IpAddress()) if mibBuilder.loadTexts: ipMRouteScopeNameAddressMask.setDescription('The group address mask which when combined with the\n corresponding value of ipMRouteScopeNameAddress identifies\n the group range associated with the multicast scope.') ipMRouteScopeNameLanguage = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 3), LanguageTag()) if mibBuilder.loadTexts: ipMRouteScopeNameLanguage.setDescription('The RFC 1766-style language tag associated with the scope\n name.') ipMRouteScopeNameString = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 4), SnmpAdminString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: ipMRouteScopeNameString.setDescription('The textual name associated with the multicast scope. The\n value of this object should be suitable for displaying to\n end-users, such as when allocating a multicast address in\n this scope. When no name is specified, the default value of\n this object should be the string 239.x.x.x/y with x and y\n replaced appropriately to describe the address and mask\n length associated with the scope.') ipMRouteScopeNameDefault = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 5), TruthValue().clone('false')).setMaxAccess("readcreate") if mibBuilder.loadTexts: ipMRouteScopeNameDefault.setDescription('If true, indicates a preference that the name in the\n following language should be used by applications if no name\n is available in a desired language.') ipMRouteScopeNameStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 6), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: ipMRouteScopeNameStatus.setDescription('The status of this row, by which new entries may be\n created, or old entries deleted from this table.') ipMRouteMIBConformance = MibIdentifier((1, 3, 6, 1, 2, 1, 83, 2)) ipMRouteMIBCompliances = MibIdentifier((1, 3, 6, 1, 2, 1, 83, 2, 1)) ipMRouteMIBGroups = MibIdentifier((1, 3, 6, 1, 2, 1, 83, 2, 2)) ipMRouteMIBCompliance = ModuleCompliance((1, 3, 6, 1, 2, 1, 83, 2, 1, 1)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteMIBBasicGroup"), ("IPMROUTE-STD-MIB", "ipMRouteMIBRouteGroup"), ("IPMROUTE-STD-MIB", "ipMRouteMIBBoundaryGroup"), ("IPMROUTE-STD-MIB", "ipMRouteMIBHCInterfaceGroup"),)) if mibBuilder.loadTexts: ipMRouteMIBCompliance.setDescription('The compliance statement for the IP Multicast MIB.') ipMRouteMIBBasicGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 1)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteEnable"), ("IPMROUTE-STD-MIB", "ipMRouteEntryCount"), ("IPMROUTE-STD-MIB", "ipMRouteUpstreamNeighbor"), ("IPMROUTE-STD-MIB", "ipMRouteInIfIndex"), ("IPMROUTE-STD-MIB", "ipMRouteUpTime"), ("IPMROUTE-STD-MIB", "ipMRouteExpiryTime"), ("IPMROUTE-STD-MIB", "ipMRouteNextHopState"), ("IPMROUTE-STD-MIB", "ipMRouteNextHopUpTime"), ("IPMROUTE-STD-MIB", "ipMRouteNextHopExpiryTime"), ("IPMROUTE-STD-MIB", "ipMRouteNextHopProtocol"), ("IPMROUTE-STD-MIB", "ipMRouteNextHopPkts"), ("IPMROUTE-STD-MIB", "ipMRouteInterfaceTtl"), ("IPMROUTE-STD-MIB", "ipMRouteInterfaceProtocol"), ("IPMROUTE-STD-MIB", "ipMRouteInterfaceRateLimit"), ("IPMROUTE-STD-MIB", "ipMRouteInterfaceInMcastOctets"), ("IPMROUTE-STD-MIB", "ipMRouteInterfaceOutMcastOctets"), ("IPMROUTE-STD-MIB", "ipMRouteProtocol"),)) if mibBuilder.loadTexts: ipMRouteMIBBasicGroup.setDescription('A collection of objects to support basic management of IP\n Multicast routing.') ipMRouteMIBHopCountGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 2)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteNextHopClosestMemberHops"),)) if mibBuilder.loadTexts: ipMRouteMIBHopCountGroup.setDescription('A collection of objects to support management of the use of\n hop counts in IP Multicast routing.') ipMRouteMIBBoundaryGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 3)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteBoundaryStatus"), ("IPMROUTE-STD-MIB", "ipMRouteScopeNameString"), ("IPMROUTE-STD-MIB", "ipMRouteScopeNameDefault"), ("IPMROUTE-STD-MIB", "ipMRouteScopeNameStatus"),)) if mibBuilder.loadTexts: ipMRouteMIBBoundaryGroup.setDescription('A collection of objects to support management of scoped\n multicast address boundaries.') ipMRouteMIBPktsOutGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 4)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteNextHopPkts"),)) if mibBuilder.loadTexts: ipMRouteMIBPktsOutGroup.setDescription('A collection of objects to support management of packet\n counters for each outgoing interface entry of a route.') ipMRouteMIBHCInterfaceGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 5)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteInterfaceHCInMcastOctets"), ("IPMROUTE-STD-MIB", "ipMRouteInterfaceHCOutMcastOctets"), ("IPMROUTE-STD-MIB", "ipMRouteHCOctets"),)) if mibBuilder.loadTexts: ipMRouteMIBHCInterfaceGroup.setDescription('A collection of objects providing information specific to\n high speed (greater than 20,000,000 bits/second) network\n interfaces.') ipMRouteMIBRouteGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 6)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRouteRtProto"), ("IPMROUTE-STD-MIB", "ipMRouteRtAddress"), ("IPMROUTE-STD-MIB", "ipMRouteRtMask"), ("IPMROUTE-STD-MIB", "ipMRouteRtType"),)) if mibBuilder.loadTexts: ipMRouteMIBRouteGroup.setDescription('A collection of objects providing information on the\n relationship between multicast routing information, and the\n IP Forwarding Table.') ipMRouteMIBPktsGroup = ObjectGroup((1, 3, 6, 1, 2, 1, 83, 2, 2, 7)).setObjects(*(("IPMROUTE-STD-MIB", "ipMRoutePkts"), ("IPMROUTE-STD-MIB", "ipMRouteDifferentInIfPackets"), ("IPMROUTE-STD-MIB", "ipMRouteOctets"),)) if mibBuilder.loadTexts: ipMRouteMIBPktsGroup.setDescription('A collection of objects to support management of packet\n counters for each forwarding entry.') mibBuilder.exportSymbols("IPMROUTE-STD-MIB", ipMRouteMIBConformance=ipMRouteMIBConformance, ipMRouteMIBPktsGroup=ipMRouteMIBPktsGroup, ipMRouteEntryCount=ipMRouteEntryCount, LanguageTag=LanguageTag, ipMRouteHCOctets=ipMRouteHCOctets, ipMRouteNextHopUpTime=ipMRouteNextHopUpTime, ipMRouteScopeNameTable=ipMRouteScopeNameTable, ipMRouteMIBBasicGroup=ipMRouteMIBBasicGroup, ipMRoutePkts=ipMRoutePkts, ipMRouteNextHopSource=ipMRouteNextHopSource, ipMRouteInterfaceRateLimit=ipMRouteInterfaceRateLimit, ipMRouteScopeNameDefault=ipMRouteScopeNameDefault, ipMRouteNextHopClosestMemberHops=ipMRouteNextHopClosestMemberHops, ipMRouteScopeNameAddress=ipMRouteScopeNameAddress, ipMRouteRtProto=ipMRouteRtProto, ipMRouteNextHopProtocol=ipMRouteNextHopProtocol, ipMRouteTable=ipMRouteTable, ipMRouteNextHopExpiryTime=ipMRouteNextHopExpiryTime, ipMRouteRtType=ipMRouteRtType, ipMRouteScopeNameEntry=ipMRouteScopeNameEntry, ipMRouteRtAddress=ipMRouteRtAddress, ipMRouteScopeNameString=ipMRouteScopeNameString, ipMRouteInterfaceProtocol=ipMRouteInterfaceProtocol, ipMRouteMIBCompliances=ipMRouteMIBCompliances, ipMRouteBoundaryTable=ipMRouteBoundaryTable, ipMRouteScopeNameStatus=ipMRouteScopeNameStatus, ipMRouteGroup=ipMRouteGroup, ipMRouteNextHopTable=ipMRouteNextHopTable, ipMRouteSource=ipMRouteSource, ipMRouteMIBHopCountGroup=ipMRouteMIBHopCountGroup, ipMRouteEntry=ipMRouteEntry, PYSNMP_MODULE_ID=ipMRouteStdMIB, ipMRouteExpiryTime=ipMRouteExpiryTime, ipMRouteBoundaryAddress=ipMRouteBoundaryAddress, ipMRouteMIBPktsOutGroup=ipMRouteMIBPktsOutGroup, ipMRouteSourceMask=ipMRouteSourceMask, ipMRouteNextHopSourceMask=ipMRouteNextHopSourceMask, ipMRouteInIfIndex=ipMRouteInIfIndex, ipMRouteScopeNameLanguage=ipMRouteScopeNameLanguage, ipMRouteOctets=ipMRouteOctets, ipMRouteNextHopPkts=ipMRouteNextHopPkts, ipMRouteNextHopAddress=ipMRouteNextHopAddress, ipMRouteNextHopState=ipMRouteNextHopState, ipMRouteMIBRouteGroup=ipMRouteMIBRouteGroup, ipMRouteBoundaryAddressMask=ipMRouteBoundaryAddressMask, ipMRouteRtMask=ipMRouteRtMask, ipMRouteInterfaceInMcastOctets=ipMRouteInterfaceInMcastOctets, ipMRouteBoundaryIfIndex=ipMRouteBoundaryIfIndex, ipMRouteProtocol=ipMRouteProtocol, ipMRouteNextHopIfIndex=ipMRouteNextHopIfIndex, ipMRouteMIBHCInterfaceGroup=ipMRouteMIBHCInterfaceGroup, ipMRouteDifferentInIfPackets=ipMRouteDifferentInIfPackets, ipMRouteInterfaceHCInMcastOctets=ipMRouteInterfaceHCInMcastOctets, ipMRouteNextHopEntry=ipMRouteNextHopEntry, ipMRouteInterfaceHCOutMcastOctets=ipMRouteInterfaceHCOutMcastOctets, ipMRouteBoundaryStatus=ipMRouteBoundaryStatus, ipMRouteEnable=ipMRouteEnable, ipMRouteMIBCompliance=ipMRouteMIBCompliance, ipMRouteInterfaceOutMcastOctets=ipMRouteInterfaceOutMcastOctets, ipMRouteNextHopGroup=ipMRouteNextHopGroup, ipMRouteInterfaceIfIndex=ipMRouteInterfaceIfIndex, ipMRouteInterfaceEntry=ipMRouteInterfaceEntry, ipMRouteStdMIB=ipMRouteStdMIB, ipMRouteInterfaceTable=ipMRouteInterfaceTable, ipMRouteUpstreamNeighbor=ipMRouteUpstreamNeighbor, ipMRouteUpTime=ipMRouteUpTime, ipMRouteScopeNameAddressMask=ipMRouteScopeNameAddressMask, ipMRoute=ipMRoute, ipMRouteInterfaceTtl=ipMRouteInterfaceTtl, ipMRouteMIBBoundaryGroup=ipMRouteMIBBoundaryGroup, ipMRouteMIBObjects=ipMRouteMIBObjects, ipMRouteBoundaryEntry=ipMRouteBoundaryEntry, ipMRouteMIBGroups=ipMRouteMIBGroups)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, value_range_constraint, single_value_constraint, constraints_union, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ConstraintsIntersection') (ian_aip_m_route_protocol, ian_aip_route_protocol) = mibBuilder.importSymbols('IANA-RTPROTO-MIB', 'IANAipMRouteProtocol', 'IANAipRouteProtocol') (interface_index_or_zero, interface_index) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndexOrZero', 'InterfaceIndex') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup') (mib_2, time_ticks, module_identity, integer32, counter32, iso, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, unsigned32, mib_identifier, gauge32, counter64, bits, notification_type, ip_address) = mibBuilder.importSymbols('SNMPv2-SMI', 'mib-2', 'TimeTicks', 'ModuleIdentity', 'Integer32', 'Counter32', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'Unsigned32', 'MibIdentifier', 'Gauge32', 'Counter64', 'Bits', 'NotificationType', 'IpAddress') (row_status, display_string, truth_value, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'DisplayString', 'TruthValue', 'TextualConvention') ip_m_route_std_mib = module_identity((1, 3, 6, 1, 2, 1, 83)).setRevisions(('2000-09-22 00:00',)) if mibBuilder.loadTexts: ipMRouteStdMIB.setLastUpdated('200009220000Z') if mibBuilder.loadTexts: ipMRouteStdMIB.setOrganization('IETF IDMR Working Group') if mibBuilder.loadTexts: ipMRouteStdMIB.setContactInfo(' Dave Thaler\n Microsoft Corporation\n One Microsoft Way\n Redmond, WA 98052-6399\n US\n\n Phone: +1 425 703 8835\n EMail: dthaler@microsoft.com') if mibBuilder.loadTexts: ipMRouteStdMIB.setDescription('The MIB module for management of IP Multicast routing, but\n independent of the specific multicast routing protocol in\n use.') class Languagetag(OctetString, TextualConvention): display_hint = '100a' subtype_spec = OctetString.subtypeSpec + value_size_constraint(1, 100) ip_m_route_mib_objects = mib_identifier((1, 3, 6, 1, 2, 1, 83, 1)) ip_m_route = mib_identifier((1, 3, 6, 1, 2, 1, 83, 1, 1)) ip_m_route_enable = mib_scalar((1, 3, 6, 1, 2, 1, 83, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ipMRouteEnable.setDescription('The enabled status of IP Multicast routing on this router.') ip_m_route_entry_count = mib_scalar((1, 3, 6, 1, 2, 1, 83, 1, 1, 7), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteEntryCount.setDescription('The number of rows in the ipMRouteTable. This can be used\n to monitor the multicast routing table size.') ip_m_route_table = mib_table((1, 3, 6, 1, 2, 1, 83, 1, 1, 2)) if mibBuilder.loadTexts: ipMRouteTable.setDescription('The (conceptual) table containing multicast routing\n information for IP datagrams sent by particular sources to\n the IP multicast groups known to this router.') ip_m_route_entry = mib_table_row((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1)).setIndexNames((0, 'IPMROUTE-STD-MIB', 'ipMRouteGroup'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteSource'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteSourceMask')) if mibBuilder.loadTexts: ipMRouteEntry.setDescription('An entry (conceptual row) containing the multicast routing\n information for IP datagrams from a particular source and\n addressed to a particular IP multicast group address.\n Discontinuities in counters in this entry can be detected by\n observing the value of ipMRouteUpTime.') ip_m_route_group = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 1), ip_address()) if mibBuilder.loadTexts: ipMRouteGroup.setDescription('The IP multicast group address for which this entry\n contains multicast routing information.') ip_m_route_source = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 2), ip_address()) if mibBuilder.loadTexts: ipMRouteSource.setDescription('The network address which when combined with the\n corresponding value of ipMRouteSourceMask identifies the\n sources for which this entry contains multicast routing\n information.') ip_m_route_source_mask = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 3), ip_address()) if mibBuilder.loadTexts: ipMRouteSourceMask.setDescription('The network mask which when combined with the corresponding\n value of ipMRouteSource identifies the sources for which\n this entry contains multicast routing information.') ip_m_route_upstream_neighbor = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 4), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteUpstreamNeighbor.setDescription('The address of the upstream neighbor (e.g., RPF neighbor)\n from which IP datagrams from these sources to this multicast\n address are received, or 0.0.0.0 if the upstream neighbor is\n unknown (e.g., in CBT).') ip_m_route_in_if_index = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 5), interface_index_or_zero()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteInIfIndex.setDescription('The value of ifIndex for the interface on which IP\n datagrams sent by these sources to this multicast address\n are received. A value of 0 indicates that datagrams are not\n subject to an incoming interface check, but may be accepted\n on multiple interfaces (e.g., in CBT).') ip_m_route_up_time = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 6), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteUpTime.setDescription('The time since the multicast routing information\n represented by this entry was learned by the router.') ip_m_route_expiry_time = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 7), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteExpiryTime.setDescription('The minimum amount of time remaining before this entry will\n be aged out. The value 0 indicates that the entry is not\n subject to aging.') ip_m_route_pkts = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRoutePkts.setDescription('The number of packets which this router has received from\n these sources and addressed to this multicast group\n address.') ip_m_route_different_in_if_packets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteDifferentInIfPackets.setDescription('The number of packets which this router has received from\n these sources and addressed to this multicast group address,\n which were dropped because they were not received on the\n interface indicated by ipMRouteInIfIndex. Packets which are\n not subject to an incoming interface check (e.g., using CBT)\n are not counted.') ip_m_route_octets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteOctets.setDescription('The number of octets contained in IP datagrams which were\n received from these sources and addressed to this multicast\n group address, and which were forwarded by this router.') ip_m_route_protocol = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 11), ian_aip_m_route_protocol()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteProtocol.setDescription('The multicast routing protocol via which this multicast\n forwarding entry was learned.') ip_m_route_rt_proto = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 12), ian_aip_route_protocol()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteRtProto.setDescription('The routing mechanism via which the route used to find the\n upstream or parent interface for this multicast forwarding\n entry was learned. Inclusion of values for routing\n protocols is not intended to imply that those protocols need\n be supported.') ip_m_route_rt_address = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 13), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteRtAddress.setDescription('The address portion of the route used to find the upstream\n or parent interface for this multicast forwarding entry.') ip_m_route_rt_mask = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 14), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteRtMask.setDescription('The mask associated with the route used to find the upstream\n or parent interface for this multicast forwarding entry.') ip_m_route_rt_type = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('unicast', 1), ('multicast', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteRtType.setDescription('The reason the given route was placed in the (logical)\n multicast Routing Information Base (RIB). A value of\n unicast means that the route would normally be placed only\n in the unicast RIB, but was placed in the multicast RIB\n (instead or in addition) due to local configuration, such as\n when running PIM over RIP. A value of multicast means that\n\n\n\n\n\n the route was explicitly added to the multicast RIB by the\n routing protocol, such as DVMRP or Multiprotocol BGP.') ip_m_route_hc_octets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 2, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteHCOctets.setDescription('The number of octets contained in IP datagrams which were\n received from these sources and addressed to this multicast\n group address, and which were forwarded by this router.\n This object is a 64-bit version of ipMRouteOctets.') ip_m_route_next_hop_table = mib_table((1, 3, 6, 1, 2, 1, 83, 1, 1, 3)) if mibBuilder.loadTexts: ipMRouteNextHopTable.setDescription('The (conceptual) table containing information on the next-\n hops on outgoing interfaces for routing IP multicast\n datagrams. Each entry is one of a list of next-hops on\n outgoing interfaces for particular sources sending to a\n particular multicast group address.') ip_m_route_next_hop_entry = mib_table_row((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1)).setIndexNames((0, 'IPMROUTE-STD-MIB', 'ipMRouteNextHopGroup'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteNextHopSource'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteNextHopSourceMask'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteNextHopIfIndex'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteNextHopAddress')) if mibBuilder.loadTexts: ipMRouteNextHopEntry.setDescription('An entry (conceptual row) in the list of next-hops on\n outgoing interfaces to which IP multicast datagrams from\n particular sources to a IP multicast group address are\n routed. Discontinuities in counters in this entry can be\n detected by observing the value of ipMRouteUpTime.') ip_m_route_next_hop_group = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 1), ip_address()) if mibBuilder.loadTexts: ipMRouteNextHopGroup.setDescription('The IP multicast group for which this entry specifies a\n next-hop on an outgoing interface.') ip_m_route_next_hop_source = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 2), ip_address()) if mibBuilder.loadTexts: ipMRouteNextHopSource.setDescription('The network address which when combined with the\n corresponding value of ipMRouteNextHopSourceMask identifies\n the sources for which this entry specifies a next-hop on an\n outgoing interface.') ip_m_route_next_hop_source_mask = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 3), ip_address()) if mibBuilder.loadTexts: ipMRouteNextHopSourceMask.setDescription('The network mask which when combined with the corresponding\n value of ipMRouteNextHopSource identifies the sources for\n which this entry specifies a next-hop on an outgoing\n interface.') ip_m_route_next_hop_if_index = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 4), interface_index()) if mibBuilder.loadTexts: ipMRouteNextHopIfIndex.setDescription('The ifIndex value of the interface for the outgoing\n interface for this next-hop.') ip_m_route_next_hop_address = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 5), ip_address()) if mibBuilder.loadTexts: ipMRouteNextHopAddress.setDescription('The address of the next-hop specific to this entry. For\n most interfaces, this is identical to ipMRouteNextHopGroup.\n NBMA interfaces, however, may have multiple next-hop\n addresses out a single outgoing interface.') ip_m_route_next_hop_state = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('pruned', 1), ('forwarding', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteNextHopState.setDescription("An indication of whether the outgoing interface and next-\n hop represented by this entry is currently being used to\n forward IP datagrams. The value 'forwarding' indicates it\n is currently being used; the value 'pruned' indicates it is\n not.") ip_m_route_next_hop_up_time = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 7), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteNextHopUpTime.setDescription('The time since the multicast routing information\n represented by this entry was learned by the router.') ip_m_route_next_hop_expiry_time = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 8), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteNextHopExpiryTime.setDescription('The minimum amount of time remaining before this entry will\n be aged out. If ipMRouteNextHopState is pruned(1), the\n remaining time until the prune expires and the state reverts\n to forwarding(2). Otherwise, the remaining time until this\n entry is removed from the table. The time remaining may be\n copied from ipMRouteExpiryTime if the protocol in use for\n this entry does not specify next-hop timers. The value 0\n\n\n\n\n\n indicates that the entry is not subject to aging.') ip_m_route_next_hop_closest_member_hops = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteNextHopClosestMemberHops.setDescription('The minimum number of hops between this router and any\n member of this IP multicast group reached via this next-hop\n on this outgoing interface. Any IP multicast datagrams for\n the group which have a TTL less than this number of hops\n will not be forwarded to this next-hop.') ip_m_route_next_hop_protocol = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 10), ian_aip_m_route_protocol()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteNextHopProtocol.setDescription('The routing mechanism via which this next-hop was learned.') ip_m_route_next_hop_pkts = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 3, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteNextHopPkts.setDescription('The number of packets which have been forwarded using this\n route.') ip_m_route_interface_table = mib_table((1, 3, 6, 1, 2, 1, 83, 1, 1, 4)) if mibBuilder.loadTexts: ipMRouteInterfaceTable.setDescription('The (conceptual) table containing multicast routing\n information specific to interfaces.') ip_m_route_interface_entry = mib_table_row((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1)).setIndexNames((0, 'IPMROUTE-STD-MIB', 'ipMRouteInterfaceIfIndex')) if mibBuilder.loadTexts: ipMRouteInterfaceEntry.setDescription('An entry (conceptual row) containing the multicast routing\n information for a particular interface.') ip_m_route_interface_if_index = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 1), interface_index()) if mibBuilder.loadTexts: ipMRouteInterfaceIfIndex.setDescription('The ifIndex value of the interface for which this entry\n contains information.') ip_m_route_interface_ttl = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: ipMRouteInterfaceTtl.setDescription('The datagram TTL threshold for the interface. Any IP\n multicast datagrams with a TTL less than this threshold will\n not be forwarded out the interface. The default value of 0\n means all multicast packets are forwarded out the\n interface.') ip_m_route_interface_protocol = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 3), ian_aip_m_route_protocol()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteInterfaceProtocol.setDescription('The routing protocol running on this interface.') ip_m_route_interface_rate_limit = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 4), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: ipMRouteInterfaceRateLimit.setDescription('The rate-limit, in kilobits per second, of forwarded\n multicast traffic on the interface. A rate-limit of 0\n indicates that no rate limiting is done.') ip_m_route_interface_in_mcast_octets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteInterfaceInMcastOctets.setDescription('The number of octets of multicast packets that have arrived\n on the interface, including framing characters. This object\n is similar to ifInOctets in the Interfaces MIB, except that\n only multicast packets are counted.') ip_m_route_interface_out_mcast_octets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteInterfaceOutMcastOctets.setDescription('The number of octets of multicast packets that have been\n sent on the interface.') ip_m_route_interface_hc_in_mcast_octets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteInterfaceHCInMcastOctets.setDescription('The number of octets of multicast packets that have arrived\n on the interface, including framing characters. This object\n is a 64-bit version of ipMRouteInterfaceInMcastOctets. It\n is similar to ifHCInOctets in the Interfaces MIB, except\n that only multicast packets are counted.') ip_m_route_interface_hc_out_mcast_octets = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 4, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: ipMRouteInterfaceHCOutMcastOctets.setDescription('The number of octets of multicast packets that have been\n\n\n\n\n\n sent on the interface. This object is a 64-bit version of\n ipMRouteInterfaceOutMcastOctets.') ip_m_route_boundary_table = mib_table((1, 3, 6, 1, 2, 1, 83, 1, 1, 5)) if mibBuilder.loadTexts: ipMRouteBoundaryTable.setDescription("The (conceptual) table listing the router's scoped\n multicast address boundaries.") ip_m_route_boundary_entry = mib_table_row((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1)).setIndexNames((0, 'IPMROUTE-STD-MIB', 'ipMRouteBoundaryIfIndex'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteBoundaryAddress'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteBoundaryAddressMask')) if mibBuilder.loadTexts: ipMRouteBoundaryEntry.setDescription('An entry (conceptual row) in the ipMRouteBoundaryTable\n representing a scoped boundary.') ip_m_route_boundary_if_index = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 1), interface_index()) if mibBuilder.loadTexts: ipMRouteBoundaryIfIndex.setDescription('The IfIndex value for the interface to which this boundary\n applies. Packets with a destination address in the\n associated address/mask range will not be forwarded out this\n interface.') ip_m_route_boundary_address = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 2), ip_address()) if mibBuilder.loadTexts: ipMRouteBoundaryAddress.setDescription('The group address which when combined with the\n corresponding value of ipMRouteBoundaryAddressMask\n identifies the group range for which the scoped boundary\n exists. Scoped addresses must come from the range 239.x.x.x\n as specified in RFC 2365.') ip_m_route_boundary_address_mask = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 3), ip_address()) if mibBuilder.loadTexts: ipMRouteBoundaryAddressMask.setDescription('The group address mask which when combined with the\n corresponding value of ipMRouteBoundaryAddress identifies\n the group range for which the scoped boundary exists.') ip_m_route_boundary_status = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 5, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: ipMRouteBoundaryStatus.setDescription('The status of this row, by which new entries may be\n created, or old entries deleted from this table.') ip_m_route_scope_name_table = mib_table((1, 3, 6, 1, 2, 1, 83, 1, 1, 6)) if mibBuilder.loadTexts: ipMRouteScopeNameTable.setDescription('The (conceptual) table listing the multicast scope names.') ip_m_route_scope_name_entry = mib_table_row((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1)).setIndexNames((0, 'IPMROUTE-STD-MIB', 'ipMRouteScopeNameAddress'), (0, 'IPMROUTE-STD-MIB', 'ipMRouteScopeNameAddressMask'), (1, 'IPMROUTE-STD-MIB', 'ipMRouteScopeNameLanguage')) if mibBuilder.loadTexts: ipMRouteScopeNameEntry.setDescription('An entry (conceptual row) in the ipMRouteScopeNameTable\n representing a multicast scope name.') ip_m_route_scope_name_address = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 1), ip_address()) if mibBuilder.loadTexts: ipMRouteScopeNameAddress.setDescription('The group address which when combined with the\n corresponding value of ipMRouteScopeNameAddressMask\n identifies the group range associated with the multicast\n scope. Scoped addresses must come from the range\n 239.x.x.x.') ip_m_route_scope_name_address_mask = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 2), ip_address()) if mibBuilder.loadTexts: ipMRouteScopeNameAddressMask.setDescription('The group address mask which when combined with the\n corresponding value of ipMRouteScopeNameAddress identifies\n the group range associated with the multicast scope.') ip_m_route_scope_name_language = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 3), language_tag()) if mibBuilder.loadTexts: ipMRouteScopeNameLanguage.setDescription('The RFC 1766-style language tag associated with the scope\n name.') ip_m_route_scope_name_string = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 4), snmp_admin_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: ipMRouteScopeNameString.setDescription('The textual name associated with the multicast scope. The\n value of this object should be suitable for displaying to\n end-users, such as when allocating a multicast address in\n this scope. When no name is specified, the default value of\n this object should be the string 239.x.x.x/y with x and y\n replaced appropriately to describe the address and mask\n length associated with the scope.') ip_m_route_scope_name_default = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 5), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: ipMRouteScopeNameDefault.setDescription('If true, indicates a preference that the name in the\n following language should be used by applications if no name\n is available in a desired language.') ip_m_route_scope_name_status = mib_table_column((1, 3, 6, 1, 2, 1, 83, 1, 1, 6, 1, 6), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: ipMRouteScopeNameStatus.setDescription('The status of this row, by which new entries may be\n created, or old entries deleted from this table.') ip_m_route_mib_conformance = mib_identifier((1, 3, 6, 1, 2, 1, 83, 2)) ip_m_route_mib_compliances = mib_identifier((1, 3, 6, 1, 2, 1, 83, 2, 1)) ip_m_route_mib_groups = mib_identifier((1, 3, 6, 1, 2, 1, 83, 2, 2)) ip_m_route_mib_compliance = module_compliance((1, 3, 6, 1, 2, 1, 83, 2, 1, 1)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteMIBBasicGroup'), ('IPMROUTE-STD-MIB', 'ipMRouteMIBRouteGroup'), ('IPMROUTE-STD-MIB', 'ipMRouteMIBBoundaryGroup'), ('IPMROUTE-STD-MIB', 'ipMRouteMIBHCInterfaceGroup'))) if mibBuilder.loadTexts: ipMRouteMIBCompliance.setDescription('The compliance statement for the IP Multicast MIB.') ip_m_route_mib_basic_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 1)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteEnable'), ('IPMROUTE-STD-MIB', 'ipMRouteEntryCount'), ('IPMROUTE-STD-MIB', 'ipMRouteUpstreamNeighbor'), ('IPMROUTE-STD-MIB', 'ipMRouteInIfIndex'), ('IPMROUTE-STD-MIB', 'ipMRouteUpTime'), ('IPMROUTE-STD-MIB', 'ipMRouteExpiryTime'), ('IPMROUTE-STD-MIB', 'ipMRouteNextHopState'), ('IPMROUTE-STD-MIB', 'ipMRouteNextHopUpTime'), ('IPMROUTE-STD-MIB', 'ipMRouteNextHopExpiryTime'), ('IPMROUTE-STD-MIB', 'ipMRouteNextHopProtocol'), ('IPMROUTE-STD-MIB', 'ipMRouteNextHopPkts'), ('IPMROUTE-STD-MIB', 'ipMRouteInterfaceTtl'), ('IPMROUTE-STD-MIB', 'ipMRouteInterfaceProtocol'), ('IPMROUTE-STD-MIB', 'ipMRouteInterfaceRateLimit'), ('IPMROUTE-STD-MIB', 'ipMRouteInterfaceInMcastOctets'), ('IPMROUTE-STD-MIB', 'ipMRouteInterfaceOutMcastOctets'), ('IPMROUTE-STD-MIB', 'ipMRouteProtocol'))) if mibBuilder.loadTexts: ipMRouteMIBBasicGroup.setDescription('A collection of objects to support basic management of IP\n Multicast routing.') ip_m_route_mib_hop_count_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 2)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteNextHopClosestMemberHops'),)) if mibBuilder.loadTexts: ipMRouteMIBHopCountGroup.setDescription('A collection of objects to support management of the use of\n hop counts in IP Multicast routing.') ip_m_route_mib_boundary_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 3)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteBoundaryStatus'), ('IPMROUTE-STD-MIB', 'ipMRouteScopeNameString'), ('IPMROUTE-STD-MIB', 'ipMRouteScopeNameDefault'), ('IPMROUTE-STD-MIB', 'ipMRouteScopeNameStatus'))) if mibBuilder.loadTexts: ipMRouteMIBBoundaryGroup.setDescription('A collection of objects to support management of scoped\n multicast address boundaries.') ip_m_route_mib_pkts_out_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 4)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteNextHopPkts'),)) if mibBuilder.loadTexts: ipMRouteMIBPktsOutGroup.setDescription('A collection of objects to support management of packet\n counters for each outgoing interface entry of a route.') ip_m_route_mibhc_interface_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 5)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteInterfaceHCInMcastOctets'), ('IPMROUTE-STD-MIB', 'ipMRouteInterfaceHCOutMcastOctets'), ('IPMROUTE-STD-MIB', 'ipMRouteHCOctets'))) if mibBuilder.loadTexts: ipMRouteMIBHCInterfaceGroup.setDescription('A collection of objects providing information specific to\n high speed (greater than 20,000,000 bits/second) network\n interfaces.') ip_m_route_mib_route_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 6)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRouteRtProto'), ('IPMROUTE-STD-MIB', 'ipMRouteRtAddress'), ('IPMROUTE-STD-MIB', 'ipMRouteRtMask'), ('IPMROUTE-STD-MIB', 'ipMRouteRtType'))) if mibBuilder.loadTexts: ipMRouteMIBRouteGroup.setDescription('A collection of objects providing information on the\n relationship between multicast routing information, and the\n IP Forwarding Table.') ip_m_route_mib_pkts_group = object_group((1, 3, 6, 1, 2, 1, 83, 2, 2, 7)).setObjects(*(('IPMROUTE-STD-MIB', 'ipMRoutePkts'), ('IPMROUTE-STD-MIB', 'ipMRouteDifferentInIfPackets'), ('IPMROUTE-STD-MIB', 'ipMRouteOctets'))) if mibBuilder.loadTexts: ipMRouteMIBPktsGroup.setDescription('A collection of objects to support management of packet\n counters for each forwarding entry.') mibBuilder.exportSymbols('IPMROUTE-STD-MIB', ipMRouteMIBConformance=ipMRouteMIBConformance, ipMRouteMIBPktsGroup=ipMRouteMIBPktsGroup, ipMRouteEntryCount=ipMRouteEntryCount, LanguageTag=LanguageTag, ipMRouteHCOctets=ipMRouteHCOctets, ipMRouteNextHopUpTime=ipMRouteNextHopUpTime, ipMRouteScopeNameTable=ipMRouteScopeNameTable, ipMRouteMIBBasicGroup=ipMRouteMIBBasicGroup, ipMRoutePkts=ipMRoutePkts, ipMRouteNextHopSource=ipMRouteNextHopSource, ipMRouteInterfaceRateLimit=ipMRouteInterfaceRateLimit, ipMRouteScopeNameDefault=ipMRouteScopeNameDefault, ipMRouteNextHopClosestMemberHops=ipMRouteNextHopClosestMemberHops, ipMRouteScopeNameAddress=ipMRouteScopeNameAddress, ipMRouteRtProto=ipMRouteRtProto, ipMRouteNextHopProtocol=ipMRouteNextHopProtocol, ipMRouteTable=ipMRouteTable, ipMRouteNextHopExpiryTime=ipMRouteNextHopExpiryTime, ipMRouteRtType=ipMRouteRtType, ipMRouteScopeNameEntry=ipMRouteScopeNameEntry, ipMRouteRtAddress=ipMRouteRtAddress, ipMRouteScopeNameString=ipMRouteScopeNameString, ipMRouteInterfaceProtocol=ipMRouteInterfaceProtocol, ipMRouteMIBCompliances=ipMRouteMIBCompliances, ipMRouteBoundaryTable=ipMRouteBoundaryTable, ipMRouteScopeNameStatus=ipMRouteScopeNameStatus, ipMRouteGroup=ipMRouteGroup, ipMRouteNextHopTable=ipMRouteNextHopTable, ipMRouteSource=ipMRouteSource, ipMRouteMIBHopCountGroup=ipMRouteMIBHopCountGroup, ipMRouteEntry=ipMRouteEntry, PYSNMP_MODULE_ID=ipMRouteStdMIB, ipMRouteExpiryTime=ipMRouteExpiryTime, ipMRouteBoundaryAddress=ipMRouteBoundaryAddress, ipMRouteMIBPktsOutGroup=ipMRouteMIBPktsOutGroup, ipMRouteSourceMask=ipMRouteSourceMask, ipMRouteNextHopSourceMask=ipMRouteNextHopSourceMask, ipMRouteInIfIndex=ipMRouteInIfIndex, ipMRouteScopeNameLanguage=ipMRouteScopeNameLanguage, ipMRouteOctets=ipMRouteOctets, ipMRouteNextHopPkts=ipMRouteNextHopPkts, ipMRouteNextHopAddress=ipMRouteNextHopAddress, ipMRouteNextHopState=ipMRouteNextHopState, ipMRouteMIBRouteGroup=ipMRouteMIBRouteGroup, ipMRouteBoundaryAddressMask=ipMRouteBoundaryAddressMask, ipMRouteRtMask=ipMRouteRtMask, ipMRouteInterfaceInMcastOctets=ipMRouteInterfaceInMcastOctets, ipMRouteBoundaryIfIndex=ipMRouteBoundaryIfIndex, ipMRouteProtocol=ipMRouteProtocol, ipMRouteNextHopIfIndex=ipMRouteNextHopIfIndex, ipMRouteMIBHCInterfaceGroup=ipMRouteMIBHCInterfaceGroup, ipMRouteDifferentInIfPackets=ipMRouteDifferentInIfPackets, ipMRouteInterfaceHCInMcastOctets=ipMRouteInterfaceHCInMcastOctets, ipMRouteNextHopEntry=ipMRouteNextHopEntry, ipMRouteInterfaceHCOutMcastOctets=ipMRouteInterfaceHCOutMcastOctets, ipMRouteBoundaryStatus=ipMRouteBoundaryStatus, ipMRouteEnable=ipMRouteEnable, ipMRouteMIBCompliance=ipMRouteMIBCompliance, ipMRouteInterfaceOutMcastOctets=ipMRouteInterfaceOutMcastOctets, ipMRouteNextHopGroup=ipMRouteNextHopGroup, ipMRouteInterfaceIfIndex=ipMRouteInterfaceIfIndex, ipMRouteInterfaceEntry=ipMRouteInterfaceEntry, ipMRouteStdMIB=ipMRouteStdMIB, ipMRouteInterfaceTable=ipMRouteInterfaceTable, ipMRouteUpstreamNeighbor=ipMRouteUpstreamNeighbor, ipMRouteUpTime=ipMRouteUpTime, ipMRouteScopeNameAddressMask=ipMRouteScopeNameAddressMask, ipMRoute=ipMRoute, ipMRouteInterfaceTtl=ipMRouteInterfaceTtl, ipMRouteMIBBoundaryGroup=ipMRouteMIBBoundaryGroup, ipMRouteMIBObjects=ipMRouteMIBObjects, ipMRouteBoundaryEntry=ipMRouteBoundaryEntry, ipMRouteMIBGroups=ipMRouteMIBGroups)
# Problem 4: Dutch National Flag Problem def sort_zero_one_two(input_list): # We define 4 variables for the low, middle, high, and temporary values lo_end = 0 hi_end = len(input_list) - 1 mid = 0 tmp = None if len(input_list) <= 0 or input_list[mid] < 0: return "The list is either empty or invalid." while (mid <= hi_end): if input_list[mid] == 0: tmp = input_list[lo_end] input_list[lo_end] = input_list[mid] input_list[mid] = tmp lo_end += 1 mid += 1 elif input_list[mid] == 1: mid += 1 else: tmp = input_list[mid] input_list[mid] = input_list[hi_end] input_list[hi_end] = tmp hi_end -= 1 return input_list # Run some tests def test_function(test_case): sorted_array = sort_zero_one_two(test_case) print(sorted_array) if sorted_array == sorted(test_case): print("Pass") else: print("Fail") test_function([0, 0, 2, 2, 2, 1, 1, 1, 2, 0, 2]) test_function([2, 1, 2, 0, 0, 2, 1, 0, 1, 0, 0, 2, 2, 2, 1, 2, 0, 0, 0, 2, 1, 0, 2, 0, 0, 1]) test_function([0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 2, 2, 2, 2, 2, 2, 2]) test_function([1, 0, 2, 0, 1, 0, 2, 1, 0, 2, 2]) test_function([]) test_function([-1])
def sort_zero_one_two(input_list): lo_end = 0 hi_end = len(input_list) - 1 mid = 0 tmp = None if len(input_list) <= 0 or input_list[mid] < 0: return 'The list is either empty or invalid.' while mid <= hi_end: if input_list[mid] == 0: tmp = input_list[lo_end] input_list[lo_end] = input_list[mid] input_list[mid] = tmp lo_end += 1 mid += 1 elif input_list[mid] == 1: mid += 1 else: tmp = input_list[mid] input_list[mid] = input_list[hi_end] input_list[hi_end] = tmp hi_end -= 1 return input_list def test_function(test_case): sorted_array = sort_zero_one_two(test_case) print(sorted_array) if sorted_array == sorted(test_case): print('Pass') else: print('Fail') test_function([0, 0, 2, 2, 2, 1, 1, 1, 2, 0, 2]) test_function([2, 1, 2, 0, 0, 2, 1, 0, 1, 0, 0, 2, 2, 2, 1, 2, 0, 0, 0, 2, 1, 0, 2, 0, 0, 1]) test_function([0, 0, 0, 0, 0, 0, 1, 1, 1, 1, 1, 1, 2, 2, 2, 2, 2, 2, 2]) test_function([1, 0, 2, 0, 1, 0, 2, 1, 0, 2, 2]) test_function([]) test_function([-1])
# coding=utf-8 BTC_BASED_COINS = { 'PIVX': { 'ip': '', 'port': 3000, 'url': '' } } ETHEREUM_BASED_COINS = ['ETH', 'BNB', 'SENT'] ADDRESS = ''.lower() PRIVATE_KEY = '' FEE_PERCENTAGE = 0.01 TOKENS = [ { 'address': ADDRESS, 'decimals': 18, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/1027.png', 'name': 'Ethereum', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/ethereum/?convert=SENT', 'symbol': 'ETH', 'coin_type': 'erc20' }, { 'address': '0xb8c77482e45f1f44de1745f52c74426c631bdd52', 'decimals': 18, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/1839.png', 'name': 'Binance Coin', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/binance-coin/?convert=SENT', 'symbol': 'BNB', 'coin_type': 'erc20' }, { 'address': None, 'decimals': 0, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/1169.png', 'name': 'PIVX', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/pivx/?convert=SENT', 'symbol': 'PIVX', 'coin_type': 'btc_fork' }, { 'address': '0xa44e5137293e855b1b7bc7e2c6f8cd796ffcb037', 'decimals': 8, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/2643.png', 'name': 'SENTinel', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/sentinel/?convert=SENT', 'symbol': 'SENT', 'coin_type': 'erc20' } ]
btc_based_coins = {'PIVX': {'ip': '', 'port': 3000, 'url': ''}} ethereum_based_coins = ['ETH', 'BNB', 'SENT'] address = ''.lower() private_key = '' fee_percentage = 0.01 tokens = [{'address': ADDRESS, 'decimals': 18, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/1027.png', 'name': 'Ethereum', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/ethereum/?convert=SENT', 'symbol': 'ETH', 'coin_type': 'erc20'}, {'address': '0xb8c77482e45f1f44de1745f52c74426c631bdd52', 'decimals': 18, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/1839.png', 'name': 'Binance Coin', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/binance-coin/?convert=SENT', 'symbol': 'BNB', 'coin_type': 'erc20'}, {'address': None, 'decimals': 0, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/1169.png', 'name': 'PIVX', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/pivx/?convert=SENT', 'symbol': 'PIVX', 'coin_type': 'btc_fork'}, {'address': '0xa44e5137293e855b1b7bc7e2c6f8cd796ffcb037', 'decimals': 8, 'logo_url': 'https://s2.coinmarketcap.com/static/img/coins/64x64/2643.png', 'name': 'SENTinel', 'price_url': 'https://api.coinmarketcap.com/v1/ticker/sentinel/?convert=SENT', 'symbol': 'SENT', 'coin_type': 'erc20'}]
# It must be here to retrieve this information from the dummy core_universal_identifier = 'd9d94986-ea14-11e0-bd1d-00216a5807c8' core_universal_identifier_human = 'Consumer' db_database = "WebLabTests" weblab_db_username = 'weblab' weblab_db_password = 'weblab' debug_mode = True ######################### # General configuration # ######################### server_hostaddress = 'weblab.deusto.es' server_admin = 'weblab@deusto.es' ################################ # Admin Notifier configuration # ################################ mail_notification_enabled = False ########################## # Sessions configuration # ########################## session_mysql_username = 'weblab' session_mysql_password = 'weblab' session_locker_mysql_username = session_mysql_username session_locker_mysql_password = session_mysql_password
core_universal_identifier = 'd9d94986-ea14-11e0-bd1d-00216a5807c8' core_universal_identifier_human = 'Consumer' db_database = 'WebLabTests' weblab_db_username = 'weblab' weblab_db_password = 'weblab' debug_mode = True server_hostaddress = 'weblab.deusto.es' server_admin = 'weblab@deusto.es' mail_notification_enabled = False session_mysql_username = 'weblab' session_mysql_password = 'weblab' session_locker_mysql_username = session_mysql_username session_locker_mysql_password = session_mysql_password
if __name__ == '__main__': n, m = list(map(int, input().split(" "))) arr = list(map(int, input().split(" "))) set_a = set(map(int, input().split(" "))) set_b = set(map(int, input().split(' '))) print(sum([1 if e in set_a else -1 if e in set_b else 0 for e in arr]))
if __name__ == '__main__': (n, m) = list(map(int, input().split(' '))) arr = list(map(int, input().split(' '))) set_a = set(map(int, input().split(' '))) set_b = set(map(int, input().split(' '))) print(sum([1 if e in set_a else -1 if e in set_b else 0 for e in arr]))
# Given a binary tree, find a minimum path sum from root to a leaf. # For example, the minimum path in this tree is [10, 5, 1, -1], which has sum 15. # 10 # / \ # 5 5 # \ \ # 2 1 # / # -1 class Node: def __init__(self, value, left=None, right=None): self.value = value self.left = left self.right = right def min_path(node): path_values = [] def search_path(node, path=0): path += node.value if node.left is None and node.right is None: path_values.append(path) return if node.left: search_path(node.left, path) if node.right: search_path(node.right, path) search_path(node) return min(path_values) if __name__ == "__main__": tree = Node(10, Node(5, right=Node(2)), Node(5, right=Node(1, Node(-1)))) print(min_path(tree))
class Node: def __init__(self, value, left=None, right=None): self.value = value self.left = left self.right = right def min_path(node): path_values = [] def search_path(node, path=0): path += node.value if node.left is None and node.right is None: path_values.append(path) return if node.left: search_path(node.left, path) if node.right: search_path(node.right, path) search_path(node) return min(path_values) if __name__ == '__main__': tree = node(10, node(5, right=node(2)), node(5, right=node(1, node(-1)))) print(min_path(tree))
expected_output = { "interface": { "GigabitEthernet3.90": { "interface": "GigabitEthernet3.90", "neighbors": { "FE80::5C00:40FF:FEFF:209": { "age": "22", "ip": "FE80::5C00:40FF:FEFF:209", "link_layer_address": "5e00.40ff.0209", "neighbor_state": "STALE", } }, } } }
expected_output = {'interface': {'GigabitEthernet3.90': {'interface': 'GigabitEthernet3.90', 'neighbors': {'FE80::5C00:40FF:FEFF:209': {'age': '22', 'ip': 'FE80::5C00:40FF:FEFF:209', 'link_layer_address': '5e00.40ff.0209', 'neighbor_state': 'STALE'}}}}}
class Solution: def rob(self, nums: List[int]) -> int: dp = [num for num in nums] for i in range(2, len(nums)): dp[i] += max(dp[:i-1]) return max(dp)
class Solution: def rob(self, nums: List[int]) -> int: dp = [num for num in nums] for i in range(2, len(nums)): dp[i] += max(dp[:i - 1]) return max(dp)
print("Statements") print("Statement does something, while expression is something") 2*2 # this is an expression, it will not do anything if not using interactive interpreter. print(2*2) #this is an statement, it does print x=3 #this is also an statement, it has no values to print out, but x is already assigned.
print('Statements') print('Statement does something, while expression is something') 2 * 2 print(2 * 2) x = 3
# This problem was recently asked by Google: # Given a sorted list, create a height balanced binary search tree, # meaning the height differences of each node can only differ by at most 1. class Node: def __init__(self, value, left=None, right=None): self.value = value self.left = left self.right = right def __str__(self): answer = str(self.value) if self.left: answer += str(self.left) if self.right: answer += str(self.right) return answer def create_height_balanced_bst(nums): # Fill this in. if not nums: return None mid = int((len(nums)) / 2) root = Node(nums[mid]) root.left = create_height_balanced_bst(nums[:mid]) root.right = create_height_balanced_bst(nums[mid + 1 :]) return root tree = create_height_balanced_bst([1, 2, 3, 4, 5, 6, 7, 8]) print(tree) # 53214768 # (pre-order traversal) # 5 # / \ # 3 7 # / \ / \ # 2 4 6 8 # / # 1
class Node: def __init__(self, value, left=None, right=None): self.value = value self.left = left self.right = right def __str__(self): answer = str(self.value) if self.left: answer += str(self.left) if self.right: answer += str(self.right) return answer def create_height_balanced_bst(nums): if not nums: return None mid = int(len(nums) / 2) root = node(nums[mid]) root.left = create_height_balanced_bst(nums[:mid]) root.right = create_height_balanced_bst(nums[mid + 1:]) return root tree = create_height_balanced_bst([1, 2, 3, 4, 5, 6, 7, 8]) print(tree)
#--------------------------------------------------------------------------------------------------- # Tiparoj #--------------------------------------------------------------------------------------------------- c.fonts.completion.category = "bold 8pt monospace" c.fonts.completion.entry = "8pt monospace" c.fonts.debug_console = "8pt monospace" c.fonts.downloads = "8pt monospace" c.fonts.hints = "bold 8pt monospace" c.fonts.keyhint = "8pt monospace" c.fonts.messages.error = "8pt monospace" c.fonts.messages.info = "8pt monospace" c.fonts.messages.warning = "8pt monospace" c.fonts.prompts = "8pt sans-serif" c.fonts.statusbar = "8pt monospace" c.fonts.tabs.selected = "8pt sans-serif" c.fonts.tabs.unselected = "8pt sans-serif" c.fonts.default_family = "Monospace, DejaVu Sans Mono"
c.fonts.completion.category = 'bold 8pt monospace' c.fonts.completion.entry = '8pt monospace' c.fonts.debug_console = '8pt monospace' c.fonts.downloads = '8pt monospace' c.fonts.hints = 'bold 8pt monospace' c.fonts.keyhint = '8pt monospace' c.fonts.messages.error = '8pt monospace' c.fonts.messages.info = '8pt monospace' c.fonts.messages.warning = '8pt monospace' c.fonts.prompts = '8pt sans-serif' c.fonts.statusbar = '8pt monospace' c.fonts.tabs.selected = '8pt sans-serif' c.fonts.tabs.unselected = '8pt sans-serif' c.fonts.default_family = 'Monospace, DejaVu Sans Mono'
_base_ = 'ranksort_cascade_rcnn_r50_fpn_1x_coco.py' model = dict(roi_head=dict(stage_loss_weights=[1, 0.50, 0.25]))
_base_ = 'ranksort_cascade_rcnn_r50_fpn_1x_coco.py' model = dict(roi_head=dict(stage_loss_weights=[1, 0.5, 0.25]))
{ "targets": [ { "target_name": "pcap_binding", 'win_delay_load_hook': 'true', "sources": [ "npcap_binding.cpp","npcap_session.cpp"], "include_dirs": ["npcap/Include","<!@(node -p \"require('node-addon-api').include\")"], "libraries": [ "<(module_root_dir)/npcap/Lib/x64/Packet.lib", "<(module_root_dir)/npcap/Lib/x64/wpcap.lib", "Ws2_32.lib" ], 'defines': [ 'NAPI_DISABLE_CPP_EXCEPTIONS','NAPI_EXPERIMENTAL'], 'target_conditions': [ ['_win_delay_load_hook=="true"', { # If the addon specifies `'win_delay_load_hook': 'true'` in its # binding.gyp, link a delay-load hook into the DLL. This hook ensures # that the addon will work regardless of whether the node/iojs binary # is named node.exe, iojs.exe, or something else. 'conditions': [ [ 'OS=="win"', { 'defines': [ 'HOST_BINARY=\"<(node_host_binary)<(EXECUTABLE_SUFFIX)\"', ], 'sources': [ '<(node_gyp_dir)/src/win_delay_load_hook.cc', ], 'msvs_settings': { 'VCLinkerTool': { 'DelayLoadDLLs': [ '<(node_host_binary)<(EXECUTABLE_SUFFIX)','wpcap.dll' ], # Don't print a linker warning when no imports from either .exe # are used. 'AdditionalOptions': [ '/ignore:4199' ], }, }, }], ], }], ], } ] }
{'targets': [{'target_name': 'pcap_binding', 'win_delay_load_hook': 'true', 'sources': ['npcap_binding.cpp', 'npcap_session.cpp'], 'include_dirs': ['npcap/Include', '<!@(node -p "require(\'node-addon-api\').include")'], 'libraries': ['<(module_root_dir)/npcap/Lib/x64/Packet.lib', '<(module_root_dir)/npcap/Lib/x64/wpcap.lib', 'Ws2_32.lib'], 'defines': ['NAPI_DISABLE_CPP_EXCEPTIONS', 'NAPI_EXPERIMENTAL'], 'target_conditions': [['_win_delay_load_hook=="true"', {'conditions': [['OS=="win"', {'defines': ['HOST_BINARY="<(node_host_binary)<(EXECUTABLE_SUFFIX)"'], 'sources': ['<(node_gyp_dir)/src/win_delay_load_hook.cc'], 'msvs_settings': {'VCLinkerTool': {'DelayLoadDLLs': ['<(node_host_binary)<(EXECUTABLE_SUFFIX)', 'wpcap.dll'], 'AdditionalOptions': ['/ignore:4199']}}}]]}]]}]}
class Config(object): # game setting row_size = 6 column_size = 6 piece_in_line = 4 black_first = True max_num_round = 36 # mcts temperature = 1.0 playout_times = 100 # num of simulations for each move c_puct = 5. # data num_games_per_generation = 10 batch_size = 32 # mini-batch size for training buffer_size = 10000 data_buffer_size = 10000 # train epoch_per_dataset = 5 # num of train_steps for each update max_epochs = 1000 # learning_rate = 1e-3 # lr_multiplier = 1.0 # adaptively adjust the learning rate based on KL # saved model saved_dir = 'saved' def __init__(self, **kwargs): for k, v in kwargs: self.__setattr__(k, v)
class Config(object): row_size = 6 column_size = 6 piece_in_line = 4 black_first = True max_num_round = 36 temperature = 1.0 playout_times = 100 c_puct = 5.0 num_games_per_generation = 10 batch_size = 32 buffer_size = 10000 data_buffer_size = 10000 epoch_per_dataset = 5 max_epochs = 1000 saved_dir = 'saved' def __init__(self, **kwargs): for (k, v) in kwargs: self.__setattr__(k, v)
# Demonstrate how to use dictionary comprehensions def main(): # define a list of temperature values ctemps = [0, 12, 34, 100] # Use a comprehension to build a dictionary tempDict = {t: (t * 9/5) + 32 for t in ctemps if t < 100} print(tempDict) print(tempDict[12]) # Merge two dictionaries with a comprehension team1 = {"Jones": 24, "Jameson": 18, "Smith": 58, "Burns": 7} team2 = {"White": 12, "Macke": 88, "Perce": 4} newTeam = {k: v for team in (team1, team2) for k, v in team.items()} print(newTeam) if __name__ == "__main__": main()
def main(): ctemps = [0, 12, 34, 100] temp_dict = {t: t * 9 / 5 + 32 for t in ctemps if t < 100} print(tempDict) print(tempDict[12]) team1 = {'Jones': 24, 'Jameson': 18, 'Smith': 58, 'Burns': 7} team2 = {'White': 12, 'Macke': 88, 'Perce': 4} new_team = {k: v for team in (team1, team2) for (k, v) in team.items()} print(newTeam) if __name__ == '__main__': main()
class Config(): def __init__(self): self.type = "a2c" self.gamma = 0.99 self.learning_rate = 0.001 self.entropy_beta = 0.01 self.batch_size = 128
class Config: def __init__(self): self.type = 'a2c' self.gamma = 0.99 self.learning_rate = 0.001 self.entropy_beta = 0.01 self.batch_size = 128
width = const(7) height = const(12) data = b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x10\x10\x10\x10\x10\x00\x00\x10\x00\x00\x00\x00lHH\x00\x00\x00\x00\x00\x00\x00\x00\x00\x14\x14(|(|(PP\x00\x00\x00\x108@@8Hp\x10\x10\x00\x00\x00 P \x0cp\x08\x14\x08\x00\x00\x00\x00\x00\x00\x18 TH4\x00\x00\x00\x00\x10\x10\x10\x10\x00\x00\x00\x00\x00\x00\x00\x00\x08\x08\x10\x10\x10\x10\x10\x10\x08\x08\x00\x00 \x10\x10\x10\x10\x10\x10 \x00\x00\x10|\x10((\x00\x00\x00\x00\x00\x00\x00\x00\x10\x10\x10\xfe\x10\x10\x10\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x18\x100 \x00\x00\x00\x00\x00\x00|\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0000\x00\x00\x00\x00\x04\x04\x08\x08\x10\x10 @\x00\x00\x008DDDDDD8\x00\x00\x00\x000\x10\x10\x10\x10\x10\x10|\x00\x00\x00\x008D\x04\x08\x10 D|\x00\x00\x00\x008D\x04\x18\x04\x04D8\x00\x00\x00\x00\x0c\x14\x14$D~\x04\x0e\x00\x00\x00\x00< 8\x04\x04D8\x00\x00\x00\x00\x1c @xDDD8\x00\x00\x00\x00|D\x04\x08\x08\x08\x10\x10\x00\x00\x00\x008DD8DDD8\x00\x00\x00\x008DDD<\x04\x08p\x00\x00\x00\x00\x00\x0000\x00\x0000\x00\x00\x00\x00\x00\x00\x18\x18\x00\x00\x180 \x00\x00\x00\x00\x0c\x10`\x80`\x10\x0c\x00\x00\x00\x00\x00\x00\x00|\x00|\x00\x00\x00\x00\x00\x00\x00\xc0 \x18\x04\x18 \xc0\x00\x00\x00\x00\x00\x18$\x04\x08\x10\x000\x00\x00\x008DDLTTL@D8\x00\x00\x000\x10(((|D\xee\x00\x00\x00\x00\xf8DDxDDD\xf8\x00\x00\x00\x00<D@@@@D8\x00\x00\x00\x00\xf0HDDDDH\xf0\x00\x00\x00\x00\xfcDPpP@D\xfc\x00\x00\x00\x00~"(8( p\x00\x00\x00\x00<D@@NDD8\x00\x00\x00\x00\xeeDD|DDD\xee\x00\x00\x00\x00|\x10\x10\x10\x10\x10\x10|\x00\x00\x00\x00<\x08\x08\x08HHH0\x00\x00\x00\x00\xeeDHPpHD\xe6\x00\x00\x00\x00p $$|\x00\x00\x00\x00\xeellTTDD\xee\x00\x00\x00\x00\xeeddTTTL\xec\x00\x00\x00\x008DDDDDD8\x00\x00\x00\x00x$$$8 p\x00\x00\x00\x008DDDDDD8\x1c\x00\x00\x00\xf8DDDxHD\xe2\x00\x00\x00\x004L@8\x04\x04dX\x00\x00\x00\x00\xfe\x92\x10\x10\x10\x10\x108\x00\x00\x00\x00\xeeDDDDDD8\x00\x00\x00\x00\xeeDD(((\x10\x10\x00\x00\x00\x00\xeeDDTTTT(\x00\x00\x00\x00\xc6D(\x10\x10(D\xc6\x00\x00\x00\x00\xeeD((\x10\x10\x108\x00\x00\x00\x00|D\x08\x10\x10 D|\x00\x00\x00\x008 8\x00\x00@ \x10\x10\x08\x08\x08\x00\x00\x008\x08\x08\x08\x08\x08\x08\x08\x088\x00\x00\x10\x10(D\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xfe\x00\x10\x08\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008D<DD>\x00\x00\x00\x00\xc0@XdDDD\xf8\x00\x00\x00\x00\x00\x00<D@@D8\x00\x00\x00\x00\x0c\x044LDDD>\x00\x00\x00\x00\x00\x008D|@@<\x00\x00\x00\x00\x1c | |\x00\x00\x00\x00\x00\x006LDDD<\x048\x00\x00\xc0@XdDDD\xee\x00\x00\x00\x00\x10\x00p\x10\x10\x10\x10|\x00\x00\x00\x00\x10\x00x\x08\x08\x08\x08\x08\x08p\x00\x00\xc0@\\HpPH\xdc\x00\x00\x00\x000\x10\x10\x10\x10\x10\x10|\x00\x00\x00\x00\x00\x00\xe8TTTT\xfe\x00\x00\x00\x00\x00\x00\xd8dDDD\xee\x00\x00\x00\x00\x00\x008DDDD8\x00\x00\x00\x00\x00\x00\xd8dDDDx@\xe0\x00\x00\x00\x006LDDD<\x04\x0e\x00\x00\x00\x00l0 |\x00\x00\x00\x00\x00\x00<D8\x04Dx\x00\x00\x00\x00\x00 | "\x1c\x00\x00\x00\x00\x00\x00\xccDDDL6\x00\x00\x00\x00\x00\x00\xeeDD((\x10\x00\x00\x00\x00\x00\x00\xeeDTTT(\x00\x00\x00\x00\x00\x00\xccH00H\xcc\x00\x00\x00\x00\x00\x00\xeeD$(\x18\x10\x10x\x00\x00\x00\x00|H\x10 D|\x00\x00\x00\x00\x08\x10\x10\x10\x10 \x10\x10\x10\x08\x00\x00\x10\x10\x10\x10\x10\x10\x10\x10\x10\x00\x00\x00 \x10\x10\x10\x10\x08\x10\x10\x10 \x00\x00\x00\x00\x00\x00$X\x00\x00\x00\x00\x00'
width = const(7) height = const(12) data = b'\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x10\x10\x10\x10\x10\x00\x00\x10\x00\x00\x00\x00lHH\x00\x00\x00\x00\x00\x00\x00\x00\x00\x14\x14(|(|(PP\x00\x00\x00\x108@@8Hp\x10\x10\x00\x00\x00 P \x0cp\x08\x14\x08\x00\x00\x00\x00\x00\x00\x18 TH4\x00\x00\x00\x00\x10\x10\x10\x10\x00\x00\x00\x00\x00\x00\x00\x00\x08\x08\x10\x10\x10\x10\x10\x10\x08\x08\x00\x00 \x10\x10\x10\x10\x10\x10 \x00\x00\x10|\x10((\x00\x00\x00\x00\x00\x00\x00\x00\x10\x10\x10\xfe\x10\x10\x10\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x18\x100 \x00\x00\x00\x00\x00\x00|\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0000\x00\x00\x00\x00\x04\x04\x08\x08\x10\x10 @\x00\x00\x008DDDDDD8\x00\x00\x00\x000\x10\x10\x10\x10\x10\x10|\x00\x00\x00\x008D\x04\x08\x10 D|\x00\x00\x00\x008D\x04\x18\x04\x04D8\x00\x00\x00\x00\x0c\x14\x14$D~\x04\x0e\x00\x00\x00\x00< 8\x04\x04D8\x00\x00\x00\x00\x1c @xDDD8\x00\x00\x00\x00|D\x04\x08\x08\x08\x10\x10\x00\x00\x00\x008DD8DDD8\x00\x00\x00\x008DDD<\x04\x08p\x00\x00\x00\x00\x00\x0000\x00\x0000\x00\x00\x00\x00\x00\x00\x18\x18\x00\x00\x180 \x00\x00\x00\x00\x0c\x10`\x80`\x10\x0c\x00\x00\x00\x00\x00\x00\x00|\x00|\x00\x00\x00\x00\x00\x00\x00\xc0 \x18\x04\x18 \xc0\x00\x00\x00\x00\x00\x18$\x04\x08\x10\x000\x00\x00\x008DDLTTL@D8\x00\x00\x000\x10(((|D\xee\x00\x00\x00\x00\xf8DDxDDD\xf8\x00\x00\x00\x00<D@@@@D8\x00\x00\x00\x00\xf0HDDDDH\xf0\x00\x00\x00\x00\xfcDPpP@D\xfc\x00\x00\x00\x00~"(8( p\x00\x00\x00\x00<D@@NDD8\x00\x00\x00\x00\xeeDD|DDD\xee\x00\x00\x00\x00|\x10\x10\x10\x10\x10\x10|\x00\x00\x00\x00<\x08\x08\x08HHH0\x00\x00\x00\x00\xeeDHPpHD\xe6\x00\x00\x00\x00p $$|\x00\x00\x00\x00\xeellTTDD\xee\x00\x00\x00\x00\xeeddTTTL\xec\x00\x00\x00\x008DDDDDD8\x00\x00\x00\x00x$$$8 p\x00\x00\x00\x008DDDDDD8\x1c\x00\x00\x00\xf8DDDxHD\xe2\x00\x00\x00\x004L@8\x04\x04dX\x00\x00\x00\x00\xfe\x92\x10\x10\x10\x10\x108\x00\x00\x00\x00\xeeDDDDDD8\x00\x00\x00\x00\xeeDD(((\x10\x10\x00\x00\x00\x00\xeeDDTTTT(\x00\x00\x00\x00\xc6D(\x10\x10(D\xc6\x00\x00\x00\x00\xeeD((\x10\x10\x108\x00\x00\x00\x00|D\x08\x10\x10 D|\x00\x00\x00\x008 8\x00\x00@ \x10\x10\x08\x08\x08\x00\x00\x008\x08\x08\x08\x08\x08\x08\x08\x088\x00\x00\x10\x10(D\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xfe\x00\x10\x08\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x008D<DD>\x00\x00\x00\x00\xc0@XdDDD\xf8\x00\x00\x00\x00\x00\x00<D@@D8\x00\x00\x00\x00\x0c\x044LDDD>\x00\x00\x00\x00\x00\x008D|@@<\x00\x00\x00\x00\x1c | |\x00\x00\x00\x00\x00\x006LDDD<\x048\x00\x00\xc0@XdDDD\xee\x00\x00\x00\x00\x10\x00p\x10\x10\x10\x10|\x00\x00\x00\x00\x10\x00x\x08\x08\x08\x08\x08\x08p\x00\x00\xc0@\\HpPH\xdc\x00\x00\x00\x000\x10\x10\x10\x10\x10\x10|\x00\x00\x00\x00\x00\x00\xe8TTTT\xfe\x00\x00\x00\x00\x00\x00\xd8dDDD\xee\x00\x00\x00\x00\x00\x008DDDD8\x00\x00\x00\x00\x00\x00\xd8dDDDx@\xe0\x00\x00\x00\x006LDDD<\x04\x0e\x00\x00\x00\x00l0 |\x00\x00\x00\x00\x00\x00<D8\x04Dx\x00\x00\x00\x00\x00 | "\x1c\x00\x00\x00\x00\x00\x00\xccDDDL6\x00\x00\x00\x00\x00\x00\xeeDD((\x10\x00\x00\x00\x00\x00\x00\xeeDTTT(\x00\x00\x00\x00\x00\x00\xccH00H\xcc\x00\x00\x00\x00\x00\x00\xeeD$(\x18\x10\x10x\x00\x00\x00\x00|H\x10 D|\x00\x00\x00\x00\x08\x10\x10\x10\x10 \x10\x10\x10\x08\x00\x00\x10\x10\x10\x10\x10\x10\x10\x10\x10\x00\x00\x00 \x10\x10\x10\x10\x08\x10\x10\x10 \x00\x00\x00\x00\x00\x00$X\x00\x00\x00\x00\x00'
# 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: def binaryTreePaths(self, root: TreeNode) -> List[str]: if not root: return [] result = [] if root.left or root.right: for path in self.binaryTreePaths(root.left): result.append(str(root.val) + "->" + path) for path in self.binaryTreePaths(root.right): result.append(str(root.val) + "->" + path) return result else: return [str(root.val)]
class Solution: def binary_tree_paths(self, root: TreeNode) -> List[str]: if not root: return [] result = [] if root.left or root.right: for path in self.binaryTreePaths(root.left): result.append(str(root.val) + '->' + path) for path in self.binaryTreePaths(root.right): result.append(str(root.val) + '->' + path) return result else: return [str(root.val)]
class Solution: def calculate(self, s: str) -> int: inner, outer, result, opt = 0, 0, 0, '+' for c in s+'+': if c == ' ': continue if c.isdigit(): inner = 10*inner + int(c) continue if opt == '+': result += outer outer = inner elif opt == '-': result += outer outer = -inner elif opt == '*': outer = outer*inner elif opt == '/': outer = int(outer/inner) inner, opt = 0, c return result + outer
class Solution: def calculate(self, s: str) -> int: (inner, outer, result, opt) = (0, 0, 0, '+') for c in s + '+': if c == ' ': continue if c.isdigit(): inner = 10 * inner + int(c) continue if opt == '+': result += outer outer = inner elif opt == '-': result += outer outer = -inner elif opt == '*': outer = outer * inner elif opt == '/': outer = int(outer / inner) (inner, opt) = (0, c) return result + outer
client_id="You need to fill this" client_secret="You need to fill this" user_agent="You need to fill this" username="You need to fill this" password="You need to fill this"
client_id = 'You need to fill this' client_secret = 'You need to fill this' user_agent = 'You need to fill this' username = 'You need to fill this' password = 'You need to fill this'
targets = [int(target) for target in input().split()] command = input().split() while "End" not in command: index = int(command[1]) if "Shoot" in command: power = int(command[2]) if 0 <= index < len(targets): targets[index] -= power if targets[index] <= 0: targets.pop(index) elif "Add" in command: value = int(command[2]) if 0 <= index < len(targets): targets.insert(index, value) else: print("Invalid placement!") elif "Strike" in command: radius = int(command[2]) if (index - radius) >= 0 and (index + radius) < len(targets): for _ in range(radius): targets.pop(index+1) targets.pop(index) for _ in range(radius): targets.pop(index-1) else: print("Strike missed!") command = input().split() targets = [str(target) for target in targets] print("|".join(targets))
targets = [int(target) for target in input().split()] command = input().split() while 'End' not in command: index = int(command[1]) if 'Shoot' in command: power = int(command[2]) if 0 <= index < len(targets): targets[index] -= power if targets[index] <= 0: targets.pop(index) elif 'Add' in command: value = int(command[2]) if 0 <= index < len(targets): targets.insert(index, value) else: print('Invalid placement!') elif 'Strike' in command: radius = int(command[2]) if index - radius >= 0 and index + radius < len(targets): for _ in range(radius): targets.pop(index + 1) targets.pop(index) for _ in range(radius): targets.pop(index - 1) else: print('Strike missed!') command = input().split() targets = [str(target) for target in targets] print('|'.join(targets))
class Group(object): def __init__(self, _name): self.name = _name self.groups = [] self.users = [] def add_group(self, group): self.groups.append(group) def add_user(self, user): self.users.append(user) def get_groups(self): return self.groups def get_users(self): return self.users def get_name(self): return self.name def is_user_in_group(user, group): if user in group.users: return True if len(group.groups) == 0: return False else: for sub_group in group.groups: flag = is_user_in_group(user, sub_group) if flag: return True return False #%% Testing official # Testing preparation parent = Group("parent") child = Group("child") sub_child = Group("subchild") sub_child_user = "sub_child_user" sub_child.add_user(sub_child_user) child.add_group(sub_child) parent.add_group(child) # Normal Cases: print('Normal Cases:') print(is_user_in_group(user='parent_user', group=parent)) # False print(is_user_in_group(user='child_user', group=parent)) # False print(is_user_in_group(user='sub_child_user', group=parent), '\n') # True # Edge Cases: print('Edge Cases:') print(is_user_in_group(user='', group=parent)) # False print(is_user_in_group(user='', group=child)) # False
class Group(object): def __init__(self, _name): self.name = _name self.groups = [] self.users = [] def add_group(self, group): self.groups.append(group) def add_user(self, user): self.users.append(user) def get_groups(self): return self.groups def get_users(self): return self.users def get_name(self): return self.name def is_user_in_group(user, group): if user in group.users: return True if len(group.groups) == 0: return False else: for sub_group in group.groups: flag = is_user_in_group(user, sub_group) if flag: return True return False parent = group('parent') child = group('child') sub_child = group('subchild') sub_child_user = 'sub_child_user' sub_child.add_user(sub_child_user) child.add_group(sub_child) parent.add_group(child) print('Normal Cases:') print(is_user_in_group(user='parent_user', group=parent)) print(is_user_in_group(user='child_user', group=parent)) print(is_user_in_group(user='sub_child_user', group=parent), '\n') print('Edge Cases:') print(is_user_in_group(user='', group=parent)) print(is_user_in_group(user='', group=child))
letter="Sai Teja"; for i in letter: print(i);
letter = 'Sai Teja' for i in letter: print(i)
def add_one(num): return (-(~num)) print(add_one(3)) print(add_one(99))
def add_one(num): return -~num print(add_one(3)) print(add_one(99))
# Global constants that will be used all along the program # Port paths ODRIVE_USB_PORT_PATH = "" REHASTIM_USB_PORT_PATH = "" USB_DRIVE_PORT_PATH = ""
odrive_usb_port_path = '' rehastim_usb_port_path = '' usb_drive_port_path = ''
#!/usr/bin/env python3 class Solution: def xorOperation(self, n: int, start: int) -> int: res = start for i in range(1,n): res^=start+2*i return res ## Intuition: # # - As per the requirements of the problem, we don't need to return the array itself. # - So, we can free up any space that would have been otherwise allocated to the array # - And instead work with the elements of the array generated each iteration # without storing them in a temporary location # ## Time Complexity: # # O(n) # - We need to iterate through n elements to get our result # ## Space Complexity: # # O(1) # - Memory assigned does not depends upon the size of the list/array n, rather the value of the res variable
class Solution: def xor_operation(self, n: int, start: int) -> int: res = start for i in range(1, n): res ^= start + 2 * i return res
# dude, this is a comment # some more hello def dude(): yes awesome; # Here we have a comment def realy_awesome(): # hi there in_more same_level def one_liner(): first; second # both inside one_liner back_down last_statement # dude, this is a comment # some more hello if 1: yes awesome; # Here we have a comment if ('hello'): # hi there in_more same_level if ['dude', 'dudess'].horsie(): first; second # both inside one_liner 1 back_down last_statement hello = 1.1(20); # subscription a[1] = b[2]; # simple slicing c[1:1] = d[2:2]; # simple slicing e[1:1, 2:2] = f[3:3, 4:4];
hello def dude(): yes awesome def realy_awesome(): in_more same_level def one_liner(): first second back_down last_statement hello if 1: yes awesome if 'hello': in_more same_level if ['dude', 'dudess'].horsie(): first second 1 back_down last_statement hello = 1.1(20) a[1] = b[2] c[1:1] = d[2:2] e[1:1, 2:2] = f[3:3, 4:4]
# https://open.kattis.com/problems/oddgnome n = int(input()) for _ in range(n): gnomes = list(map(int, input().split()))[1:] for i in range(1, len(gnomes) - 1): if gnomes[i + 1] > gnomes[i - 1]: if gnomes[i] < gnomes[i - 1] and gnomes[i] < gnomes[i + 1]: print(i + 1) break if gnomes[i] > gnomes[i - 1] and gnomes[i] > gnomes[i + 1]: print(i + 1) break
n = int(input()) for _ in range(n): gnomes = list(map(int, input().split()))[1:] for i in range(1, len(gnomes) - 1): if gnomes[i + 1] > gnomes[i - 1]: if gnomes[i] < gnomes[i - 1] and gnomes[i] < gnomes[i + 1]: print(i + 1) break if gnomes[i] > gnomes[i - 1] and gnomes[i] > gnomes[i + 1]: print(i + 1) break