content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
#-- powertools.vendorize
''' script to vendorize dependencies for a module
'''
#-------------------------------------------------------------------------------------------------#
#-------------------------------------------------------------------------------------------------#
| """ script to vendorize dependencies for a module
""" |
# -*- coding: utf-8 -*-
#auth table for developer and others
#search bar(using keywords)
#public,private projects
#group accesses for many groups
#this for the main categories..
db.define_table('category',
Field('name',requires=(IS_SLUG(),IS_LOWER(),IS_NOT_IN_DB(db,'category.name'))))
##this is for sub_category
db.define_table('subcategory',
Field('category','reference category',requires=(IS_IN_DB(db,'category.id','%(name)s'))),
Field('title',requires=(IS_SLUG(),IS_LOWER(),IS_NOT_IN_DB(db,'subcategory.title'),IS_NOT_EMPTY()),label="Sub Category"),
)
## this for app upload form
db.define_table('project',
Field('title','string',unique=True),
Field('category','reference category',requires=(IS_IN_DB(db,'category.id','%(name)s (%(id)s)'))),
Field('subcategory','reference subcategory', requires=(IS_IN_DB(db,'subcategory.id','%(title)s' '(%(category)s)')),comment="Select the sub-category corresponding to the id above"),
Field('logo','upload',requires=IS_NOT_EMPTY()),
Field('image','upload',label='ScreenShot',requires=(IS_NOT_EMPTY(),IS_IMAGE()),autodelete=True),
Field('files','upload',comment="upload as a single zip file",requires=IS_NOT_EMPTY()),
Field('features',"text",requires=IS_NOT_EMPTY()),
Field('body',"text",requires=IS_NOT_EMPTY(),label='Description'),
Field('rating','double',writable=False,readable=False,default=0),
Field('permissions',requires=IS_IN_SET(['public','private'],error_message="It should be either public or private")),
#Field('no_of_reviews','integer',writable=False,readable=False,default=0),
Field('commenters','integer',writable=False,readable=False,default=0),
Field('downloads','integer',writable=False,readable=False,default=0),
auth.signature)
##comments database
db.define_table('comments',
Field('project','reference project',readable=False,writable=False),
#Field('parent_comment','reference comment',readable=False,writable=False),
Field('rating','integer'),
Field('body','text',requires=IS_NOT_EMPTY(),label="Comment"),
auth.signature)
###collooraters
db.define_table('allowed_users',
Field('projectadmin_email',type='string'),
Field('other_email',type='string'),
Field('project_name',type='string')
)
##this a function returns the name of the project's author
def author(id):
user=db.auth_user(id)
return ("%(first_name)s %(last_name)s" %user)
#db.comments.rating.requires=IS_IN_SET(range(1,6))
##rating database
#db.define_table('rating',
# Field('post','reference post',readable=False,writable=False),
# Field('score','integer',default=0),
# auth.signature)
#db.define_table('rater',
# Field('project','reference project',readable=False,writable=False),
# Field('rating','integer'),
# auth.signature)
#db.comments.rating.requires=IS_IN_SET(range(1,6))
##password change
db.auth_user.password.requires=IS_STRONG(min=8,special=1,upper=1)
| db.define_table('category', field('name', requires=(is_slug(), is_lower(), is_not_in_db(db, 'category.name'))))
db.define_table('subcategory', field('category', 'reference category', requires=is_in_db(db, 'category.id', '%(name)s')), field('title', requires=(is_slug(), is_lower(), is_not_in_db(db, 'subcategory.title'), is_not_empty()), label='Sub Category'))
db.define_table('project', field('title', 'string', unique=True), field('category', 'reference category', requires=is_in_db(db, 'category.id', '%(name)s (%(id)s)')), field('subcategory', 'reference subcategory', requires=is_in_db(db, 'subcategory.id', '%(title)s(%(category)s)'), comment='Select the sub-category corresponding to the id above'), field('logo', 'upload', requires=is_not_empty()), field('image', 'upload', label='ScreenShot', requires=(is_not_empty(), is_image()), autodelete=True), field('files', 'upload', comment='upload as a single zip file', requires=is_not_empty()), field('features', 'text', requires=is_not_empty()), field('body', 'text', requires=is_not_empty(), label='Description'), field('rating', 'double', writable=False, readable=False, default=0), field('permissions', requires=is_in_set(['public', 'private'], error_message='It should be either public or private')), field('commenters', 'integer', writable=False, readable=False, default=0), field('downloads', 'integer', writable=False, readable=False, default=0), auth.signature)
db.define_table('comments', field('project', 'reference project', readable=False, writable=False), field('rating', 'integer'), field('body', 'text', requires=is_not_empty(), label='Comment'), auth.signature)
db.define_table('allowed_users', field('projectadmin_email', type='string'), field('other_email', type='string'), field('project_name', type='string'))
def author(id):
user = db.auth_user(id)
return '%(first_name)s %(last_name)s' % user
db.auth_user.password.requires = is_strong(min=8, special=1, upper=1) |
num = 1
num = 2
num2 = 3
| num = 1
num = 2
num2 = 3 |
PROJECT_URL = "https://github.com/sebiweise/Home-Assistant-Parcello/"
ISSUE_URL = "{}issues".format(PROJECT_URL)
DOMAIN = "parcello"
VERSION = "0.0.1"
ISSUE_URL = "https://github.com/sebiweise/Home-Assistant-Parcello/issues"
PLATFORM = "sensor"
API_BASEURL = "https://api-v4.parcello.org/v1/app"
# Configuration Properties
CONF_SCAN_INTERVAL = "scan_interval"
CONF_API_KEY = "api_key"
# Defaults
DEFAULT_SCAN_INTERVAL = 5 | project_url = 'https://github.com/sebiweise/Home-Assistant-Parcello/'
issue_url = '{}issues'.format(PROJECT_URL)
domain = 'parcello'
version = '0.0.1'
issue_url = 'https://github.com/sebiweise/Home-Assistant-Parcello/issues'
platform = 'sensor'
api_baseurl = 'https://api-v4.parcello.org/v1/app'
conf_scan_interval = 'scan_interval'
conf_api_key = 'api_key'
default_scan_interval = 5 |
class DatabaseManipulator:
def __init__(self, conexao):
self.__conexao = conexao
self.__cursor = self.__conexao.cursor()
def getConexao(self):
return self.__conexao
def setConexao(self, conexao):
self.__conexao = conexao
def getCursor(self):
return self.__cursor
| class Databasemanipulator:
def __init__(self, conexao):
self.__conexao = conexao
self.__cursor = self.__conexao.cursor()
def get_conexao(self):
return self.__conexao
def set_conexao(self, conexao):
self.__conexao = conexao
def get_cursor(self):
return self.__cursor |
#
# Copyright 2017 Google Inc. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS-IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
{
'includes' : [
'../common.gypi',
],
'variables': {
# Used by make_into_app.gypi. We can define this once per target, or
# globally here.
'target_app_location_param': '<(PRODUCT_DIR)/demos',
},
'targets': [
{
'target_name': 'iondemohud_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'res/iondemohud.iad',
],
}, # target: iondemohud_assets
{
'target_name': 'textdemo_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'res/textdemo_assets.iad',
],
}, # target: textdemo_assets
{
'target_name': 'threadingdemo_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'threadingdemo_assets.iad',
],
}, # target: threadingdemo_assets
{
'target_name': 'particles_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'particles_assets.iad',
],
}, # target: particles_assets
{
'target_name': 'physics_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'physics_assets.iad',
],
}, # target: physics_assets
{
'target_name': 'gearsdemo_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'gearsdemo_assets.iad',
],
}, # target: gearsdemo_assets
{
'target_name': 'shapedemo_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'shapedemo_assets.iad',
],
}, # target: shapedemo_assets
{
'target_name': 'skindemo_assets',
'type': 'static_library',
'includes': [
'../dev/zipasset_generator.gypi',
],
'dependencies': [
'<(ion_dir)/port/port.gyp:ionport',
],
'sources': [
'skindemo_assets.iad',
'skindemo_data_assets.iad',
],
}, # target: skindemo_assets
{
'target_name': 'iondraw',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonDraw'
},
'sources': [
'iondraw.cc',
'hud.cc',
'hud.h',
],
'dependencies': [
':iondemohud_assets',
'<(ion_dir)/external/freetype2.gyp:ionfreetype2',
],
},
{
# This will do the right things to get a runnable "thing", depending on
# platform.
'variables': {
# The exact package name defined above, as a shared lib:
'make_this_target_into_an_app_param': 'iondraw',
# The name of the .java class
'apk_class_name_param': 'IonDraw',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'ionsimpledraw',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonSimpleDraw'
},
'sources': [
'ionsimpledraw.cc',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'ionsimpledraw',
'apk_class_name_param': 'IonSimpleDraw',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'nobuffershape',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'NoBufferShape'
},
'sources': [
'nobuffershape.cc',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'nobuffershape',
'apk_class_name_param': 'NoBufferShape',
},
'dependencies': [
'<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils',
],
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'tess',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'Tess'
},
'sources': [
'tess.cc',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'tess',
'apk_class_name_param': 'Tess',
},
'dependencies': [
'<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils',
],
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'particles',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonParticlesDemo'
},
'sources': [
'particles.cc',
],
'dependencies': [
':particles_assets',
'<(ion_dir)/external/freetype2.gyp:ionfreetype2',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'particles',
'apk_class_name_param': 'IonParticlesDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'physics',
'defines': [
'ION_DEMO_CORE_PROFILE=1',
],
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonPhysicsDemo'
},
'sources': [
'physics.cc',
],
'dependencies': [
':physics_assets',
'<(ion_dir)/external/freetype2.gyp:ionfreetype2',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'physics',
'apk_class_name_param': 'IonPhysicsDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'gearsdemo',
'defines': [
'ION_DEMO_CORE_PROFILE=1',
],
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonGearsDemo'
},
'sources': [
'gearsdemo.cc',
],
'dependencies': [
'gearsdemo_assets',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'gearsdemo',
'apk_class_name_param': 'IonGearsDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'shapedemo',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonShapeDemo'
},
'sources': [
'shapedemo.cc',
],
'dependencies': [
'shapedemo_assets',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'shapedemo',
'apk_class_name_param': 'IonShapeDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'skindemo',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonSkinDemo'
},
'sources': [
'hud.cc',
'hud.h',
'skindemo.cc',
],
'dependencies': [
':iondemohud_assets',
':skindemo_assets',
'<(ion_dir)/external/external.gyp:ionopenctm',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'skindemo',
'apk_class_name_param': 'IonSkinDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'textdemo',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonTextDemo'
},
'sources': [
'textdemo.cc',
],
'dependencies': [
':textdemo_assets',
'<(ion_dir)/external/freetype2.gyp:ionfreetype2',
'<(ion_dir)/external/icu.gyp:ionicu',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'textdemo',
'apk_class_name_param': 'IonTextDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'threadingdemo',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonThreadingDemo'
},
'sources': [
'threadingdemo.cc',
],
'dependencies': [
':threadingdemo_assets',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'threadingdemo',
'apk_class_name_param': 'IonThreadingDemo',
},
'includes': [
'demo_apk_variables.gypi',
],
},
{
'target_name': 'volatilescene',
'includes': [ 'demobase.gypi', ],
'variables': {
'demo_class_name': 'IonVolatileScene'
},
'sources': [
'volatilescene.cc',
],
},
{
'variables': {
'make_this_target_into_an_app_param': 'volatilescene',
'apk_class_name_param': 'IonVolatileScene',
},
'includes': [
'demo_apk_variables.gypi',
],
},
],
}
| {'includes': ['../common.gypi'], 'variables': {'target_app_location_param': '<(PRODUCT_DIR)/demos'}, 'targets': [{'target_name': 'iondemohud_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['res/iondemohud.iad']}, {'target_name': 'textdemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['res/textdemo_assets.iad']}, {'target_name': 'threadingdemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['threadingdemo_assets.iad']}, {'target_name': 'particles_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['particles_assets.iad']}, {'target_name': 'physics_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['physics_assets.iad']}, {'target_name': 'gearsdemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['gearsdemo_assets.iad']}, {'target_name': 'shapedemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['shapedemo_assets.iad']}, {'target_name': 'skindemo_assets', 'type': 'static_library', 'includes': ['../dev/zipasset_generator.gypi'], 'dependencies': ['<(ion_dir)/port/port.gyp:ionport'], 'sources': ['skindemo_assets.iad', 'skindemo_data_assets.iad']}, {'target_name': 'iondraw', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonDraw'}, 'sources': ['iondraw.cc', 'hud.cc', 'hud.h'], 'dependencies': [':iondemohud_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2']}, {'variables': {'make_this_target_into_an_app_param': 'iondraw', 'apk_class_name_param': 'IonDraw'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'ionsimpledraw', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonSimpleDraw'}, 'sources': ['ionsimpledraw.cc']}, {'variables': {'make_this_target_into_an_app_param': 'ionsimpledraw', 'apk_class_name_param': 'IonSimpleDraw'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'nobuffershape', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'NoBufferShape'}, 'sources': ['nobuffershape.cc']}, {'variables': {'make_this_target_into_an_app_param': 'nobuffershape', 'apk_class_name_param': 'NoBufferShape'}, 'dependencies': ['<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils'], 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'tess', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'Tess'}, 'sources': ['tess.cc']}, {'variables': {'make_this_target_into_an_app_param': 'tess', 'apk_class_name_param': 'Tess'}, 'dependencies': ['<(ion_dir)/gfxutils/gfxutils.gyp:iongfxutils'], 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'particles', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonParticlesDemo'}, 'sources': ['particles.cc'], 'dependencies': [':particles_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2']}, {'variables': {'make_this_target_into_an_app_param': 'particles', 'apk_class_name_param': 'IonParticlesDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'physics', 'defines': ['ION_DEMO_CORE_PROFILE=1'], 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonPhysicsDemo'}, 'sources': ['physics.cc'], 'dependencies': [':physics_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2']}, {'variables': {'make_this_target_into_an_app_param': 'physics', 'apk_class_name_param': 'IonPhysicsDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'gearsdemo', 'defines': ['ION_DEMO_CORE_PROFILE=1'], 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonGearsDemo'}, 'sources': ['gearsdemo.cc'], 'dependencies': ['gearsdemo_assets']}, {'variables': {'make_this_target_into_an_app_param': 'gearsdemo', 'apk_class_name_param': 'IonGearsDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'shapedemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonShapeDemo'}, 'sources': ['shapedemo.cc'], 'dependencies': ['shapedemo_assets']}, {'variables': {'make_this_target_into_an_app_param': 'shapedemo', 'apk_class_name_param': 'IonShapeDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'skindemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonSkinDemo'}, 'sources': ['hud.cc', 'hud.h', 'skindemo.cc'], 'dependencies': [':iondemohud_assets', ':skindemo_assets', '<(ion_dir)/external/external.gyp:ionopenctm']}, {'variables': {'make_this_target_into_an_app_param': 'skindemo', 'apk_class_name_param': 'IonSkinDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'textdemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonTextDemo'}, 'sources': ['textdemo.cc'], 'dependencies': [':textdemo_assets', '<(ion_dir)/external/freetype2.gyp:ionfreetype2', '<(ion_dir)/external/icu.gyp:ionicu']}, {'variables': {'make_this_target_into_an_app_param': 'textdemo', 'apk_class_name_param': 'IonTextDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'threadingdemo', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonThreadingDemo'}, 'sources': ['threadingdemo.cc'], 'dependencies': [':threadingdemo_assets']}, {'variables': {'make_this_target_into_an_app_param': 'threadingdemo', 'apk_class_name_param': 'IonThreadingDemo'}, 'includes': ['demo_apk_variables.gypi']}, {'target_name': 'volatilescene', 'includes': ['demobase.gypi'], 'variables': {'demo_class_name': 'IonVolatileScene'}, 'sources': ['volatilescene.cc']}, {'variables': {'make_this_target_into_an_app_param': 'volatilescene', 'apk_class_name_param': 'IonVolatileScene'}, 'includes': ['demo_apk_variables.gypi']}]} |
N = int(input())
def get_impact(s: str):
strength = 1
impact = 0
for c in s:
if c == 'S':
impact += strength
else:
strength *= 2
return impact
for i in range(N):
d, p = input().split()
d = int(d)
sol = 0
if p.count('S') > d:
sol = 'IMPOSSIBLE'
else:
while get_impact(p) > d:
sol += 1
p = p[::-1].replace('SC', 'CS', 1)[::-1]
print('Case #{}: {}'.format(i + 1, sol))
| n = int(input())
def get_impact(s: str):
strength = 1
impact = 0
for c in s:
if c == 'S':
impact += strength
else:
strength *= 2
return impact
for i in range(N):
(d, p) = input().split()
d = int(d)
sol = 0
if p.count('S') > d:
sol = 'IMPOSSIBLE'
else:
while get_impact(p) > d:
sol += 1
p = p[::-1].replace('SC', 'CS', 1)[::-1]
print('Case #{}: {}'.format(i + 1, sol)) |
n = int(input())
if 0 <= n <= 100:
if n == 0:
print('E')
elif 1 <= n <= 35:
print('D')
elif 36 <= n <= 60:
print('C')
elif 61 <= n <= 85:
print('B')
elif 86 <= n <= 100:
print('A') | n = int(input())
if 0 <= n <= 100:
if n == 0:
print('E')
elif 1 <= n <= 35:
print('D')
elif 36 <= n <= 60:
print('C')
elif 61 <= n <= 85:
print('B')
elif 86 <= n <= 100:
print('A') |
def main():
n = int(input())
ans = list(map(int, input().split()))
m = int(input())
bms = list(map(int, input().split()))
gears = [bj/ai for bj in bms for ai in ans]
checked = list(filter(lambda gear : gear == int(gear), gears))
maximum = max(checked)
checked = list(filter(lambda gear : gear == maximum, checked))
print(len(checked))
main()
| def main():
n = int(input())
ans = list(map(int, input().split()))
m = int(input())
bms = list(map(int, input().split()))
gears = [bj / ai for bj in bms for ai in ans]
checked = list(filter(lambda gear: gear == int(gear), gears))
maximum = max(checked)
checked = list(filter(lambda gear: gear == maximum, checked))
print(len(checked))
main() |
class StaticSelf:
def __init__(self):
class C:
SELF = self
self.c = C()
assert self.c.SELF is self
| class Staticself:
def __init__(self):
class C:
self = self
self.c = c()
assert self.c.SELF is self |
# player names are used as id.
PLAYERS = ['Ronaldo', 'Zidan', 'Raul', 'Beckham', 'Figo', 'Carlos']
# default values for trueskill calculator
# I made this (50, 16.33)
# even though trueskill's originals are (25, 8.33)
# because it ranges 0-100, it's more intuitive and natural I think.
MEAN = 50
STDDEV = 16.3333
GRAPH_XMAX = 100
GRAPH_YMAX = 0.07
COLOR_RED = [ 1, .6, .6, 1]
COLOR_BLUE = [.6, .6, 1, 1]
COLOR_GRAY = [.5, .5, .5, 1]
| players = ['Ronaldo', 'Zidan', 'Raul', 'Beckham', 'Figo', 'Carlos']
mean = 50
stddev = 16.3333
graph_xmax = 100
graph_ymax = 0.07
color_red = [1, 0.6, 0.6, 1]
color_blue = [0.6, 0.6, 1, 1]
color_gray = [0.5, 0.5, 0.5, 1] |
power = {'BUSES': {'Area': 1.33155,
'Bus/Area': 1.33155,
'Bus/Gate Leakage': 0.00662954,
'Bus/Peak Dynamic': 0.0,
'Bus/Runtime Dynamic': 0.0,
'Bus/Subthreshold Leakage': 0.0691322,
'Bus/Subthreshold Leakage with power gating': 0.0259246,
'Gate Leakage': 0.00662954,
'Peak Dynamic': 0.0,
'Runtime Dynamic': 0.0,
'Subthreshold Leakage': 0.0691322,
'Subthreshold Leakage with power gating': 0.0259246},
'Core': [{'Area': 32.6082,
'Execution Unit/Area': 8.2042,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0543263,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.245359,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.255278,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.122718,
'Execution Unit/Instruction Scheduler/Area': 2.17927,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.586053,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 1.01483,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.582035,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 2.18292,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.540152,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 6.43388,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0482275,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0212449,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.175515,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.157119,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.223743,
'Execution Unit/Register Files/Runtime Dynamic': 0.178364,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.439,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 1.26296,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155,
'Execution Unit/Runtime Dynamic': 4.27498,
'Execution Unit/Subthreshold Leakage': 1.83518,
'Execution Unit/Subthreshold Leakage with power gating': 0.709678,
'Gate Leakage': 0.372997,
'Instruction Fetch Unit/Area': 5.86007,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00251342,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00251342,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00218375,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000842395,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00225703,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00946762,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0242926,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0590479,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.151043,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 6.43323,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.418377,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.513008,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 8.96874,
'Instruction Fetch Unit/Runtime Dynamic': 1.11619,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932587,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0343782,
'L2/Runtime Dynamic': 0.0108983,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80969,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 6.75935,
'Load Store Unit/Data Cache/Runtime Dynamic': 2.671,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0351387,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.178657,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.178657,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 7.60645,
'Load Store Unit/Runtime Dynamic': 3.73073,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.440539,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.881077,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591622,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283406,
'Memory Management Unit/Area': 0.434579,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.156349,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.156777,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00813591,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.399995,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0688451,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.82879,
'Memory Management Unit/Runtime Dynamic': 0.225623,
'Memory Management Unit/Subthreshold Leakage': 0.0769113,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462,
'Peak Dynamic': 28.4339,
'Renaming Unit/Area': 0.369768,
'Renaming Unit/FP Front End RAT/Area': 0.168486,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.168255,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925,
'Renaming Unit/Free List/Area': 0.0414755,
'Renaming Unit/Free List/Gate Leakage': 4.15911e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0401324,
'Renaming Unit/Free List/Runtime Dynamic': 0.0319922,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987,
'Renaming Unit/Gate Leakage': 0.00863632,
'Renaming Unit/Int Front End RAT/Area': 0.114751,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.31027,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781,
'Renaming Unit/Peak Dynamic': 4.56169,
'Renaming Unit/Runtime Dynamic': 0.510518,
'Renaming Unit/Subthreshold Leakage': 0.070483,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779,
'Runtime Dynamic': 9.86894,
'Subthreshold Leakage': 6.21877,
'Subthreshold Leakage with power gating': 2.58311},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.047482,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.239983,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.288255,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.208254,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.335906,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.169554,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.713714,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.193989,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.69215,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0544575,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00873511,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.079648,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0646015,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.134105,
'Execution Unit/Register Files/Runtime Dynamic': 0.0733366,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.179669,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.481335,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.91375,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000923049,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000923049,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000824222,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000330144,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000928006,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00359832,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00812671,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0621031,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.95029,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.159691,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.21093,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 6.36052,
'Instruction Fetch Unit/Runtime Dynamic': 0.444449,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0433761,
'L2/Runtime Dynamic': 0.0227489,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 3.3162,
'Load Store Unit/Data Cache/Runtime Dynamic': 1.05052,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0672632,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0672633,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 3.63383,
'Load Store Unit/Runtime Dynamic': 1.44951,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.16586,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.331719,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0588641,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0594792,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.245614,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0262868,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.502841,
'Memory Management Unit/Runtime Dynamic': 0.085766,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 18.8222,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.143253,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.0111392,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.10494,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.259333,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 4.17555,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0775647,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.263611,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.472138,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.175616,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.283262,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.142981,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.60186,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.128467,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.87559,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0891969,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00736613,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0801393,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.054477,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.169336,
'Execution Unit/Register Files/Runtime Dynamic': 0.0618431,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.188227,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.456293,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.78898,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000602203,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000602203,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000538888,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000216471,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000782567,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00252586,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00526046,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0523702,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.33119,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.129583,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.177873,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 5.71138,
'Instruction Fetch Unit/Runtime Dynamic': 0.367612,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0663645,
'L2/Runtime Dynamic': 0.0376611,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 2.85292,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.865697,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0522748,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0522748,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 3.09977,
'Load Store Unit/Runtime Dynamic': 1.17577,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.128901,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.257802,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0457473,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0466995,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.207121,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0213751,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.441816,
'Memory Management Unit/Runtime Dynamic': 0.0680746,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 17.7844,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.234637,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.0107788,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0846994,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.330115,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 3.76822,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.00799019,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.208964,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.0535811,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.143017,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.230682,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.11644,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.490139,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.155355,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.21525,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0101226,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00599879,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0459459,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0443647,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.0560686,
'Execution Unit/Register Files/Runtime Dynamic': 0.0503635,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0987932,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.275738,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.43058,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.0012486,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.0012486,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00114119,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000471117,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000637303,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00427569,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0100545,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0426489,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 2.71284,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.108974,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.144855,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 5.06301,
'Instruction Fetch Unit/Runtime Dynamic': 0.310808,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0246729,
'L2/Runtime Dynamic': 0.00861813,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 2.54133,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.642719,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0421942,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0421943,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 2.74058,
'Load Store Unit/Runtime Dynamic': 0.893001,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.104044,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.208088,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0369255,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0372924,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.168674,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0178755,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.388214,
'Memory Management Unit/Runtime Dynamic': 0.0551679,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 16.0212,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0266282,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.00677661,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0735516,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.106956,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 2.80513,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328}],
'DRAM': {'Area': 0,
'Gate Leakage': 0,
'Peak Dynamic': 5.296277511313148,
'Runtime Dynamic': 5.296277511313148,
'Subthreshold Leakage': 4.252,
'Subthreshold Leakage with power gating': 4.252},
'L3': [{'Area': 61.9075,
'Gate Leakage': 0.0484137,
'Peak Dynamic': 0.20534,
'Runtime Dynamic': 0.144375,
'Subthreshold Leakage': 6.80085,
'Subthreshold Leakage with power gating': 3.32364}],
'Processor': {'Area': 191.908,
'Gate Leakage': 1.53485,
'Peak Dynamic': 81.267,
'Peak Power': 114.379,
'Runtime Dynamic': 20.7622,
'Subthreshold Leakage': 31.5774,
'Subthreshold Leakage with power gating': 13.9484,
'Total Cores/Area': 128.669,
'Total Cores/Gate Leakage': 1.4798,
'Total Cores/Peak Dynamic': 81.0617,
'Total Cores/Runtime Dynamic': 20.6178,
'Total Cores/Subthreshold Leakage': 24.7074,
'Total Cores/Subthreshold Leakage with power gating': 10.2429,
'Total L3s/Area': 61.9075,
'Total L3s/Gate Leakage': 0.0484137,
'Total L3s/Peak Dynamic': 0.20534,
'Total L3s/Runtime Dynamic': 0.144375,
'Total L3s/Subthreshold Leakage': 6.80085,
'Total L3s/Subthreshold Leakage with power gating': 3.32364,
'Total Leakage': 33.1122,
'Total NoCs/Area': 1.33155,
'Total NoCs/Gate Leakage': 0.00662954,
'Total NoCs/Peak Dynamic': 0.0,
'Total NoCs/Runtime Dynamic': 0.0,
'Total NoCs/Subthreshold Leakage': 0.0691322,
'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}} | power = {'BUSES': {'Area': 1.33155, 'Bus/Area': 1.33155, 'Bus/Gate Leakage': 0.00662954, 'Bus/Peak Dynamic': 0.0, 'Bus/Runtime Dynamic': 0.0, 'Bus/Subthreshold Leakage': 0.0691322, 'Bus/Subthreshold Leakage with power gating': 0.0259246, 'Gate Leakage': 0.00662954, 'Peak Dynamic': 0.0, 'Runtime Dynamic': 0.0, 'Subthreshold Leakage': 0.0691322, 'Subthreshold Leakage with power gating': 0.0259246}, 'Core': [{'Area': 32.6082, 'Execution Unit/Area': 8.2042, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0543263, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.245359, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.255278, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.122718, 'Execution Unit/Instruction Scheduler/Area': 2.17927, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.586053, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 1.01483, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.582035, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 2.18292, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.540152, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 6.43388, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0482275, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0212449, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.175515, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.157119, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.223743, 'Execution Unit/Register Files/Runtime Dynamic': 0.178364, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.439, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 1.26296, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155, 'Execution Unit/Runtime Dynamic': 4.27498, 'Execution Unit/Subthreshold Leakage': 1.83518, 'Execution Unit/Subthreshold Leakage with power gating': 0.709678, 'Gate Leakage': 0.372997, 'Instruction Fetch Unit/Area': 5.86007, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00251342, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00251342, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00218375, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000842395, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00225703, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00946762, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0242926, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0590479, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.151043, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 6.43323, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.418377, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.513008, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 8.96874, 'Instruction Fetch Unit/Runtime Dynamic': 1.11619, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932587, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0343782, 'L2/Runtime Dynamic': 0.0108983, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80969, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 6.75935, 'Load Store Unit/Data Cache/Runtime Dynamic': 2.671, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0351387, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.178657, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.178657, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 7.60645, 'Load Store Unit/Runtime Dynamic': 3.73073, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.440539, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.881077, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591622, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283406, 'Memory Management Unit/Area': 0.434579, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.156349, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.156777, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00813591, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.399995, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0688451, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.82879, 'Memory Management Unit/Runtime Dynamic': 0.225623, 'Memory Management Unit/Subthreshold Leakage': 0.0769113, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462, 'Peak Dynamic': 28.4339, 'Renaming Unit/Area': 0.369768, 'Renaming Unit/FP Front End RAT/Area': 0.168486, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.168255, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925, 'Renaming Unit/Free List/Area': 0.0414755, 'Renaming Unit/Free List/Gate Leakage': 4.15911e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0401324, 'Renaming Unit/Free List/Runtime Dynamic': 0.0319922, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987, 'Renaming Unit/Gate Leakage': 0.00863632, 'Renaming Unit/Int Front End RAT/Area': 0.114751, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.31027, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781, 'Renaming Unit/Peak Dynamic': 4.56169, 'Renaming Unit/Runtime Dynamic': 0.510518, 'Renaming Unit/Subthreshold Leakage': 0.070483, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779, 'Runtime Dynamic': 9.86894, 'Subthreshold Leakage': 6.21877, 'Subthreshold Leakage with power gating': 2.58311}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.047482, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.239983, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.288255, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.208254, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.335906, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.169554, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.713714, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.193989, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.69215, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0544575, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00873511, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.079648, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0646015, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.134105, 'Execution Unit/Register Files/Runtime Dynamic': 0.0733366, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.179669, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.481335, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 1.91375, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000923049, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000923049, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000824222, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000330144, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000928006, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00359832, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00812671, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0621031, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.95029, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.159691, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.21093, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 6.36052, 'Instruction Fetch Unit/Runtime Dynamic': 0.444449, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0433761, 'L2/Runtime Dynamic': 0.0227489, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 3.3162, 'Load Store Unit/Data Cache/Runtime Dynamic': 1.05052, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0672632, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0672633, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.63383, 'Load Store Unit/Runtime Dynamic': 1.44951, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.16586, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.331719, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0588641, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0594792, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.245614, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0262868, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.502841, 'Memory Management Unit/Runtime Dynamic': 0.085766, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 18.8222, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.143253, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.0111392, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.10494, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.259333, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 4.17555, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0775647, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.263611, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.472138, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.175616, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.283262, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.142981, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.60186, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.128467, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.87559, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0891969, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00736613, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0801393, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.054477, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.169336, 'Execution Unit/Register Files/Runtime Dynamic': 0.0618431, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.188227, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.456293, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 1.78898, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000602203, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000602203, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000538888, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000216471, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000782567, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00252586, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00526046, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0523702, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.33119, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.129583, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.177873, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 5.71138, 'Instruction Fetch Unit/Runtime Dynamic': 0.367612, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0663645, 'L2/Runtime Dynamic': 0.0376611, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 2.85292, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.865697, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0522748, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0522748, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.09977, 'Load Store Unit/Runtime Dynamic': 1.17577, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.128901, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.257802, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0457473, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0466995, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.207121, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0213751, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.441816, 'Memory Management Unit/Runtime Dynamic': 0.0680746, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 17.7844, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.234637, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.0107788, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0846994, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.330115, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 3.76822, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.00799019, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.208964, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.0535811, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.143017, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.230682, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.11644, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.490139, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.155355, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.21525, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0101226, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00599879, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0459459, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0443647, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.0560686, 'Execution Unit/Register Files/Runtime Dynamic': 0.0503635, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0987932, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.275738, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 1.43058, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.0012486, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.0012486, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00114119, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000471117, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000637303, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00427569, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0100545, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0426489, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 2.71284, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.108974, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.144855, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 5.06301, 'Instruction Fetch Unit/Runtime Dynamic': 0.310808, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0246729, 'L2/Runtime Dynamic': 0.00861813, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 2.54133, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.642719, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0421942, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0421943, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 2.74058, 'Load Store Unit/Runtime Dynamic': 0.893001, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.104044, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.208088, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0369255, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0372924, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.168674, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0178755, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.388214, 'Memory Management Unit/Runtime Dynamic': 0.0551679, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 16.0212, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0266282, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.00677661, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0735516, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.106956, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 2.80513, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}], 'DRAM': {'Area': 0, 'Gate Leakage': 0, 'Peak Dynamic': 5.296277511313148, 'Runtime Dynamic': 5.296277511313148, 'Subthreshold Leakage': 4.252, 'Subthreshold Leakage with power gating': 4.252}, 'L3': [{'Area': 61.9075, 'Gate Leakage': 0.0484137, 'Peak Dynamic': 0.20534, 'Runtime Dynamic': 0.144375, 'Subthreshold Leakage': 6.80085, 'Subthreshold Leakage with power gating': 3.32364}], 'Processor': {'Area': 191.908, 'Gate Leakage': 1.53485, 'Peak Dynamic': 81.267, 'Peak Power': 114.379, 'Runtime Dynamic': 20.7622, 'Subthreshold Leakage': 31.5774, 'Subthreshold Leakage with power gating': 13.9484, 'Total Cores/Area': 128.669, 'Total Cores/Gate Leakage': 1.4798, 'Total Cores/Peak Dynamic': 81.0617, 'Total Cores/Runtime Dynamic': 20.6178, 'Total Cores/Subthreshold Leakage': 24.7074, 'Total Cores/Subthreshold Leakage with power gating': 10.2429, 'Total L3s/Area': 61.9075, 'Total L3s/Gate Leakage': 0.0484137, 'Total L3s/Peak Dynamic': 0.20534, 'Total L3s/Runtime Dynamic': 0.144375, 'Total L3s/Subthreshold Leakage': 6.80085, 'Total L3s/Subthreshold Leakage with power gating': 3.32364, 'Total Leakage': 33.1122, 'Total NoCs/Area': 1.33155, 'Total NoCs/Gate Leakage': 0.00662954, 'Total NoCs/Peak Dynamic': 0.0, 'Total NoCs/Runtime Dynamic': 0.0, 'Total NoCs/Subthreshold Leakage': 0.0691322, 'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}} |
## params ##
nNodes = 5
nTraders = 2000
nGenesis = 4
nAddresses = nTraders
nMaxConfTerms = 100
nMaxConfVertices = 35
tSimtime = 100 # sec
tPow = 0.00 # sec
tNodeNetwork = 0.2 # sec
tHttpRequest = 0.2 # sec
tUnitVal = 0.003 # sec
tUnitValVar = 10 ** -7 # sec
tConfCycle = 1.0 # sec
tBroad = 0.01 # sec
rTxRate = 50 #
rConfTh = 0.8
amounts = [500] * nTraders # a 'confirmed' amounts
cTimesAvg = 20
### desired results at ###
# r : 50
# unit : 0.003
# conf cycle : 1.0 | n_nodes = 5
n_traders = 2000
n_genesis = 4
n_addresses = nTraders
n_max_conf_terms = 100
n_max_conf_vertices = 35
t_simtime = 100
t_pow = 0.0
t_node_network = 0.2
t_http_request = 0.2
t_unit_val = 0.003
t_unit_val_var = 10 ** (-7)
t_conf_cycle = 1.0
t_broad = 0.01
r_tx_rate = 50
r_conf_th = 0.8
amounts = [500] * nTraders
c_times_avg = 20 |
class Person:
"This is a person class"
age = 10
def greet(self):
print("Hello")
# Output: 10
print(Person.age)
# Output: <function Person.greet>
print(Person.greet)
# Output: "This is a person class"
print(Person.__doc__)
| class Person:
"""This is a person class"""
age = 10
def greet(self):
print('Hello')
print(Person.age)
print(Person.greet)
print(Person.__doc__) |
positive_words = {
"a+",
"abound",
"abounds",
"abundance",
"abundant",
"accessable",
"accessible",
"acclaim",
"acclaimed",
"acclamation",
"accolade",
"accolades",
"accommodative",
"accomodative",
"accomplish",
"accomplished",
"accomplishment",
"accomplishments",
"accurate",
"accurately",
"achievable",
"achievement",
"achievements",
"achievible",
"acumen",
"adaptable",
"adaptive",
"adequate",
"adjustable",
"admirable",
"admirably",
"admiration",
"admire",
"admirer",
"admiring",
"admiringly",
"adorable",
"adore",
"adored",
"adorer",
"adoring",
"adoringly",
"adroit",
"adroitly",
"adulate",
"adulation",
"adulatory",
"advanced",
"advantage",
"advantageous",
"advantageously",
"advantages",
"adventuresome",
"adventurous",
"advocate",
"advocated",
"advocates",
"affability",
"affable",
"affably",
"affectation",
"affection",
"affectionate",
"affinity",
"affirm",
"affirmation",
"affirmative",
"affluence",
"affluent",
"afford",
"affordable",
"affordably",
"afordable",
"agile",
"agilely",
"agility",
"agreeable",
"agreeableness",
"agreeably",
"all-around",
"alluring",
"alluringly",
"altruistic",
"altruistically",
"amaze",
"amazed",
"amazement",
"amazes",
"amazing",
"amazingly",
"ambitious",
"ambitiously",
"ameliorate",
"amenable",
"amenity",
"amiability",
"amiabily",
"amiable",
"amicability",
"amicable",
"amicably",
"amity",
"ample",
"amply",
"amuse",
"amusing",
"amusingly",
"angel",
"angelic",
"apotheosis",
"appeal",
"appealing",
"applaud",
"appreciable",
"appreciate",
"appreciated",
"appreciates",
"appreciative",
"appreciatively",
"appropriate",
"approval",
"approve",
"ardent",
"ardently",
"ardor",
"articulate",
"aspiration",
"aspirations",
"aspire",
"assurance",
"assurances",
"assure",
"assuredly",
"assuring",
"astonish",
"astonished",
"astonishing",
"astonishingly",
"astonishment",
"astound",
"astounded",
"astounding",
"astoundingly",
"astutely",
"attentive",
"attraction",
"attractive",
"attractively",
"attune",
"audible",
"audibly",
"auspicious",
"authentic",
"authoritative",
"autonomous",
"available",
"aver",
"avid",
"avidly",
"award",
"awarded",
"awards",
"awe",
"awed",
"awesome",
"awesomely",
"awesomeness",
"awestruck",
"awsome",
"backbone",
"balanced",
"bargain",
"beauteous",
"beautiful",
"beautifullly",
"beautifully",
"beautify",
"beauty",
"beckon",
"beckoned",
"beckoning",
"beckons",
"believable",
"believeable",
"beloved",
"benefactor",
"beneficent",
"beneficial",
"beneficially",
"beneficiary",
"benefit",
"benefits",
"benevolence",
"benevolent",
"benifits",
"best",
"best-known",
"best-performing",
"best-selling",
"better",
"better-known",
"better-than-expected",
"beutifully",
"blameless",
"bless",
"blessing",
"bliss",
"blissful",
"blissfully",
"blithe",
"blockbuster",
"bloom",
"blossom",
"bolster",
"bonny",
"bonus",
"bonuses",
"boom",
"booming",
"boost",
"boundless",
"bountiful",
"brainiest",
"brainy",
"brand-new",
"brave",
"bravery",
"bravo",
"breakthrough",
"breakthroughs",
"breathlessness",
"breathtaking",
"breathtakingly",
"breeze",
"bright",
"brighten",
"brighter",
"brightest",
"brilliance",
"brilliances",
"brilliant",
"brilliantly",
"brisk",
"brotherly",
"bullish",
"buoyant",
"cajole",
"calm",
"calming",
"calmness",
"capability",
"capable",
"capably",
"captivate",
"captivating",
"carefree",
"cashback",
"cashbacks",
"catchy",
"celebrate",
"celebrated",
"celebration",
"celebratory",
"champ",
"champion",
"charisma",
"charismatic",
"charitable",
"charm",
"charming",
"charmingly",
"chaste",
"cheaper",
"cheapest",
"cheer",
"cheerful",
"cheery",
"cherish",
"cherished",
"cherub",
"chic",
"chivalrous",
"chivalry",
"civility",
"civilize",
"clarity",
"classic",
"classy",
"clean",
"cleaner",
"cleanest",
"cleanliness",
"cleanly",
"clear",
"clear-cut",
"cleared",
"clearer",
"clearly",
"clears",
"clever",
"cleverly",
"cohere",
"coherence",
"coherent",
"cohesive",
"colorful",
"comely",
"comfort",
"comfortable",
"comfortably",
"comforting",
"comfy",
"commend",
"commendable",
"commendably",
"commitment",
"commodious",
"compact",
"compactly",
"compassion",
"compassionate",
"compatible",
"competitive",
"complement",
"complementary",
"complemented",
"complements",
"compliant",
"compliment",
"complimentary",
"comprehensive",
"conciliate",
"conciliatory",
"concise",
"confidence",
"confident",
"congenial",
"congratulate",
"congratulation",
"congratulations",
"congratulatory",
"conscientious",
"considerate",
"consistent",
"consistently",
"constructive",
"consummate",
"contentment",
"continuity",
"contrasty",
"contribution",
"convenience",
"convenient",
"conveniently",
"convience",
"convienient",
"convient",
"convincing",
"convincingly",
"cool",
"coolest",
"cooperative",
"cooperatively",
"cornerstone",
"correct",
"correctly",
"cost-effective",
"cost-saving",
"counter-attack",
"counter-attacks",
"courage",
"courageous",
"courageously",
"courageousness",
"courteous",
"courtly",
"covenant",
"cozy",
"creative",
"credence",
"credible",
"crisp",
"crisper",
"cure",
"cure-all",
"cushy",
"cute",
"cuteness",
"danke",
"danken",
"daring",
"daringly",
"darling",
"dashing",
"dauntless",
"dawn",
"dazzle",
"dazzled",
"dazzling",
"dead-cheap",
"dead-on",
"decency",
"decent",
"decisive",
"decisiveness",
"dedicated",
"defeat",
"defeated",
"defeating",
"defeats",
"defender",
"deference",
"deft",
"deginified",
"delectable",
"delicacy",
"delicate",
"delicious",
"delight",
"delighted",
"delightful",
"delightfully",
"delightfulness",
"dependable",
"dependably",
"deservedly",
"deserving",
"desirable",
"desiring",
"desirous",
"destiny",
"detachable",
"devout",
"dexterous",
"dexterously",
"dextrous",
"dignified",
"dignify",
"dignity",
"diligence",
"diligent",
"diligently",
"diplomatic",
"dirt-cheap",
"distinction",
"distinctive",
"distinguished",
"diversified",
"divine",
"divinely",
"dominate",
"dominated",
"dominates",
"dote",
"dotingly",
"doubtless",
"dreamland",
"dumbfounded",
"dumbfounding",
"dummy-proof",
"durable",
"dynamic",
"eager",
"eagerly",
"eagerness",
"earnest",
"earnestly",
"earnestness",
"ease",
"eased",
"eases",
"easier",
"easiest",
"easiness",
"easing",
"easy",
"easy-to-use",
"easygoing",
"ebullience",
"ebullient",
"ebulliently",
"ecenomical",
"economical",
"ecstasies",
"ecstasy",
"ecstatic",
"ecstatically",
"edify",
"educated",
"effective",
"effectively",
"effectiveness",
"effectual",
"efficacious",
"efficient",
"efficiently",
"effortless",
"effortlessly",
"effusion",
"effusive",
"effusively",
"effusiveness",
"elan",
"elate",
"elated",
"elatedly",
"elation",
"electrify",
"elegance",
"elegant",
"elegantly",
"elevate",
"elite",
"eloquence",
"eloquent",
"eloquently",
"embolden",
"eminence",
"eminent",
"empathize",
"empathy",
"empower",
"empowerment",
"enchant",
"enchanted",
"enchanting",
"enchantingly",
"encourage",
"encouragement",
"encouraging",
"encouragingly",
"endear",
"endearing",
"endorse",
"endorsed",
"endorsement",
"endorses",
"endorsing",
"energetic",
"energize",
"energy-efficient",
"energy-saving",
"engaging",
"engrossing",
"enhance",
"enhanced",
"enhancement",
"enhances",
"enjoy",
"enjoyable",
"enjoyably",
"enjoyed",
"enjoying",
"enjoyment",
"enjoys",
"enlighten",
"enlightenment",
"enliven",
"ennoble",
"enough",
"enrapt",
"enrapture",
"enraptured",
"enrich",
"enrichment",
"enterprising",
"entertain",
"entertaining",
"entertains",
"enthral",
"enthrall",
"enthralled",
"enthuse",
"enthusiasm",
"enthusiast",
"enthusiastic",
"enthusiastically",
"entice",
"enticed",
"enticing",
"enticingly",
"entranced",
"entrancing",
"entrust",
"enviable",
"enviably",
"envious",
"enviously",
"enviousness",
"envy",
"equitable",
"ergonomical",
"err-free",
"erudite",
"ethical",
"eulogize",
"euphoria",
"euphoric",
"euphorically",
"evaluative",
"evenly",
"eventful",
"everlasting",
"evocative",
"exalt",
"exaltation",
"exalted",
"exaltedly",
"exalting",
"exaltingly",
"examplar",
"examplary",
"excallent",
"exceed",
"exceeded",
"exceeding",
"exceedingly",
"exceeds",
"excel",
"exceled",
"excelent",
"excellant",
"excelled",
"excellence",
"excellency",
"excellent",
"excellently",
"excels",
"exceptional",
"exceptionally",
"excite",
"excited",
"excitedly",
"excitedness",
"excitement",
"excites",
"exciting",
"excitingly",
"exellent",
"exemplar",
"exemplary",
"exhilarate",
"exhilarating",
"exhilaratingly",
"exhilaration",
"exonerate",
"expansive",
"expeditiously",
"expertly",
"exquisite",
"exquisitely",
"extol",
"extoll",
"extraordinarily",
"extraordinary",
"exuberance",
"exuberant",
"exuberantly",
"exult",
"exultant",
"exultation",
"exultingly",
"eye-catch",
"eye-catching",
"eyecatch",
"eyecatching",
"fabulous",
"fabulously",
"facilitate",
"fair",
"fairly",
"fairness",
"faith",
"faithful",
"faithfully",
"faithfulness",
"fame",
"famed",
"famous",
"famously",
"fancier",
"fancinating",
"fancy",
"fanfare",
"fans",
"fantastic",
"fantastically",
"fascinate",
"fascinating",
"fascinatingly",
"fascination",
"fashionable",
"fashionably",
"fast",
"fast-growing",
"fast-paced",
"faster",
"fastest",
"fastest-growing",
"faultless",
"fav",
"fave",
"favor",
"favorable",
"favored",
"favorite",
"favorited",
"favour",
"fearless",
"fearlessly",
"feasible",
"feasibly",
"feat",
"feature-rich",
"fecilitous",
"feisty",
"felicitate",
"felicitous",
"felicity",
"fertile",
"fervent",
"fervently",
"fervid",
"fervidly",
"fervor",
"festive",
"fidelity",
"fiery",
"fine",
"fine-looking",
"finely",
"finer",
"finest",
"firmer",
"first-class",
"first-in-class",
"first-rate",
"flashy",
"flatter",
"flattering",
"flatteringly",
"flawless",
"flawlessly",
"flexibility",
"flexible",
"flourish",
"flourishing",
"fluent",
"flutter",
"fond",
"fondly",
"fondness",
"foolproof",
"foremost",
"foresight",
"formidable",
"fortitude",
"fortuitous",
"fortuitously",
"fortunate",
"fortunately",
"fortune",
"fragrant",
"free",
"freed",
"freedom",
"freedoms",
"fresh",
"fresher",
"freshest",
"friendliness",
"friendly",
"frolic",
"frugal",
"fruitful",
"ftw",
"fulfillment",
"fun",
"futurestic",
"futuristic",
"gaiety",
"gaily",
"gain",
"gained",
"gainful",
"gainfully",
"gaining",
"gains",
"gallant",
"gallantly",
"galore",
"geekier",
"geeky",
"gem",
"gems",
"generosity",
"generous",
"generously",
"genial",
"genius",
"gentle",
"gentlest",
"genuine",
"gifted",
"glad",
"gladden",
"gladly",
"gladness",
"glamorous",
"glee",
"gleeful",
"gleefully",
"glimmer",
"glimmering",
"glisten",
"glistening",
"glitter",
"glitz",
"glorify",
"glorious",
"gloriously",
"glory",
"glow",
"glowing",
"glowingly",
"god-given",
"god-send",
"godlike",
"godsend",
"gold",
"golden",
"good",
"goodly",
"goodness",
"goodwill",
"goood",
"gooood",
"gorgeous",
"gorgeously",
"grace",
"graceful",
"gracefully",
"gracious",
"graciously",
"graciousness",
"grand",
"grandeur",
"grateful",
"gratefully",
"gratification",
"gratified",
"gratifies",
"gratify",
"gratifying",
"gratifyingly",
"gratitude",
"great",
"greatest",
"greatness",
"grin",
"groundbreaking",
"guarantee",
"guidance",
"guiltless",
"gumption",
"gush",
"gusto",
"gutsy",
"hail",
"halcyon",
"hale",
"hallmark",
"hallmarks",
"hallowed",
"handier",
"handily",
"hands-down",
"handsome",
"handsomely",
"handy",
"happier",
"happily",
"happiness",
"happy",
"hard-working",
"hardier",
"hardy",
"harmless",
"harmonious",
"harmoniously",
"harmonize",
"harmony",
"headway",
"heal",
"healthful",
"healthy",
"hearten",
"heartening",
"heartfelt",
"heartily",
"heartwarming",
"heaven",
"heavenly",
"helped",
"helpful",
"helping",
"hero",
"heroic",
"heroically",
"heroine",
"heroize",
"heros",
"high-quality",
"high-spirited",
"hilarious",
"holy",
"homage",
"honest",
"honesty",
"honor",
"honorable",
"honored",
"honoring",
"hooray",
"hopeful",
"hospitable",
"hot",
"hotcake",
"hotcakes",
"hottest",
"hug",
"humane",
"humble",
"humility",
"humor",
"humorous",
"humorously",
"humour",
"humourous",
"ideal",
"idealize",
"ideally",
"idol",
"idolize",
"idolized",
"idyllic",
"illuminate",
"illuminati",
"illuminating",
"illumine",
"illustrious",
"ilu",
"imaculate",
"imaginative",
"immaculate",
"immaculately",
"immense",
"impartial",
"impartiality",
"impartially",
"impassioned",
"impeccable",
"impeccably",
"important",
"impress",
"impressed",
"impresses",
"impressive",
"impressively",
"impressiveness",
"improve",
"improved",
"improvement",
"improvements",
"improves",
"improving",
"incredible",
"incredibly",
"indebted",
"individualized",
"indulgence",
"indulgent",
"industrious",
"inestimable",
"inestimably",
"inexpensive",
"infallibility",
"infallible",
"infallibly",
"influential",
"ingenious",
"ingeniously",
"ingenuity",
"ingenuous",
"ingenuously",
"innocuous",
"innovation",
"innovative",
"inpressed",
"insightful",
"insightfully",
"inspiration",
"inspirational",
"inspire",
"inspiring",
"instantly",
"instructive",
"instrumental",
"integral",
"integrated",
"intelligence",
"intelligent",
"intelligible",
"interesting",
"interests",
"intimacy",
"intimate",
"intricate",
"intrigue",
"intriguing",
"intriguingly",
"intuitive",
"invaluable",
"invaluablely",
"inventive",
"invigorate",
"invigorating",
"invincibility",
"invincible",
"inviolable",
"inviolate",
"invulnerable",
"irreplaceable",
"irreproachable",
"irresistible",
"irresistibly",
"issue-free",
"jaw-droping",
"jaw-dropping",
"jollify",
"jolly",
"jovial",
"joy",
"joyful",
"joyfully",
"joyous",
"joyously",
"jubilant",
"jubilantly",
"jubilate",
"jubilation",
"jubiliant",
"judicious",
"justly",
"keen",
"keenly",
"keenness",
"kid-friendly",
"kindliness",
"kindly",
"kindness",
"knowledgeable",
"kudos",
"large-capacity",
"laud",
"laudable",
"laudably",
"lavish",
"lavishly",
"law-abiding",
"lawful",
"lawfully",
"lead",
"leading",
"leads",
"lean",
"led",
"legendary",
"leverage",
"levity",
"liberate",
"liberation",
"liberty",
"lifesaver",
"light-hearted",
"lighter",
"likable",
"like",
"liked",
"likes",
"liking",
"lionhearted",
"lively",
"logical",
"long-lasting",
"lovable",
"lovably",
"love",
"loved",
"loveliness",
"lovely",
"lover",
"loves",
"loving",
"low-cost",
"low-price",
"low-priced",
"low-risk",
"lower-priced",
"loyal",
"loyalty",
"lucid",
"lucidly",
"luck",
"luckier",
"luckiest",
"luckiness",
"lucky",
"lucrative",
"luminous",
"lush",
"luster",
"lustrous",
"luxuriant",
"luxuriate",
"luxurious",
"luxuriously",
"luxury",
"lyrical",
"magic",
"magical",
"magnanimous",
"magnanimously",
"magnificence",
"magnificent",
"magnificently",
"majestic",
"majesty",
"manageable",
"maneuverable",
"marvel",
"marveled",
"marvelled",
"marvellous",
"marvelous",
"marvelously",
"marvelousness",
"marvels",
"master",
"masterful",
"masterfully",
"masterpiece",
"masterpieces",
"masters",
"mastery",
"matchless",
"mature",
"maturely",
"maturity",
"meaningful",
"memorable",
"merciful",
"mercifully",
"mercy",
"merit",
"meritorious",
"merrily",
"merriment",
"merriness",
"merry",
"mesmerize",
"mesmerized",
"mesmerizes",
"mesmerizing",
"mesmerizingly",
"meticulous",
"meticulously",
"mightily",
"mighty",
"mind-blowing",
"miracle",
"miracles",
"miraculous",
"miraculously",
"miraculousness",
"modern",
"modest",
"modesty",
"momentous",
"monumental",
"monumentally",
"morality",
"motivated",
"multi-purpose",
"navigable",
"neat",
"neatest",
"neatly",
"nice",
"nicely",
"nicer",
"nicest",
"nifty",
"nimble",
"noble",
"nobly",
"noiseless",
"non-violence",
"non-violent",
"notably",
"noteworthy",
"nourish",
"nourishing",
"nourishment",
"novelty",
"nurturing",
"oasis",
"obsession",
"obsessions",
"obtainable",
"openly",
"openness",
"optimal",
"optimism",
"optimistic",
"opulent",
"orderly",
"originality",
"outdo",
"outdone",
"outperform",
"outperformed",
"outperforming",
"outperforms",
"outshine",
"outshone",
"outsmart",
"outstanding",
"outstandingly",
"outstrip",
"outwit",
"ovation",
"overjoyed",
"overtake",
"overtaken",
"overtakes",
"overtaking",
"overtook",
"overture",
"pain-free",
"painless",
"painlessly",
"palatial",
"pamper",
"pampered",
"pamperedly",
"pamperedness",
"pampers",
"panoramic",
"paradise",
"paramount",
"pardon",
"passion",
"passionate",
"passionately",
"patience",
"patient",
"patiently",
"patriot",
"patriotic",
"peace",
"peaceable",
"peaceful",
"peacefully",
"peacekeepers",
"peach",
"peerless",
"pep",
"pepped",
"pepping",
"peppy",
"peps",
"perfect",
"perfection",
"perfectly",
"permissible",
"perseverance",
"persevere",
"personages",
"personalized",
"phenomenal",
"phenomenally",
"picturesque",
"piety",
"pinnacle",
"playful",
"playfully",
"pleasant",
"pleasantly",
"pleased",
"pleases",
"pleasing",
"pleasingly",
"pleasurable",
"pleasurably",
"pleasure",
"plentiful",
"pluses",
"plush",
"plusses",
"poetic",
"poeticize",
"poignant",
"poise",
"poised",
"polished",
"polite",
"politeness",
"popular",
"portable",
"posh",
"positive",
"positively",
"positives",
"powerful",
"powerfully",
"praise",
"praiseworthy",
"praising",
"pre-eminent",
"precious",
"precise",
"precisely",
"preeminent",
"prefer",
"preferable",
"preferably",
"prefered",
"preferes",
"preferring",
"prefers",
"premier",
"prestige",
"prestigious",
"prettily",
"pretty",
"priceless",
"pride",
"principled",
"privilege",
"privileged",
"prize",
"proactive",
"problem-free",
"problem-solver",
"prodigious",
"prodigiously",
"prodigy",
"productive",
"productively",
"proficient",
"proficiently",
"profound",
"profoundly",
"profuse",
"profusion",
"progress",
"progressive",
"prolific",
"prominence",
"prominent",
"promise",
"promised",
"promises",
"promising",
"promoter",
"prompt",
"promptly",
"proper",
"properly",
"propitious",
"propitiously",
"pros",
"prosper",
"prosperity",
"prosperous",
"prospros",
"protect",
"protection",
"protective",
"proud",
"proven",
"proves",
"providence",
"proving",
"prowess",
"prudence",
"prudent",
"prudently",
"punctual",
"pure",
"purify",
"purposeful",
"quaint",
"qualified",
"qualify",
"quicker",
"quiet",
"quieter",
"radiance",
"radiant",
"rapid",
"rapport",
"rapt",
"rapture",
"raptureous",
"raptureously",
"rapturous",
"rapturously",
"rational",
"razor-sharp",
"reachable",
"readable",
"readily",
"ready",
"reaffirm",
"reaffirmation",
"realistic",
"realizable",
"reasonable",
"reasonably",
"reasoned",
"reassurance",
"reassure",
"receptive",
"reclaim",
"recomend",
"recommend",
"recommendation",
"recommendations",
"recommended",
"reconcile",
"reconciliation",
"record-setting",
"recover",
"recovery",
"rectification",
"rectify",
"rectifying",
"redeem",
"redeeming",
"redemption",
"refine",
"refined",
"refinement",
"reform",
"reformed",
"reforming",
"reforms",
"refresh",
"refreshed",
"refreshing",
"refund",
"refunded",
"regal",
"regally",
"regard",
"rejoice",
"rejoicing",
"rejoicingly",
"rejuvenate",
"rejuvenated",
"rejuvenating",
"relaxed",
"relent",
"reliable",
"reliably",
"relief",
"relish",
"remarkable",
"remarkably",
"remedy",
"remission",
"remunerate",
"renaissance",
"renewed",
"renown",
"renowned",
"replaceable",
"reputable",
"reputation",
"resilient",
"resolute",
"resound",
"resounding",
"resourceful",
"resourcefulness",
"respect",
"respectable",
"respectful",
"respectfully",
"respite",
"resplendent",
"responsibly",
"responsive",
"restful",
"restored",
"restructure",
"restructured",
"restructuring",
"retractable",
"revel",
"revelation",
"revere",
"reverence",
"reverent",
"reverently",
"revitalize",
"revival",
"revive",
"revives",
"revolutionary",
"revolutionize",
"revolutionized",
"revolutionizes",
"reward",
"rewarding",
"rewardingly",
"rich",
"richer",
"richly",
"richness",
"right",
"righten",
"righteous",
"righteously",
"righteousness",
"rightful",
"rightfully",
"rightly",
"rightness",
"risk-free",
"robust",
"rock-star",
"rock-stars",
"rockstar",
"rockstars",
"romantic",
"romantically",
"romanticize",
"roomier",
"roomy",
"rosy",
"safe",
"safely",
"sagacity",
"sagely",
"saint",
"saintliness",
"saintly",
"salutary",
"salute",
"sane",
"satisfactorily",
"satisfactory",
"satisfied",
"satisfies",
"satisfy",
"satisfying",
"satisified",
"saver",
"savings",
"savior",
"savvy",
"scenic",
"seamless",
"seasoned",
"secure",
"securely",
"selective",
"self-determination",
"self-respect",
"self-satisfaction",
"self-sufficiency",
"self-sufficient",
"sensation",
"sensational",
"sensationally",
"sensations",
"sensible",
"sensibly",
"sensitive",
"serene",
"serenity",
"sexy",
"sharp",
"sharper",
"sharpest",
"shimmering",
"shimmeringly",
"shine",
"shiny",
"significant",
"silent",
"simpler",
"simplest",
"simplified",
"simplifies",
"simplify",
"simplifying",
"sincere",
"sincerely",
"sincerity",
"skill",
"skilled",
"skillful",
"skillfully",
"slammin",
"sleek",
"slick",
"smart",
"smarter",
"smartest",
"smartly",
"smile",
"smiles",
"smiling",
"smilingly",
"smitten",
"smooth",
"smoother",
"smoothes",
"smoothest",
"smoothly",
"snappy",
"snazzy",
"sociable",
"soft",
"softer",
"solace",
"solicitous",
"solicitously",
"solid",
"solidarity",
"soothe",
"soothingly",
"sophisticated",
"soulful",
"soundly",
"soundness",
"spacious",
"sparkle",
"sparkling",
"spectacular",
"spectacularly",
"speedily",
"speedy",
"spellbind",
"spellbinding",
"spellbindingly",
"spellbound",
"spirited",
"spiritual",
"splendid",
"splendidly",
"splendor",
"spontaneous",
"sporty",
"spotless",
"sprightly",
"stability",
"stabilize",
"stable",
"stainless",
"standout",
"state-of-the-art",
"stately",
"statuesque",
"staunch",
"staunchly",
"staunchness",
"steadfast",
"steadfastly",
"steadfastness",
"steadiest",
"steadiness",
"steady",
"stellar",
"stellarly",
"stimulate",
"stimulates",
"stimulating",
"stimulative",
"stirringly",
"straighten",
"straightforward",
"streamlined",
"striking",
"strikingly",
"striving",
"strong",
"stronger",
"strongest",
"stunned",
"stunning",
"stunningly",
"stupendous",
"stupendously",
"sturdier",
"sturdy",
"stylish",
"stylishly",
"stylized",
"suave",
"suavely",
"sublime",
"subsidize",
"subsidized",
"subsidizes",
"subsidizing",
"substantive",
"succeed",
"succeeded",
"succeeding",
"succeeds",
"succes",
"success",
"successes",
"successful",
"successfully",
"suffice",
"sufficed",
"suffices",
"sufficient",
"sufficiently",
"suitable",
"sumptuous",
"sumptuously",
"sumptuousness",
"super",
"superb",
"superbly",
"superior",
"superiority",
"supple",
"support",
"supported",
"supporter",
"supporting",
"supportive",
"supports",
"supremacy",
"supreme",
"supremely",
"supurb",
"supurbly",
"surmount",
"surpass",
"surreal",
"survival",
"survivor",
"sustainability",
"sustainable",
"swank",
"swankier",
"swankiest",
"swanky",
"sweeping",
"sweet",
"sweeten",
"sweetheart",
"sweetly",
"sweetness",
"swift",
"swiftness",
"talent",
"talented",
"talents",
"tantalize",
"tantalizing",
"tantalizingly",
"tempt",
"tempting",
"temptingly",
"tenacious",
"tenaciously",
"tenacity",
"tender",
"tenderly",
"terrific",
"terrifically",
"thank",
"thankful",
"thinner",
"thoughtful",
"thoughtfully",
"thoughtfulness",
"thrift",
"thrifty",
"thrill",
"thrilled",
"thrilling",
"thrillingly",
"thrills",
"thrive",
"thriving",
"thumb-up",
"thumbs-up",
"tickle",
"tidy",
"time-honored",
"timely",
"tingle",
"titillate",
"titillating",
"titillatingly",
"togetherness",
"tolerable",
"toll-free",
"top",
"top-notch",
"top-quality",
"topnotch",
"tops",
"tough",
"tougher",
"toughest",
"traction",
"tranquil",
"tranquility",
"transparent",
"treasure",
"tremendously",
"trendy",
"triumph",
"triumphal",
"triumphant",
"triumphantly",
"trivially",
"trophy",
"trouble-free",
"trump",
"trumpet",
"trust",
"trusted",
"trusting",
"trustingly",
"trustworthiness",
"trustworthy",
"trusty",
"truthful",
"truthfully",
"truthfulness",
"twinkly",
"ultra-crisp",
"unabashed",
"unabashedly",
"unaffected",
"unassailable",
"unbeatable",
"unbiased",
"unbound",
"uncomplicated",
"unconditional",
"undamaged",
"undaunted",
"understandable",
"undisputable",
"undisputably",
"undisputed",
"unencumbered",
"unequivocal",
"unequivocally",
"unfazed",
"unfettered",
"unforgettable",
"unity",
"unlimited",
"unmatched",
"unparalleled",
"unquestionable",
"unquestionably",
"unreal",
"unrestricted",
"unrivaled",
"unselfish",
"unwavering",
"upbeat",
"upgradable",
"upgradeable",
"upgraded",
"upheld",
"uphold",
"uplift",
"uplifting",
"upliftingly",
"upliftment",
"upscale",
"usable",
"useable",
"useful",
"user-friendly",
"user-replaceable",
"valiant",
"valiantly",
"valor",
"valuable",
"variety",
"venerate",
"verifiable",
"veritable",
"versatile",
"versatility",
"vibrant",
"vibrantly",
"victorious",
"victory",
"viewable",
"vigilance",
"vigilant",
"virtue",
"virtuous",
"virtuously",
"visionary",
"vivacious",
"vivid",
"vouch",
"vouchsafe",
"warm",
"warmer",
"warmhearted",
"warmly",
"warmth",
"wealthy",
"welcome",
"well",
"well-backlit",
"well-balanced",
"well-behaved",
"well-being",
"well-bred",
"well-connected",
"well-educated",
"well-established",
"well-informed",
"well-intentioned",
"well-known",
"well-made",
"well-managed",
"well-mannered",
"well-positioned",
"well-received",
"well-regarded",
"well-rounded",
"well-run",
"well-wishers",
"wellbeing",
"whoa",
"wholeheartedly",
"wholesome",
"whooa",
"whoooa",
"wieldy",
"willing",
"willingly",
"willingness",
"win",
"windfall",
"winnable",
"winner",
"winners",
"winning",
"wins",
"wisdom",
"wise",
"wisely",
"witty",
"won",
"wonder",
"wonderful",
"wonderfully",
"wonderous",
"wonderously",
"wonders",
"wondrous",
"woo",
"work",
"workable",
"worked",
"works",
"world-famous",
"worth",
"worth-while",
"worthiness",
"worthwhile",
"worthy",
"wow",
"wowed",
"wowing",
"wows",
"yay",
"youthful",
"zeal",
"zenith",
"zest",
"zippy",
}
| positive_words = {'a+', 'abound', 'abounds', 'abundance', 'abundant', 'accessable', 'accessible', 'acclaim', 'acclaimed', 'acclamation', 'accolade', 'accolades', 'accommodative', 'accomodative', 'accomplish', 'accomplished', 'accomplishment', 'accomplishments', 'accurate', 'accurately', 'achievable', 'achievement', 'achievements', 'achievible', 'acumen', 'adaptable', 'adaptive', 'adequate', 'adjustable', 'admirable', 'admirably', 'admiration', 'admire', 'admirer', 'admiring', 'admiringly', 'adorable', 'adore', 'adored', 'adorer', 'adoring', 'adoringly', 'adroit', 'adroitly', 'adulate', 'adulation', 'adulatory', 'advanced', 'advantage', 'advantageous', 'advantageously', 'advantages', 'adventuresome', 'adventurous', 'advocate', 'advocated', 'advocates', 'affability', 'affable', 'affably', 'affectation', 'affection', 'affectionate', 'affinity', 'affirm', 'affirmation', 'affirmative', 'affluence', 'affluent', 'afford', 'affordable', 'affordably', 'afordable', 'agile', 'agilely', 'agility', 'agreeable', 'agreeableness', 'agreeably', 'all-around', 'alluring', 'alluringly', 'altruistic', 'altruistically', 'amaze', 'amazed', 'amazement', 'amazes', 'amazing', 'amazingly', 'ambitious', 'ambitiously', 'ameliorate', 'amenable', 'amenity', 'amiability', 'amiabily', 'amiable', 'amicability', 'amicable', 'amicably', 'amity', 'ample', 'amply', 'amuse', 'amusing', 'amusingly', 'angel', 'angelic', 'apotheosis', 'appeal', 'appealing', 'applaud', 'appreciable', 'appreciate', 'appreciated', 'appreciates', 'appreciative', 'appreciatively', 'appropriate', 'approval', 'approve', 'ardent', 'ardently', 'ardor', 'articulate', 'aspiration', 'aspirations', 'aspire', 'assurance', 'assurances', 'assure', 'assuredly', 'assuring', 'astonish', 'astonished', 'astonishing', 'astonishingly', 'astonishment', 'astound', 'astounded', 'astounding', 'astoundingly', 'astutely', 'attentive', 'attraction', 'attractive', 'attractively', 'attune', 'audible', 'audibly', 'auspicious', 'authentic', 'authoritative', 'autonomous', 'available', 'aver', 'avid', 'avidly', 'award', 'awarded', 'awards', 'awe', 'awed', 'awesome', 'awesomely', 'awesomeness', 'awestruck', 'awsome', 'backbone', 'balanced', 'bargain', 'beauteous', 'beautiful', 'beautifullly', 'beautifully', 'beautify', 'beauty', 'beckon', 'beckoned', 'beckoning', 'beckons', 'believable', 'believeable', 'beloved', 'benefactor', 'beneficent', 'beneficial', 'beneficially', 'beneficiary', 'benefit', 'benefits', 'benevolence', 'benevolent', 'benifits', 'best', 'best-known', 'best-performing', 'best-selling', 'better', 'better-known', 'better-than-expected', 'beutifully', 'blameless', 'bless', 'blessing', 'bliss', 'blissful', 'blissfully', 'blithe', 'blockbuster', 'bloom', 'blossom', 'bolster', 'bonny', 'bonus', 'bonuses', 'boom', 'booming', 'boost', 'boundless', 'bountiful', 'brainiest', 'brainy', 'brand-new', 'brave', 'bravery', 'bravo', 'breakthrough', 'breakthroughs', 'breathlessness', 'breathtaking', 'breathtakingly', 'breeze', 'bright', 'brighten', 'brighter', 'brightest', 'brilliance', 'brilliances', 'brilliant', 'brilliantly', 'brisk', 'brotherly', 'bullish', 'buoyant', 'cajole', 'calm', 'calming', 'calmness', 'capability', 'capable', 'capably', 'captivate', 'captivating', 'carefree', 'cashback', 'cashbacks', 'catchy', 'celebrate', 'celebrated', 'celebration', 'celebratory', 'champ', 'champion', 'charisma', 'charismatic', 'charitable', 'charm', 'charming', 'charmingly', 'chaste', 'cheaper', 'cheapest', 'cheer', 'cheerful', 'cheery', 'cherish', 'cherished', 'cherub', 'chic', 'chivalrous', 'chivalry', 'civility', 'civilize', 'clarity', 'classic', 'classy', 'clean', 'cleaner', 'cleanest', 'cleanliness', 'cleanly', 'clear', 'clear-cut', 'cleared', 'clearer', 'clearly', 'clears', 'clever', 'cleverly', 'cohere', 'coherence', 'coherent', 'cohesive', 'colorful', 'comely', 'comfort', 'comfortable', 'comfortably', 'comforting', 'comfy', 'commend', 'commendable', 'commendably', 'commitment', 'commodious', 'compact', 'compactly', 'compassion', 'compassionate', 'compatible', 'competitive', 'complement', 'complementary', 'complemented', 'complements', 'compliant', 'compliment', 'complimentary', 'comprehensive', 'conciliate', 'conciliatory', 'concise', 'confidence', 'confident', 'congenial', 'congratulate', 'congratulation', 'congratulations', 'congratulatory', 'conscientious', 'considerate', 'consistent', 'consistently', 'constructive', 'consummate', 'contentment', 'continuity', 'contrasty', 'contribution', 'convenience', 'convenient', 'conveniently', 'convience', 'convienient', 'convient', 'convincing', 'convincingly', 'cool', 'coolest', 'cooperative', 'cooperatively', 'cornerstone', 'correct', 'correctly', 'cost-effective', 'cost-saving', 'counter-attack', 'counter-attacks', 'courage', 'courageous', 'courageously', 'courageousness', 'courteous', 'courtly', 'covenant', 'cozy', 'creative', 'credence', 'credible', 'crisp', 'crisper', 'cure', 'cure-all', 'cushy', 'cute', 'cuteness', 'danke', 'danken', 'daring', 'daringly', 'darling', 'dashing', 'dauntless', 'dawn', 'dazzle', 'dazzled', 'dazzling', 'dead-cheap', 'dead-on', 'decency', 'decent', 'decisive', 'decisiveness', 'dedicated', 'defeat', 'defeated', 'defeating', 'defeats', 'defender', 'deference', 'deft', 'deginified', 'delectable', 'delicacy', 'delicate', 'delicious', 'delight', 'delighted', 'delightful', 'delightfully', 'delightfulness', 'dependable', 'dependably', 'deservedly', 'deserving', 'desirable', 'desiring', 'desirous', 'destiny', 'detachable', 'devout', 'dexterous', 'dexterously', 'dextrous', 'dignified', 'dignify', 'dignity', 'diligence', 'diligent', 'diligently', 'diplomatic', 'dirt-cheap', 'distinction', 'distinctive', 'distinguished', 'diversified', 'divine', 'divinely', 'dominate', 'dominated', 'dominates', 'dote', 'dotingly', 'doubtless', 'dreamland', 'dumbfounded', 'dumbfounding', 'dummy-proof', 'durable', 'dynamic', 'eager', 'eagerly', 'eagerness', 'earnest', 'earnestly', 'earnestness', 'ease', 'eased', 'eases', 'easier', 'easiest', 'easiness', 'easing', 'easy', 'easy-to-use', 'easygoing', 'ebullience', 'ebullient', 'ebulliently', 'ecenomical', 'economical', 'ecstasies', 'ecstasy', 'ecstatic', 'ecstatically', 'edify', 'educated', 'effective', 'effectively', 'effectiveness', 'effectual', 'efficacious', 'efficient', 'efficiently', 'effortless', 'effortlessly', 'effusion', 'effusive', 'effusively', 'effusiveness', 'elan', 'elate', 'elated', 'elatedly', 'elation', 'electrify', 'elegance', 'elegant', 'elegantly', 'elevate', 'elite', 'eloquence', 'eloquent', 'eloquently', 'embolden', 'eminence', 'eminent', 'empathize', 'empathy', 'empower', 'empowerment', 'enchant', 'enchanted', 'enchanting', 'enchantingly', 'encourage', 'encouragement', 'encouraging', 'encouragingly', 'endear', 'endearing', 'endorse', 'endorsed', 'endorsement', 'endorses', 'endorsing', 'energetic', 'energize', 'energy-efficient', 'energy-saving', 'engaging', 'engrossing', 'enhance', 'enhanced', 'enhancement', 'enhances', 'enjoy', 'enjoyable', 'enjoyably', 'enjoyed', 'enjoying', 'enjoyment', 'enjoys', 'enlighten', 'enlightenment', 'enliven', 'ennoble', 'enough', 'enrapt', 'enrapture', 'enraptured', 'enrich', 'enrichment', 'enterprising', 'entertain', 'entertaining', 'entertains', 'enthral', 'enthrall', 'enthralled', 'enthuse', 'enthusiasm', 'enthusiast', 'enthusiastic', 'enthusiastically', 'entice', 'enticed', 'enticing', 'enticingly', 'entranced', 'entrancing', 'entrust', 'enviable', 'enviably', 'envious', 'enviously', 'enviousness', 'envy', 'equitable', 'ergonomical', 'err-free', 'erudite', 'ethical', 'eulogize', 'euphoria', 'euphoric', 'euphorically', 'evaluative', 'evenly', 'eventful', 'everlasting', 'evocative', 'exalt', 'exaltation', 'exalted', 'exaltedly', 'exalting', 'exaltingly', 'examplar', 'examplary', 'excallent', 'exceed', 'exceeded', 'exceeding', 'exceedingly', 'exceeds', 'excel', 'exceled', 'excelent', 'excellant', 'excelled', 'excellence', 'excellency', 'excellent', 'excellently', 'excels', 'exceptional', 'exceptionally', 'excite', 'excited', 'excitedly', 'excitedness', 'excitement', 'excites', 'exciting', 'excitingly', 'exellent', 'exemplar', 'exemplary', 'exhilarate', 'exhilarating', 'exhilaratingly', 'exhilaration', 'exonerate', 'expansive', 'expeditiously', 'expertly', 'exquisite', 'exquisitely', 'extol', 'extoll', 'extraordinarily', 'extraordinary', 'exuberance', 'exuberant', 'exuberantly', 'exult', 'exultant', 'exultation', 'exultingly', 'eye-catch', 'eye-catching', 'eyecatch', 'eyecatching', 'fabulous', 'fabulously', 'facilitate', 'fair', 'fairly', 'fairness', 'faith', 'faithful', 'faithfully', 'faithfulness', 'fame', 'famed', 'famous', 'famously', 'fancier', 'fancinating', 'fancy', 'fanfare', 'fans', 'fantastic', 'fantastically', 'fascinate', 'fascinating', 'fascinatingly', 'fascination', 'fashionable', 'fashionably', 'fast', 'fast-growing', 'fast-paced', 'faster', 'fastest', 'fastest-growing', 'faultless', 'fav', 'fave', 'favor', 'favorable', 'favored', 'favorite', 'favorited', 'favour', 'fearless', 'fearlessly', 'feasible', 'feasibly', 'feat', 'feature-rich', 'fecilitous', 'feisty', 'felicitate', 'felicitous', 'felicity', 'fertile', 'fervent', 'fervently', 'fervid', 'fervidly', 'fervor', 'festive', 'fidelity', 'fiery', 'fine', 'fine-looking', 'finely', 'finer', 'finest', 'firmer', 'first-class', 'first-in-class', 'first-rate', 'flashy', 'flatter', 'flattering', 'flatteringly', 'flawless', 'flawlessly', 'flexibility', 'flexible', 'flourish', 'flourishing', 'fluent', 'flutter', 'fond', 'fondly', 'fondness', 'foolproof', 'foremost', 'foresight', 'formidable', 'fortitude', 'fortuitous', 'fortuitously', 'fortunate', 'fortunately', 'fortune', 'fragrant', 'free', 'freed', 'freedom', 'freedoms', 'fresh', 'fresher', 'freshest', 'friendliness', 'friendly', 'frolic', 'frugal', 'fruitful', 'ftw', 'fulfillment', 'fun', 'futurestic', 'futuristic', 'gaiety', 'gaily', 'gain', 'gained', 'gainful', 'gainfully', 'gaining', 'gains', 'gallant', 'gallantly', 'galore', 'geekier', 'geeky', 'gem', 'gems', 'generosity', 'generous', 'generously', 'genial', 'genius', 'gentle', 'gentlest', 'genuine', 'gifted', 'glad', 'gladden', 'gladly', 'gladness', 'glamorous', 'glee', 'gleeful', 'gleefully', 'glimmer', 'glimmering', 'glisten', 'glistening', 'glitter', 'glitz', 'glorify', 'glorious', 'gloriously', 'glory', 'glow', 'glowing', 'glowingly', 'god-given', 'god-send', 'godlike', 'godsend', 'gold', 'golden', 'good', 'goodly', 'goodness', 'goodwill', 'goood', 'gooood', 'gorgeous', 'gorgeously', 'grace', 'graceful', 'gracefully', 'gracious', 'graciously', 'graciousness', 'grand', 'grandeur', 'grateful', 'gratefully', 'gratification', 'gratified', 'gratifies', 'gratify', 'gratifying', 'gratifyingly', 'gratitude', 'great', 'greatest', 'greatness', 'grin', 'groundbreaking', 'guarantee', 'guidance', 'guiltless', 'gumption', 'gush', 'gusto', 'gutsy', 'hail', 'halcyon', 'hale', 'hallmark', 'hallmarks', 'hallowed', 'handier', 'handily', 'hands-down', 'handsome', 'handsomely', 'handy', 'happier', 'happily', 'happiness', 'happy', 'hard-working', 'hardier', 'hardy', 'harmless', 'harmonious', 'harmoniously', 'harmonize', 'harmony', 'headway', 'heal', 'healthful', 'healthy', 'hearten', 'heartening', 'heartfelt', 'heartily', 'heartwarming', 'heaven', 'heavenly', 'helped', 'helpful', 'helping', 'hero', 'heroic', 'heroically', 'heroine', 'heroize', 'heros', 'high-quality', 'high-spirited', 'hilarious', 'holy', 'homage', 'honest', 'honesty', 'honor', 'honorable', 'honored', 'honoring', 'hooray', 'hopeful', 'hospitable', 'hot', 'hotcake', 'hotcakes', 'hottest', 'hug', 'humane', 'humble', 'humility', 'humor', 'humorous', 'humorously', 'humour', 'humourous', 'ideal', 'idealize', 'ideally', 'idol', 'idolize', 'idolized', 'idyllic', 'illuminate', 'illuminati', 'illuminating', 'illumine', 'illustrious', 'ilu', 'imaculate', 'imaginative', 'immaculate', 'immaculately', 'immense', 'impartial', 'impartiality', 'impartially', 'impassioned', 'impeccable', 'impeccably', 'important', 'impress', 'impressed', 'impresses', 'impressive', 'impressively', 'impressiveness', 'improve', 'improved', 'improvement', 'improvements', 'improves', 'improving', 'incredible', 'incredibly', 'indebted', 'individualized', 'indulgence', 'indulgent', 'industrious', 'inestimable', 'inestimably', 'inexpensive', 'infallibility', 'infallible', 'infallibly', 'influential', 'ingenious', 'ingeniously', 'ingenuity', 'ingenuous', 'ingenuously', 'innocuous', 'innovation', 'innovative', 'inpressed', 'insightful', 'insightfully', 'inspiration', 'inspirational', 'inspire', 'inspiring', 'instantly', 'instructive', 'instrumental', 'integral', 'integrated', 'intelligence', 'intelligent', 'intelligible', 'interesting', 'interests', 'intimacy', 'intimate', 'intricate', 'intrigue', 'intriguing', 'intriguingly', 'intuitive', 'invaluable', 'invaluablely', 'inventive', 'invigorate', 'invigorating', 'invincibility', 'invincible', 'inviolable', 'inviolate', 'invulnerable', 'irreplaceable', 'irreproachable', 'irresistible', 'irresistibly', 'issue-free', 'jaw-droping', 'jaw-dropping', 'jollify', 'jolly', 'jovial', 'joy', 'joyful', 'joyfully', 'joyous', 'joyously', 'jubilant', 'jubilantly', 'jubilate', 'jubilation', 'jubiliant', 'judicious', 'justly', 'keen', 'keenly', 'keenness', 'kid-friendly', 'kindliness', 'kindly', 'kindness', 'knowledgeable', 'kudos', 'large-capacity', 'laud', 'laudable', 'laudably', 'lavish', 'lavishly', 'law-abiding', 'lawful', 'lawfully', 'lead', 'leading', 'leads', 'lean', 'led', 'legendary', 'leverage', 'levity', 'liberate', 'liberation', 'liberty', 'lifesaver', 'light-hearted', 'lighter', 'likable', 'like', 'liked', 'likes', 'liking', 'lionhearted', 'lively', 'logical', 'long-lasting', 'lovable', 'lovably', 'love', 'loved', 'loveliness', 'lovely', 'lover', 'loves', 'loving', 'low-cost', 'low-price', 'low-priced', 'low-risk', 'lower-priced', 'loyal', 'loyalty', 'lucid', 'lucidly', 'luck', 'luckier', 'luckiest', 'luckiness', 'lucky', 'lucrative', 'luminous', 'lush', 'luster', 'lustrous', 'luxuriant', 'luxuriate', 'luxurious', 'luxuriously', 'luxury', 'lyrical', 'magic', 'magical', 'magnanimous', 'magnanimously', 'magnificence', 'magnificent', 'magnificently', 'majestic', 'majesty', 'manageable', 'maneuverable', 'marvel', 'marveled', 'marvelled', 'marvellous', 'marvelous', 'marvelously', 'marvelousness', 'marvels', 'master', 'masterful', 'masterfully', 'masterpiece', 'masterpieces', 'masters', 'mastery', 'matchless', 'mature', 'maturely', 'maturity', 'meaningful', 'memorable', 'merciful', 'mercifully', 'mercy', 'merit', 'meritorious', 'merrily', 'merriment', 'merriness', 'merry', 'mesmerize', 'mesmerized', 'mesmerizes', 'mesmerizing', 'mesmerizingly', 'meticulous', 'meticulously', 'mightily', 'mighty', 'mind-blowing', 'miracle', 'miracles', 'miraculous', 'miraculously', 'miraculousness', 'modern', 'modest', 'modesty', 'momentous', 'monumental', 'monumentally', 'morality', 'motivated', 'multi-purpose', 'navigable', 'neat', 'neatest', 'neatly', 'nice', 'nicely', 'nicer', 'nicest', 'nifty', 'nimble', 'noble', 'nobly', 'noiseless', 'non-violence', 'non-violent', 'notably', 'noteworthy', 'nourish', 'nourishing', 'nourishment', 'novelty', 'nurturing', 'oasis', 'obsession', 'obsessions', 'obtainable', 'openly', 'openness', 'optimal', 'optimism', 'optimistic', 'opulent', 'orderly', 'originality', 'outdo', 'outdone', 'outperform', 'outperformed', 'outperforming', 'outperforms', 'outshine', 'outshone', 'outsmart', 'outstanding', 'outstandingly', 'outstrip', 'outwit', 'ovation', 'overjoyed', 'overtake', 'overtaken', 'overtakes', 'overtaking', 'overtook', 'overture', 'pain-free', 'painless', 'painlessly', 'palatial', 'pamper', 'pampered', 'pamperedly', 'pamperedness', 'pampers', 'panoramic', 'paradise', 'paramount', 'pardon', 'passion', 'passionate', 'passionately', 'patience', 'patient', 'patiently', 'patriot', 'patriotic', 'peace', 'peaceable', 'peaceful', 'peacefully', 'peacekeepers', 'peach', 'peerless', 'pep', 'pepped', 'pepping', 'peppy', 'peps', 'perfect', 'perfection', 'perfectly', 'permissible', 'perseverance', 'persevere', 'personages', 'personalized', 'phenomenal', 'phenomenally', 'picturesque', 'piety', 'pinnacle', 'playful', 'playfully', 'pleasant', 'pleasantly', 'pleased', 'pleases', 'pleasing', 'pleasingly', 'pleasurable', 'pleasurably', 'pleasure', 'plentiful', 'pluses', 'plush', 'plusses', 'poetic', 'poeticize', 'poignant', 'poise', 'poised', 'polished', 'polite', 'politeness', 'popular', 'portable', 'posh', 'positive', 'positively', 'positives', 'powerful', 'powerfully', 'praise', 'praiseworthy', 'praising', 'pre-eminent', 'precious', 'precise', 'precisely', 'preeminent', 'prefer', 'preferable', 'preferably', 'prefered', 'preferes', 'preferring', 'prefers', 'premier', 'prestige', 'prestigious', 'prettily', 'pretty', 'priceless', 'pride', 'principled', 'privilege', 'privileged', 'prize', 'proactive', 'problem-free', 'problem-solver', 'prodigious', 'prodigiously', 'prodigy', 'productive', 'productively', 'proficient', 'proficiently', 'profound', 'profoundly', 'profuse', 'profusion', 'progress', 'progressive', 'prolific', 'prominence', 'prominent', 'promise', 'promised', 'promises', 'promising', 'promoter', 'prompt', 'promptly', 'proper', 'properly', 'propitious', 'propitiously', 'pros', 'prosper', 'prosperity', 'prosperous', 'prospros', 'protect', 'protection', 'protective', 'proud', 'proven', 'proves', 'providence', 'proving', 'prowess', 'prudence', 'prudent', 'prudently', 'punctual', 'pure', 'purify', 'purposeful', 'quaint', 'qualified', 'qualify', 'quicker', 'quiet', 'quieter', 'radiance', 'radiant', 'rapid', 'rapport', 'rapt', 'rapture', 'raptureous', 'raptureously', 'rapturous', 'rapturously', 'rational', 'razor-sharp', 'reachable', 'readable', 'readily', 'ready', 'reaffirm', 'reaffirmation', 'realistic', 'realizable', 'reasonable', 'reasonably', 'reasoned', 'reassurance', 'reassure', 'receptive', 'reclaim', 'recomend', 'recommend', 'recommendation', 'recommendations', 'recommended', 'reconcile', 'reconciliation', 'record-setting', 'recover', 'recovery', 'rectification', 'rectify', 'rectifying', 'redeem', 'redeeming', 'redemption', 'refine', 'refined', 'refinement', 'reform', 'reformed', 'reforming', 'reforms', 'refresh', 'refreshed', 'refreshing', 'refund', 'refunded', 'regal', 'regally', 'regard', 'rejoice', 'rejoicing', 'rejoicingly', 'rejuvenate', 'rejuvenated', 'rejuvenating', 'relaxed', 'relent', 'reliable', 'reliably', 'relief', 'relish', 'remarkable', 'remarkably', 'remedy', 'remission', 'remunerate', 'renaissance', 'renewed', 'renown', 'renowned', 'replaceable', 'reputable', 'reputation', 'resilient', 'resolute', 'resound', 'resounding', 'resourceful', 'resourcefulness', 'respect', 'respectable', 'respectful', 'respectfully', 'respite', 'resplendent', 'responsibly', 'responsive', 'restful', 'restored', 'restructure', 'restructured', 'restructuring', 'retractable', 'revel', 'revelation', 'revere', 'reverence', 'reverent', 'reverently', 'revitalize', 'revival', 'revive', 'revives', 'revolutionary', 'revolutionize', 'revolutionized', 'revolutionizes', 'reward', 'rewarding', 'rewardingly', 'rich', 'richer', 'richly', 'richness', 'right', 'righten', 'righteous', 'righteously', 'righteousness', 'rightful', 'rightfully', 'rightly', 'rightness', 'risk-free', 'robust', 'rock-star', 'rock-stars', 'rockstar', 'rockstars', 'romantic', 'romantically', 'romanticize', 'roomier', 'roomy', 'rosy', 'safe', 'safely', 'sagacity', 'sagely', 'saint', 'saintliness', 'saintly', 'salutary', 'salute', 'sane', 'satisfactorily', 'satisfactory', 'satisfied', 'satisfies', 'satisfy', 'satisfying', 'satisified', 'saver', 'savings', 'savior', 'savvy', 'scenic', 'seamless', 'seasoned', 'secure', 'securely', 'selective', 'self-determination', 'self-respect', 'self-satisfaction', 'self-sufficiency', 'self-sufficient', 'sensation', 'sensational', 'sensationally', 'sensations', 'sensible', 'sensibly', 'sensitive', 'serene', 'serenity', 'sexy', 'sharp', 'sharper', 'sharpest', 'shimmering', 'shimmeringly', 'shine', 'shiny', 'significant', 'silent', 'simpler', 'simplest', 'simplified', 'simplifies', 'simplify', 'simplifying', 'sincere', 'sincerely', 'sincerity', 'skill', 'skilled', 'skillful', 'skillfully', 'slammin', 'sleek', 'slick', 'smart', 'smarter', 'smartest', 'smartly', 'smile', 'smiles', 'smiling', 'smilingly', 'smitten', 'smooth', 'smoother', 'smoothes', 'smoothest', 'smoothly', 'snappy', 'snazzy', 'sociable', 'soft', 'softer', 'solace', 'solicitous', 'solicitously', 'solid', 'solidarity', 'soothe', 'soothingly', 'sophisticated', 'soulful', 'soundly', 'soundness', 'spacious', 'sparkle', 'sparkling', 'spectacular', 'spectacularly', 'speedily', 'speedy', 'spellbind', 'spellbinding', 'spellbindingly', 'spellbound', 'spirited', 'spiritual', 'splendid', 'splendidly', 'splendor', 'spontaneous', 'sporty', 'spotless', 'sprightly', 'stability', 'stabilize', 'stable', 'stainless', 'standout', 'state-of-the-art', 'stately', 'statuesque', 'staunch', 'staunchly', 'staunchness', 'steadfast', 'steadfastly', 'steadfastness', 'steadiest', 'steadiness', 'steady', 'stellar', 'stellarly', 'stimulate', 'stimulates', 'stimulating', 'stimulative', 'stirringly', 'straighten', 'straightforward', 'streamlined', 'striking', 'strikingly', 'striving', 'strong', 'stronger', 'strongest', 'stunned', 'stunning', 'stunningly', 'stupendous', 'stupendously', 'sturdier', 'sturdy', 'stylish', 'stylishly', 'stylized', 'suave', 'suavely', 'sublime', 'subsidize', 'subsidized', 'subsidizes', 'subsidizing', 'substantive', 'succeed', 'succeeded', 'succeeding', 'succeeds', 'succes', 'success', 'successes', 'successful', 'successfully', 'suffice', 'sufficed', 'suffices', 'sufficient', 'sufficiently', 'suitable', 'sumptuous', 'sumptuously', 'sumptuousness', 'super', 'superb', 'superbly', 'superior', 'superiority', 'supple', 'support', 'supported', 'supporter', 'supporting', 'supportive', 'supports', 'supremacy', 'supreme', 'supremely', 'supurb', 'supurbly', 'surmount', 'surpass', 'surreal', 'survival', 'survivor', 'sustainability', 'sustainable', 'swank', 'swankier', 'swankiest', 'swanky', 'sweeping', 'sweet', 'sweeten', 'sweetheart', 'sweetly', 'sweetness', 'swift', 'swiftness', 'talent', 'talented', 'talents', 'tantalize', 'tantalizing', 'tantalizingly', 'tempt', 'tempting', 'temptingly', 'tenacious', 'tenaciously', 'tenacity', 'tender', 'tenderly', 'terrific', 'terrifically', 'thank', 'thankful', 'thinner', 'thoughtful', 'thoughtfully', 'thoughtfulness', 'thrift', 'thrifty', 'thrill', 'thrilled', 'thrilling', 'thrillingly', 'thrills', 'thrive', 'thriving', 'thumb-up', 'thumbs-up', 'tickle', 'tidy', 'time-honored', 'timely', 'tingle', 'titillate', 'titillating', 'titillatingly', 'togetherness', 'tolerable', 'toll-free', 'top', 'top-notch', 'top-quality', 'topnotch', 'tops', 'tough', 'tougher', 'toughest', 'traction', 'tranquil', 'tranquility', 'transparent', 'treasure', 'tremendously', 'trendy', 'triumph', 'triumphal', 'triumphant', 'triumphantly', 'trivially', 'trophy', 'trouble-free', 'trump', 'trumpet', 'trust', 'trusted', 'trusting', 'trustingly', 'trustworthiness', 'trustworthy', 'trusty', 'truthful', 'truthfully', 'truthfulness', 'twinkly', 'ultra-crisp', 'unabashed', 'unabashedly', 'unaffected', 'unassailable', 'unbeatable', 'unbiased', 'unbound', 'uncomplicated', 'unconditional', 'undamaged', 'undaunted', 'understandable', 'undisputable', 'undisputably', 'undisputed', 'unencumbered', 'unequivocal', 'unequivocally', 'unfazed', 'unfettered', 'unforgettable', 'unity', 'unlimited', 'unmatched', 'unparalleled', 'unquestionable', 'unquestionably', 'unreal', 'unrestricted', 'unrivaled', 'unselfish', 'unwavering', 'upbeat', 'upgradable', 'upgradeable', 'upgraded', 'upheld', 'uphold', 'uplift', 'uplifting', 'upliftingly', 'upliftment', 'upscale', 'usable', 'useable', 'useful', 'user-friendly', 'user-replaceable', 'valiant', 'valiantly', 'valor', 'valuable', 'variety', 'venerate', 'verifiable', 'veritable', 'versatile', 'versatility', 'vibrant', 'vibrantly', 'victorious', 'victory', 'viewable', 'vigilance', 'vigilant', 'virtue', 'virtuous', 'virtuously', 'visionary', 'vivacious', 'vivid', 'vouch', 'vouchsafe', 'warm', 'warmer', 'warmhearted', 'warmly', 'warmth', 'wealthy', 'welcome', 'well', 'well-backlit', 'well-balanced', 'well-behaved', 'well-being', 'well-bred', 'well-connected', 'well-educated', 'well-established', 'well-informed', 'well-intentioned', 'well-known', 'well-made', 'well-managed', 'well-mannered', 'well-positioned', 'well-received', 'well-regarded', 'well-rounded', 'well-run', 'well-wishers', 'wellbeing', 'whoa', 'wholeheartedly', 'wholesome', 'whooa', 'whoooa', 'wieldy', 'willing', 'willingly', 'willingness', 'win', 'windfall', 'winnable', 'winner', 'winners', 'winning', 'wins', 'wisdom', 'wise', 'wisely', 'witty', 'won', 'wonder', 'wonderful', 'wonderfully', 'wonderous', 'wonderously', 'wonders', 'wondrous', 'woo', 'work', 'workable', 'worked', 'works', 'world-famous', 'worth', 'worth-while', 'worthiness', 'worthwhile', 'worthy', 'wow', 'wowed', 'wowing', 'wows', 'yay', 'youthful', 'zeal', 'zenith', 'zest', 'zippy'} |
class Device:
def __init__(self, name, ise_id, address, device_type):
self.name = name
self.ise_id = ise_id
self.address = address
self.device_type = device_type
def get_name(self):
return self.name
def get_ise_id(self):
return self.ise_id
def get_address(self):
return self.address
def get_device_type(self):
return self.device_type
def is_id_in_channels(self, ise_id):
if ise_id in self.channels:
return True
else:
return False
def tostring(self):
return "device: {0:40} | ise_id: {1:4} | address: {2:14} | device_type: {3:10}".format(self.name, self.ise_id, self.address, self.device_type)
def __str__(self):
return self.tostring()
| class Device:
def __init__(self, name, ise_id, address, device_type):
self.name = name
self.ise_id = ise_id
self.address = address
self.device_type = device_type
def get_name(self):
return self.name
def get_ise_id(self):
return self.ise_id
def get_address(self):
return self.address
def get_device_type(self):
return self.device_type
def is_id_in_channels(self, ise_id):
if ise_id in self.channels:
return True
else:
return False
def tostring(self):
return 'device: {0:40} | ise_id: {1:4} | address: {2:14} | device_type: {3:10}'.format(self.name, self.ise_id, self.address, self.device_type)
def __str__(self):
return self.tostring() |
c.TemplateExporter.exclude_input = True
c.Exporter.preprocessors = ['literacy.Execute']
#c.Exporter.preprocessors = ['literacy.template.Execute'] | c.TemplateExporter.exclude_input = True
c.Exporter.preprocessors = ['literacy.Execute'] |
class Crc8:
def __init__(s):
s.crc=255
def hash(s,int_list):
for i in int_list:
s.addVal(i)
return s.crc
def addVal(s,n):
crc = s.crc
for bit in range(0,8):
if ( n ^ crc ) & 0x80:
crc = ( crc << 1 ) ^ 0x31
else:
crc = ( crc << 1 )
n = n << 1
s.crc = crc & 0xFF
return s.crc
#print(Crc8().hash([1,144]))
#print(hex(Crc8().hash([0xBE, 0xEF])))
#[1, 144, 76, 0, 6, 39]
| class Crc8:
def __init__(s):
s.crc = 255
def hash(s, int_list):
for i in int_list:
s.addVal(i)
return s.crc
def add_val(s, n):
crc = s.crc
for bit in range(0, 8):
if (n ^ crc) & 128:
crc = crc << 1 ^ 49
else:
crc = crc << 1
n = n << 1
s.crc = crc & 255
return s.crc |
class Service:
@staticmethod
def ulr_identification(user_data):
url = user_data["url"]
return url
@staticmethod
def location(user_data):
lat = user_data["lat"]
lon = user_data["lon"]
return lat, lon
| class Service:
@staticmethod
def ulr_identification(user_data):
url = user_data['url']
return url
@staticmethod
def location(user_data):
lat = user_data['lat']
lon = user_data['lon']
return (lat, lon) |
# Chapter05_01
# Python Function
# Python Function and lambda
# How to defeine Function
# def function_name(parameter):
# code
# Ex1
def first_func(w):
print('Hello, ', w)
word = 'Goodboy'
first_func(word)
# Ex2
def return_func(w1):
value = 'Hello, ' + str(w1)
return value
x = return_func('Goodboy2')
print(x)
# Ex3 Multiple returns
def func_mul(x):
y1 = x*10
y2 = x*20
y3 = x*30
return y1, y2, y3
x, y, z = func_mul(10)
print(x, y, z)
def func_mul2(x):
y1 = x*10
y2 = x*20
y3 = x*30
return (y1, y2, y3)
q = func_mul2(20)
print(type(q), q, list(q))
# Return List
def func_mul3(x):
y1 = x*10
y2 = x*20
y3 = x*30
return [y1, y2, y3]
p = func_mul3(30)
print(type(p), p, set(p))
def func_mul4(x):
y1 = x*10
y2 = x*20
y3 = x*30
return {'v1': y1, 'v2': y2, 'v3': y3}
d = func_mul4(30)
print(type(d), d, d.get('v2'), d.items(), d.keys())
# Important
# *args, **kwargs
# *args(Unpacking) Tuple
def args_func(*args): # No problem with arguments
for i, v in enumerate(args):
print('Result : {}'.format(i), v)
print('------')
args_func('Lee')
args_func('Lee', 'Park')
args_func('Lee', 'Park', 'Kim')
# **kwargs(Unpacking) Dictionary
def kwargs_func(**kwargs): # No problem with arguments
for v in kwargs.keys():
print("{}".format(v), kwargs[v])
print('------')
kwargs_func(name1='Lee')
kwargs_func(name1='Lee', name2='Park')
kwargs_func(name1='Lee', name2='Park', name3='Kim')
# Whole mix
def example(args_1, args_2, *args, **kwargs):
print(args_1, args_2, args, kwargs)
example(10, 20, 'Lee', 'Kim', 'Park', age1=20, age2=30, age3=40)
# Nested function
def nested_func(num):
def func_in_func(num):
print(num)
print('In func')
func_in_func(num+100)
nested_func(100)
# func_in_func (Cannot use)
# lambda Example
# Memory savings, readability improvements, code snippets
# Function create object -> allocate resources (memory)
# Lambda immediately executes function (Heap initialization) -> memory initialization
# Reduced readability
# def mul_func(x, y):
# return x*y
# lambda x, y: x*y
def mul_func(x, y):
return x*y
print(mul_func(10, 50))
mul_func_var = mul_func
print(mul_func_var(20, 50))
# lambda_mul_func=lambda x,y:x*y
# print(lambda_mul_func(50, 50))
def func_final(x, y, func):
print(x*y*func(100, 100))
func_final(10, 20, lambda x, y: x*y)
| def first_func(w):
print('Hello, ', w)
word = 'Goodboy'
first_func(word)
def return_func(w1):
value = 'Hello, ' + str(w1)
return value
x = return_func('Goodboy2')
print(x)
def func_mul(x):
y1 = x * 10
y2 = x * 20
y3 = x * 30
return (y1, y2, y3)
(x, y, z) = func_mul(10)
print(x, y, z)
def func_mul2(x):
y1 = x * 10
y2 = x * 20
y3 = x * 30
return (y1, y2, y3)
q = func_mul2(20)
print(type(q), q, list(q))
def func_mul3(x):
y1 = x * 10
y2 = x * 20
y3 = x * 30
return [y1, y2, y3]
p = func_mul3(30)
print(type(p), p, set(p))
def func_mul4(x):
y1 = x * 10
y2 = x * 20
y3 = x * 30
return {'v1': y1, 'v2': y2, 'v3': y3}
d = func_mul4(30)
print(type(d), d, d.get('v2'), d.items(), d.keys())
def args_func(*args):
for (i, v) in enumerate(args):
print('Result : {}'.format(i), v)
print('------')
args_func('Lee')
args_func('Lee', 'Park')
args_func('Lee', 'Park', 'Kim')
def kwargs_func(**kwargs):
for v in kwargs.keys():
print('{}'.format(v), kwargs[v])
print('------')
kwargs_func(name1='Lee')
kwargs_func(name1='Lee', name2='Park')
kwargs_func(name1='Lee', name2='Park', name3='Kim')
def example(args_1, args_2, *args, **kwargs):
print(args_1, args_2, args, kwargs)
example(10, 20, 'Lee', 'Kim', 'Park', age1=20, age2=30, age3=40)
def nested_func(num):
def func_in_func(num):
print(num)
print('In func')
func_in_func(num + 100)
nested_func(100)
def mul_func(x, y):
return x * y
print(mul_func(10, 50))
mul_func_var = mul_func
print(mul_func_var(20, 50))
def func_final(x, y, func):
print(x * y * func(100, 100))
func_final(10, 20, lambda x, y: x * y) |
class DistcoveryException(Exception):
def __init__(self, **kwargs):
super(DistcoveryException, self). \
__init__(self.template % kwargs)
class NoMoreAttempts(DistcoveryException):
template = 'Coudn\'t create unique name with %(length)d ' \
'digit%(length_suffix)s in %(limit)d attemt%(limit_suffix)s.'
def __init__(self, limit, length):
super(NoMoreAttempts, self). \
__init__(length=length, length_suffix=self.number_suffix(length),
limit=limit, limit_suffix=self.number_suffix(limit))
@staticmethod
def number_suffix(number):
return 's' if number > 1 else ''
class InvalidTestRoot(DistcoveryException):
template = 'Can\'t run tests outside current directory. ' \
'Tests directory: "%(tests)s". Current directory: "%(current)s".'
def __init__(self, tests, current):
super(InvalidTestRoot, self). \
__init__(tests=tests, current=current)
class NoTestModulesException(DistcoveryException):
template = 'Couldn\'t find any test module. Make sure that path ' \
'"%(path)s" contains any valid python module named ' \
'"test_*.py" or package "test_*".'
def __init__(self, path):
super(NoTestModulesException, self). \
__init__(path=path)
class UnknownModulesException(DistcoveryException):
template = 'Unknown module%(suffix)s: %(modules)s.'
def __init__(self, modules):
modules, suffix = self.stringify_list(modules)
super(UnknownModulesException, self). \
__init__(modules=modules, suffix=suffix)
@staticmethod
def stringify_list(items):
last = '"%s"' % items[-1]
if len(items) > 1:
return '"%s" and %s' % ('", "'.join(items[:-1]), last), 's'
return last, ''
| class Distcoveryexception(Exception):
def __init__(self, **kwargs):
super(DistcoveryException, self).__init__(self.template % kwargs)
class Nomoreattempts(DistcoveryException):
template = "Coudn't create unique name with %(length)d digit%(length_suffix)s in %(limit)d attemt%(limit_suffix)s."
def __init__(self, limit, length):
super(NoMoreAttempts, self).__init__(length=length, length_suffix=self.number_suffix(length), limit=limit, limit_suffix=self.number_suffix(limit))
@staticmethod
def number_suffix(number):
return 's' if number > 1 else ''
class Invalidtestroot(DistcoveryException):
template = 'Can\'t run tests outside current directory. Tests directory: "%(tests)s". Current directory: "%(current)s".'
def __init__(self, tests, current):
super(InvalidTestRoot, self).__init__(tests=tests, current=current)
class Notestmodulesexception(DistcoveryException):
template = 'Couldn\'t find any test module. Make sure that path "%(path)s" contains any valid python module named "test_*.py" or package "test_*".'
def __init__(self, path):
super(NoTestModulesException, self).__init__(path=path)
class Unknownmodulesexception(DistcoveryException):
template = 'Unknown module%(suffix)s: %(modules)s.'
def __init__(self, modules):
(modules, suffix) = self.stringify_list(modules)
super(UnknownModulesException, self).__init__(modules=modules, suffix=suffix)
@staticmethod
def stringify_list(items):
last = '"%s"' % items[-1]
if len(items) > 1:
return ('"%s" and %s' % ('", "'.join(items[:-1]), last), 's')
return (last, '') |
__all__ = ["COMPRESSIONS"]
COMPRESSIONS = {
# gz
".gz": "gz",
".tgz": "gz",
# xz
".xz": "xz",
".txz": "xz",
# bz2
".bz2": "bz2",
".tbz": "bz2",
".tbz2": "bz2",
".tb2": "bz2",
# zst
".zst": "zst",
".tzst": "zst",
}
| __all__ = ['COMPRESSIONS']
compressions = {'.gz': 'gz', '.tgz': 'gz', '.xz': 'xz', '.txz': 'xz', '.bz2': 'bz2', '.tbz': 'bz2', '.tbz2': 'bz2', '.tb2': 'bz2', '.zst': 'zst', '.tzst': 'zst'} |
def count_1478(digits, output):
sum = 0
if len(digits) == 10 and len(output) == 4:
digit_sets = [set()] * 10
for digit in digits:
if len(digit) == 2:
digit_sets[1] = set(digit)
elif len(digit) == 3:
digit_sets[7] = set(digit)
elif len(digit) == 4:
digit_sets[4] = set(digit)
elif len(digit) == 7:
digit_sets[8] = set(digit)
for output_digit in output:
if set(output_digit) in digit_sets:
sum += 1
return sum
def main():
lines = open('input.txt', 'r').readlines()
sum_1478 = 0
for line in lines:
digits, output = line.split(' | ')
sum_1478 += count_1478(digits.split(), output.split())
print('Number of 1s, 4s, 7s and 8s in output: ' + str(sum_1478))
if __name__ == '__main__':
main()
| def count_1478(digits, output):
sum = 0
if len(digits) == 10 and len(output) == 4:
digit_sets = [set()] * 10
for digit in digits:
if len(digit) == 2:
digit_sets[1] = set(digit)
elif len(digit) == 3:
digit_sets[7] = set(digit)
elif len(digit) == 4:
digit_sets[4] = set(digit)
elif len(digit) == 7:
digit_sets[8] = set(digit)
for output_digit in output:
if set(output_digit) in digit_sets:
sum += 1
return sum
def main():
lines = open('input.txt', 'r').readlines()
sum_1478 = 0
for line in lines:
(digits, output) = line.split(' | ')
sum_1478 += count_1478(digits.split(), output.split())
print('Number of 1s, 4s, 7s and 8s in output: ' + str(sum_1478))
if __name__ == '__main__':
main() |
#
# This file is part of pysnmp software.
#
# Copyright (c) 2005-2018, Ilya Etingof <etingof@gmail.com>
# License: http://snmplabs.com/pysnmp/license.html
#
# PySNMP MIB module SNMP-NOTIFICATION-MIB (http://snmplabs.com/pysnmp)
# ASN.1 source http://mibs.snmplabs.com:80/asn1/SNMP-NOTIFICATION-MIB
# Produced by pysmi-0.1.3 at Tue Apr 18 00:41:37 2017
# On host grommit.local platform Darwin version 16.4.0 by user ilya
# Using Python version 3.4.2 (v3.4.2:ab2c023a9432, Oct 5 2014, 20:42:22)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsUnion")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
snmpTargetParamsName, SnmpTagValue = mibBuilder.importSymbols("SNMP-TARGET-MIB", "snmpTargetParamsName", "SnmpTagValue")
NotificationGroup, ObjectGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ObjectGroup", "ModuleCompliance")
TimeTicks, IpAddress, Integer32, snmpModules, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Counter32, Gauge32, Unsigned32, MibIdentifier, iso, ModuleIdentity, ObjectIdentity, NotificationType, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "IpAddress", "Integer32", "snmpModules", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Counter32", "Gauge32", "Unsigned32", "MibIdentifier", "iso", "ModuleIdentity", "ObjectIdentity", "NotificationType", "Counter64")
DisplayString, TextualConvention, RowStatus, StorageType = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "RowStatus", "StorageType")
snmpNotificationMIB = ModuleIdentity((1, 3, 6, 1, 6, 3, 13))
if mibBuilder.loadTexts: snmpNotificationMIB.setRevisions(('2002-10-14 00:00', '1998-08-04 00:00', '1997-07-14 00:00',))
if mibBuilder.loadTexts: snmpNotificationMIB.setLastUpdated('200210140000Z')
if mibBuilder.loadTexts: snmpNotificationMIB.setOrganization('IETF SNMPv3 Working Group')
if mibBuilder.loadTexts: snmpNotificationMIB.setContactInfo('WG-email: snmpv3@lists.tislabs.com Subscribe: majordomo@lists.tislabs.com In message body: subscribe snmpv3 Co-Chair: Russ Mundy Network Associates Laboratories Postal: 15204 Omega Drive, Suite 300 Rockville, MD 20850-4601 USA EMail: mundy@tislabs.com Phone: +1 301-947-7107 Co-Chair: David Harrington Enterasys Networks Postal: 35 Industrial Way P. O. Box 5004 Rochester, New Hampshire 03866-5005 USA EMail: dbh@enterasys.com Phone: +1 603-337-2614 Co-editor: David B. Levi Nortel Networks Postal: 3505 Kesterwood Drive Knoxville, Tennessee 37918 EMail: dlevi@nortelnetworks.com Phone: +1 865 686 0432 Co-editor: Paul Meyer Secure Computing Corporation Postal: 2675 Long Lake Road Roseville, Minnesota 55113 EMail: paul_meyer@securecomputing.com Phone: +1 651 628 1592 Co-editor: Bob Stewart Retired')
if mibBuilder.loadTexts: snmpNotificationMIB.setDescription('This MIB module defines MIB objects which provide mechanisms to remotely configure the parameters used by an SNMP entity for the generation of notifications. Copyright (C) The Internet Society (2002). This version of this MIB module is part of RFC 3413; see the RFC itself for full legal notices. ')
snmpNotifyObjects = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 1))
snmpNotifyConformance = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 3))
snmpNotifyTable = MibTable((1, 3, 6, 1, 6, 3, 13, 1, 1), )
if mibBuilder.loadTexts: snmpNotifyTable.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyTable.setDescription('This table is used to select management targets which should receive notifications, as well as the type of notification which should be sent to each selected management target.')
snmpNotifyEntry = MibTableRow((1, 3, 6, 1, 6, 3, 13, 1, 1, 1), ).setIndexNames((1, "SNMP-NOTIFICATION-MIB", "snmpNotifyName"))
if mibBuilder.loadTexts: snmpNotifyEntry.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyEntry.setDescription('An entry in this table selects a set of management targets which should receive notifications, as well as the type of notification which should be sent to each selected management target. Entries in the snmpNotifyTable are created and deleted using the snmpNotifyRowStatus object.')
snmpNotifyName = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32)))
if mibBuilder.loadTexts: snmpNotifyName.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyName.setDescription('The locally arbitrary, but unique identifier associated with this snmpNotifyEntry.')
snmpNotifyTag = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 2), SnmpTagValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyTag.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyTag.setDescription('This object contains a single tag value which is used to select entries in the snmpTargetAddrTable. Any entry in the snmpTargetAddrTable which contains a tag value which is equal to the value of an instance of this object is selected. If this object contains a value of zero length, no entries are selected.')
snmpNotifyType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("trap", 1), ("inform", 2))).clone('trap')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyType.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyType.setDescription('This object determines the type of notification to be generated for entries in the snmpTargetAddrTable selected by the corresponding instance of snmpNotifyTag. This value is only used when generating notifications, and is ignored when using the snmpTargetAddrTable for other purposes. If the value of this object is trap(1), then any messages generated for selected rows will contain Unconfirmed-Class PDUs. If the value of this object is inform(2), then any messages generated for selected rows will contain Confirmed-Class PDUs. Note that if an SNMP entity only supports generation of Unconfirmed-Class PDUs (and not Confirmed-Class PDUs), then this object may be read-only.')
snmpNotifyStorageType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 4), StorageType().clone('nonVolatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyStorageType.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyStorageType.setDescription("The storage type for this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmpNotifyRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyRowStatus.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyRowStatus.setDescription('The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5).')
snmpNotifyFilterProfileTable = MibTable((1, 3, 6, 1, 6, 3, 13, 1, 2), )
if mibBuilder.loadTexts: snmpNotifyFilterProfileTable.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterProfileTable.setDescription('This table is used to associate a notification filter profile with a particular set of target parameters.')
snmpNotifyFilterProfileEntry = MibTableRow((1, 3, 6, 1, 6, 3, 13, 1, 2, 1), ).setIndexNames((1, "SNMP-TARGET-MIB", "snmpTargetParamsName"))
if mibBuilder.loadTexts: snmpNotifyFilterProfileEntry.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterProfileEntry.setDescription('An entry in this table indicates the name of the filter profile to be used when generating notifications using the corresponding entry in the snmpTargetParamsTable. Entries in the snmpNotifyFilterProfileTable are created and deleted using the snmpNotifyFilterProfileRowStatus object.')
snmpNotifyFilterProfileName = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterProfileName.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterProfileName.setDescription('The name of the filter profile to be used when generating notifications using the corresponding entry in the snmpTargetAddrTable.')
snmpNotifyFilterProfileStorType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 2), StorageType().clone('nonVolatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterProfileStorType.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterProfileStorType.setDescription("The storage type for this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmpNotifyFilterProfileRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterProfileRowStatus.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterProfileRowStatus.setDescription("The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5). Until instances of all corresponding columns are appropriately configured, the value of the corresponding instance of the snmpNotifyFilterProfileRowStatus column is 'notReady'. In particular, a newly created row cannot be made active until the corresponding instance of snmpNotifyFilterProfileName has been set.")
snmpNotifyFilterTable = MibTable((1, 3, 6, 1, 6, 3, 13, 1, 3), )
if mibBuilder.loadTexts: snmpNotifyFilterTable.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterTable.setDescription('The table of filter profiles. Filter profiles are used to determine whether particular management targets should receive particular notifications. When a notification is generated, it must be compared with the filters associated with each management target which is configured to receive notifications, in order to determine whether it may be sent to each such management target. A more complete discussion of notification filtering can be found in section 6. of [SNMP-APPL].')
snmpNotifyFilterEntry = MibTableRow((1, 3, 6, 1, 6, 3, 13, 1, 3, 1), ).setIndexNames((0, "SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileName"), (1, "SNMP-NOTIFICATION-MIB", "snmpNotifyFilterSubtree"))
if mibBuilder.loadTexts: snmpNotifyFilterEntry.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterEntry.setDescription('An element of a filter profile. Entries in the snmpNotifyFilterTable are created and deleted using the snmpNotifyFilterRowStatus object.')
snmpNotifyFilterSubtree = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 1), ObjectIdentifier())
if mibBuilder.loadTexts: snmpNotifyFilterSubtree.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterSubtree.setDescription('The MIB subtree which, when combined with the corresponding instance of snmpNotifyFilterMask, defines a family of subtrees which are included in or excluded from the filter profile.')
snmpNotifyFilterMask = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 16)).clone(hexValue="")).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterMask.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterMask.setDescription("The bit mask which, in combination with the corresponding instance of snmpNotifyFilterSubtree, defines a family of subtrees which are included in or excluded from the filter profile. Each bit of this bit mask corresponds to a sub-identifier of snmpNotifyFilterSubtree, with the most significant bit of the i-th octet of this octet string value (extended if necessary, see below) corresponding to the (8*i - 7)-th sub-identifier, and the least significant bit of the i-th octet of this octet string corresponding to the (8*i)-th sub-identifier, where i is in the range 1 through 16. Each bit of this bit mask specifies whether or not the corresponding sub-identifiers must match when determining if an OBJECT IDENTIFIER matches this family of filter subtrees; a '1' indicates that an exact match must occur; a '0' indicates 'wild card', i.e., any sub-identifier value matches. Thus, the OBJECT IDENTIFIER X of an object instance is contained in a family of filter subtrees if, for each sub-identifier of the value of snmpNotifyFilterSubtree, either: the i-th bit of snmpNotifyFilterMask is 0, or the i-th sub-identifier of X is equal to the i-th sub-identifier of the value of snmpNotifyFilterSubtree. If the value of this bit mask is M bits long and there are more than M sub-identifiers in the corresponding instance of snmpNotifyFilterSubtree, then the bit mask is extended with 1's to be the required length. Note that when the value of this object is the zero-length string, this extension rule results in a mask of all-1's being used (i.e., no 'wild card'), and the family of filter subtrees is the one subtree uniquely identified by the corresponding instance of snmpNotifyFilterSubtree.")
snmpNotifyFilterType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("included", 1), ("excluded", 2))).clone('included')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterType.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterType.setDescription('This object indicates whether the family of filter subtrees defined by this entry are included in or excluded from a filter. A more detailed discussion of the use of this object can be found in section 6. of [SNMP-APPL].')
snmpNotifyFilterStorageType = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 4), StorageType().clone('nonVolatile')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterStorageType.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterStorageType.setDescription("The storage type for this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmpNotifyFilterRowStatus = MibTableColumn((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: snmpNotifyFilterRowStatus.setStatus('current')
if mibBuilder.loadTexts: snmpNotifyFilterRowStatus.setDescription('The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5).')
snmpNotifyCompliances = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 3, 1))
snmpNotifyGroups = MibIdentifier((1, 3, 6, 1, 6, 3, 13, 3, 2))
snmpNotifyBasicCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 1)).setObjects(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyGroup"))
if mibBuilder.loadTexts: snmpNotifyBasicCompliance.setDescription('The compliance statement for minimal SNMP entities which implement only SNMP Unconfirmed-Class notifications and read-create operations on only the snmpTargetAddrTable.')
snmpNotifyBasicFiltersCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 2)).setObjects(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterGroup"))
if mibBuilder.loadTexts: snmpNotifyBasicFiltersCompliance.setDescription('The compliance statement for SNMP entities which implement SNMP Unconfirmed-Class notifications with filtering, and read-create operations on all related tables.')
snmpNotifyFullCompliance = ModuleCompliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 3)).setObjects(("SNMP-TARGET-MIB", "snmpTargetBasicGroup"), ("SNMP-TARGET-MIB", "snmpTargetResponseGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyGroup"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterGroup"))
if mibBuilder.loadTexts: snmpNotifyFullCompliance.setDescription('The compliance statement for SNMP entities which either implement only SNMP Confirmed-Class notifications, or both SNMP Unconfirmed-Class and Confirmed-Class notifications, plus filtering and read-create operations on all related tables.')
snmpNotifyGroup = ObjectGroup((1, 3, 6, 1, 6, 3, 13, 3, 2, 1)).setObjects(("SNMP-NOTIFICATION-MIB", "snmpNotifyTag"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyStorageType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyRowStatus"))
if mibBuilder.loadTexts: snmpNotifyGroup.setDescription('A collection of objects for selecting which management targets are used for generating notifications, and the type of notification to be generated for each selected management target.')
snmpNotifyFilterGroup = ObjectGroup((1, 3, 6, 1, 6, 3, 13, 3, 2, 2)).setObjects(("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileName"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileStorType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterProfileRowStatus"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterMask"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterStorageType"), ("SNMP-NOTIFICATION-MIB", "snmpNotifyFilterRowStatus"))
if mibBuilder.loadTexts: snmpNotifyFilterGroup.setDescription('A collection of objects providing remote configuration of notification filters.')
mibBuilder.exportSymbols("SNMP-NOTIFICATION-MIB", PYSNMP_MODULE_ID=snmpNotificationMIB, snmpNotifyFilterProfileTable=snmpNotifyFilterProfileTable, snmpNotifyTag=snmpNotifyTag, snmpNotifyGroup=snmpNotifyGroup, snmpNotifyFilterProfileRowStatus=snmpNotifyFilterProfileRowStatus, snmpNotifyRowStatus=snmpNotifyRowStatus, snmpNotifyCompliances=snmpNotifyCompliances, snmpNotifyTable=snmpNotifyTable, snmpNotifyType=snmpNotifyType, snmpNotifyStorageType=snmpNotifyStorageType, snmpNotifyConformance=snmpNotifyConformance, snmpNotifyFilterMask=snmpNotifyFilterMask, snmpNotifyFilterProfileName=snmpNotifyFilterProfileName, snmpNotifyEntry=snmpNotifyEntry, snmpNotifyFullCompliance=snmpNotifyFullCompliance, snmpNotifyObjects=snmpNotifyObjects, snmpNotifyFilterEntry=snmpNotifyFilterEntry, snmpNotificationMIB=snmpNotificationMIB, snmpNotifyFilterRowStatus=snmpNotifyFilterRowStatus, snmpNotifyBasicFiltersCompliance=snmpNotifyBasicFiltersCompliance, snmpNotifyFilterGroup=snmpNotifyFilterGroup, snmpNotifyFilterProfileEntry=snmpNotifyFilterProfileEntry, snmpNotifyFilterTable=snmpNotifyFilterTable, snmpNotifyFilterSubtree=snmpNotifyFilterSubtree, snmpNotifyBasicCompliance=snmpNotifyBasicCompliance, snmpNotifyFilterStorageType=snmpNotifyFilterStorageType, snmpNotifyGroups=snmpNotifyGroups, snmpNotifyName=snmpNotifyName, snmpNotifyFilterProfileStorType=snmpNotifyFilterProfileStorType, snmpNotifyFilterType=snmpNotifyFilterType)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_intersection, single_value_constraint, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsUnion')
(snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString')
(snmp_target_params_name, snmp_tag_value) = mibBuilder.importSymbols('SNMP-TARGET-MIB', 'snmpTargetParamsName', 'SnmpTagValue')
(notification_group, object_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ObjectGroup', 'ModuleCompliance')
(time_ticks, ip_address, integer32, snmp_modules, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, counter32, gauge32, unsigned32, mib_identifier, iso, module_identity, object_identity, notification_type, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'IpAddress', 'Integer32', 'snmpModules', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Counter32', 'Gauge32', 'Unsigned32', 'MibIdentifier', 'iso', 'ModuleIdentity', 'ObjectIdentity', 'NotificationType', 'Counter64')
(display_string, textual_convention, row_status, storage_type) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention', 'RowStatus', 'StorageType')
snmp_notification_mib = module_identity((1, 3, 6, 1, 6, 3, 13))
if mibBuilder.loadTexts:
snmpNotificationMIB.setRevisions(('2002-10-14 00:00', '1998-08-04 00:00', '1997-07-14 00:00'))
if mibBuilder.loadTexts:
snmpNotificationMIB.setLastUpdated('200210140000Z')
if mibBuilder.loadTexts:
snmpNotificationMIB.setOrganization('IETF SNMPv3 Working Group')
if mibBuilder.loadTexts:
snmpNotificationMIB.setContactInfo('WG-email: snmpv3@lists.tislabs.com Subscribe: majordomo@lists.tislabs.com In message body: subscribe snmpv3 Co-Chair: Russ Mundy Network Associates Laboratories Postal: 15204 Omega Drive, Suite 300 Rockville, MD 20850-4601 USA EMail: mundy@tislabs.com Phone: +1 301-947-7107 Co-Chair: David Harrington Enterasys Networks Postal: 35 Industrial Way P. O. Box 5004 Rochester, New Hampshire 03866-5005 USA EMail: dbh@enterasys.com Phone: +1 603-337-2614 Co-editor: David B. Levi Nortel Networks Postal: 3505 Kesterwood Drive Knoxville, Tennessee 37918 EMail: dlevi@nortelnetworks.com Phone: +1 865 686 0432 Co-editor: Paul Meyer Secure Computing Corporation Postal: 2675 Long Lake Road Roseville, Minnesota 55113 EMail: paul_meyer@securecomputing.com Phone: +1 651 628 1592 Co-editor: Bob Stewart Retired')
if mibBuilder.loadTexts:
snmpNotificationMIB.setDescription('This MIB module defines MIB objects which provide mechanisms to remotely configure the parameters used by an SNMP entity for the generation of notifications. Copyright (C) The Internet Society (2002). This version of this MIB module is part of RFC 3413; see the RFC itself for full legal notices. ')
snmp_notify_objects = mib_identifier((1, 3, 6, 1, 6, 3, 13, 1))
snmp_notify_conformance = mib_identifier((1, 3, 6, 1, 6, 3, 13, 3))
snmp_notify_table = mib_table((1, 3, 6, 1, 6, 3, 13, 1, 1))
if mibBuilder.loadTexts:
snmpNotifyTable.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyTable.setDescription('This table is used to select management targets which should receive notifications, as well as the type of notification which should be sent to each selected management target.')
snmp_notify_entry = mib_table_row((1, 3, 6, 1, 6, 3, 13, 1, 1, 1)).setIndexNames((1, 'SNMP-NOTIFICATION-MIB', 'snmpNotifyName'))
if mibBuilder.loadTexts:
snmpNotifyEntry.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyEntry.setDescription('An entry in this table selects a set of management targets which should receive notifications, as well as the type of notification which should be sent to each selected management target. Entries in the snmpNotifyTable are created and deleted using the snmpNotifyRowStatus object.')
snmp_notify_name = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32)))
if mibBuilder.loadTexts:
snmpNotifyName.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyName.setDescription('The locally arbitrary, but unique identifier associated with this snmpNotifyEntry.')
snmp_notify_tag = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 2), snmp_tag_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyTag.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyTag.setDescription('This object contains a single tag value which is used to select entries in the snmpTargetAddrTable. Any entry in the snmpTargetAddrTable which contains a tag value which is equal to the value of an instance of this object is selected. If this object contains a value of zero length, no entries are selected.')
snmp_notify_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('trap', 1), ('inform', 2))).clone('trap')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyType.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyType.setDescription('This object determines the type of notification to be generated for entries in the snmpTargetAddrTable selected by the corresponding instance of snmpNotifyTag. This value is only used when generating notifications, and is ignored when using the snmpTargetAddrTable for other purposes. If the value of this object is trap(1), then any messages generated for selected rows will contain Unconfirmed-Class PDUs. If the value of this object is inform(2), then any messages generated for selected rows will contain Confirmed-Class PDUs. Note that if an SNMP entity only supports generation of Unconfirmed-Class PDUs (and not Confirmed-Class PDUs), then this object may be read-only.')
snmp_notify_storage_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 4), storage_type().clone('nonVolatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyStorageType.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyStorageType.setDescription("The storage type for this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmp_notify_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 1, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyRowStatus.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyRowStatus.setDescription('The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5).')
snmp_notify_filter_profile_table = mib_table((1, 3, 6, 1, 6, 3, 13, 1, 2))
if mibBuilder.loadTexts:
snmpNotifyFilterProfileTable.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileTable.setDescription('This table is used to associate a notification filter profile with a particular set of target parameters.')
snmp_notify_filter_profile_entry = mib_table_row((1, 3, 6, 1, 6, 3, 13, 1, 2, 1)).setIndexNames((1, 'SNMP-TARGET-MIB', 'snmpTargetParamsName'))
if mibBuilder.loadTexts:
snmpNotifyFilterProfileEntry.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileEntry.setDescription('An entry in this table indicates the name of the filter profile to be used when generating notifications using the corresponding entry in the snmpTargetParamsTable. Entries in the snmpNotifyFilterProfileTable are created and deleted using the snmpNotifyFilterProfileRowStatus object.')
snmp_notify_filter_profile_name = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileName.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileName.setDescription('The name of the filter profile to be used when generating notifications using the corresponding entry in the snmpTargetAddrTable.')
snmp_notify_filter_profile_stor_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 2), storage_type().clone('nonVolatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileStorType.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileStorType.setDescription("The storage type for this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmp_notify_filter_profile_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 2, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileRowStatus.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterProfileRowStatus.setDescription("The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5). Until instances of all corresponding columns are appropriately configured, the value of the corresponding instance of the snmpNotifyFilterProfileRowStatus column is 'notReady'. In particular, a newly created row cannot be made active until the corresponding instance of snmpNotifyFilterProfileName has been set.")
snmp_notify_filter_table = mib_table((1, 3, 6, 1, 6, 3, 13, 1, 3))
if mibBuilder.loadTexts:
snmpNotifyFilterTable.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterTable.setDescription('The table of filter profiles. Filter profiles are used to determine whether particular management targets should receive particular notifications. When a notification is generated, it must be compared with the filters associated with each management target which is configured to receive notifications, in order to determine whether it may be sent to each such management target. A more complete discussion of notification filtering can be found in section 6. of [SNMP-APPL].')
snmp_notify_filter_entry = mib_table_row((1, 3, 6, 1, 6, 3, 13, 1, 3, 1)).setIndexNames((0, 'SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileName'), (1, 'SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterSubtree'))
if mibBuilder.loadTexts:
snmpNotifyFilterEntry.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterEntry.setDescription('An element of a filter profile. Entries in the snmpNotifyFilterTable are created and deleted using the snmpNotifyFilterRowStatus object.')
snmp_notify_filter_subtree = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 1), object_identifier())
if mibBuilder.loadTexts:
snmpNotifyFilterSubtree.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterSubtree.setDescription('The MIB subtree which, when combined with the corresponding instance of snmpNotifyFilterMask, defines a family of subtrees which are included in or excluded from the filter profile.')
snmp_notify_filter_mask = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 16)).clone(hexValue='')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterMask.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterMask.setDescription("The bit mask which, in combination with the corresponding instance of snmpNotifyFilterSubtree, defines a family of subtrees which are included in or excluded from the filter profile. Each bit of this bit mask corresponds to a sub-identifier of snmpNotifyFilterSubtree, with the most significant bit of the i-th octet of this octet string value (extended if necessary, see below) corresponding to the (8*i - 7)-th sub-identifier, and the least significant bit of the i-th octet of this octet string corresponding to the (8*i)-th sub-identifier, where i is in the range 1 through 16. Each bit of this bit mask specifies whether or not the corresponding sub-identifiers must match when determining if an OBJECT IDENTIFIER matches this family of filter subtrees; a '1' indicates that an exact match must occur; a '0' indicates 'wild card', i.e., any sub-identifier value matches. Thus, the OBJECT IDENTIFIER X of an object instance is contained in a family of filter subtrees if, for each sub-identifier of the value of snmpNotifyFilterSubtree, either: the i-th bit of snmpNotifyFilterMask is 0, or the i-th sub-identifier of X is equal to the i-th sub-identifier of the value of snmpNotifyFilterSubtree. If the value of this bit mask is M bits long and there are more than M sub-identifiers in the corresponding instance of snmpNotifyFilterSubtree, then the bit mask is extended with 1's to be the required length. Note that when the value of this object is the zero-length string, this extension rule results in a mask of all-1's being used (i.e., no 'wild card'), and the family of filter subtrees is the one subtree uniquely identified by the corresponding instance of snmpNotifyFilterSubtree.")
snmp_notify_filter_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('included', 1), ('excluded', 2))).clone('included')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterType.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterType.setDescription('This object indicates whether the family of filter subtrees defined by this entry are included in or excluded from a filter. A more detailed discussion of the use of this object can be found in section 6. of [SNMP-APPL].')
snmp_notify_filter_storage_type = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 4), storage_type().clone('nonVolatile')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterStorageType.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterStorageType.setDescription("The storage type for this conceptual row. Conceptual rows having the value 'permanent' need not allow write-access to any columnar objects in the row.")
snmp_notify_filter_row_status = mib_table_column((1, 3, 6, 1, 6, 3, 13, 1, 3, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
snmpNotifyFilterRowStatus.setStatus('current')
if mibBuilder.loadTexts:
snmpNotifyFilterRowStatus.setDescription('The status of this conceptual row. To create a row in this table, a manager must set this object to either createAndGo(4) or createAndWait(5).')
snmp_notify_compliances = mib_identifier((1, 3, 6, 1, 6, 3, 13, 3, 1))
snmp_notify_groups = mib_identifier((1, 3, 6, 1, 6, 3, 13, 3, 2))
snmp_notify_basic_compliance = module_compliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 1)).setObjects(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyGroup'))
if mibBuilder.loadTexts:
snmpNotifyBasicCompliance.setDescription('The compliance statement for minimal SNMP entities which implement only SNMP Unconfirmed-Class notifications and read-create operations on only the snmpTargetAddrTable.')
snmp_notify_basic_filters_compliance = module_compliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 2)).setObjects(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterGroup'))
if mibBuilder.loadTexts:
snmpNotifyBasicFiltersCompliance.setDescription('The compliance statement for SNMP entities which implement SNMP Unconfirmed-Class notifications with filtering, and read-create operations on all related tables.')
snmp_notify_full_compliance = module_compliance((1, 3, 6, 1, 6, 3, 13, 3, 1, 3)).setObjects(('SNMP-TARGET-MIB', 'snmpTargetBasicGroup'), ('SNMP-TARGET-MIB', 'snmpTargetResponseGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyGroup'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterGroup'))
if mibBuilder.loadTexts:
snmpNotifyFullCompliance.setDescription('The compliance statement for SNMP entities which either implement only SNMP Confirmed-Class notifications, or both SNMP Unconfirmed-Class and Confirmed-Class notifications, plus filtering and read-create operations on all related tables.')
snmp_notify_group = object_group((1, 3, 6, 1, 6, 3, 13, 3, 2, 1)).setObjects(('SNMP-NOTIFICATION-MIB', 'snmpNotifyTag'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyStorageType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyRowStatus'))
if mibBuilder.loadTexts:
snmpNotifyGroup.setDescription('A collection of objects for selecting which management targets are used for generating notifications, and the type of notification to be generated for each selected management target.')
snmp_notify_filter_group = object_group((1, 3, 6, 1, 6, 3, 13, 3, 2, 2)).setObjects(('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileName'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileStorType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterProfileRowStatus'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterMask'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterStorageType'), ('SNMP-NOTIFICATION-MIB', 'snmpNotifyFilterRowStatus'))
if mibBuilder.loadTexts:
snmpNotifyFilterGroup.setDescription('A collection of objects providing remote configuration of notification filters.')
mibBuilder.exportSymbols('SNMP-NOTIFICATION-MIB', PYSNMP_MODULE_ID=snmpNotificationMIB, snmpNotifyFilterProfileTable=snmpNotifyFilterProfileTable, snmpNotifyTag=snmpNotifyTag, snmpNotifyGroup=snmpNotifyGroup, snmpNotifyFilterProfileRowStatus=snmpNotifyFilterProfileRowStatus, snmpNotifyRowStatus=snmpNotifyRowStatus, snmpNotifyCompliances=snmpNotifyCompliances, snmpNotifyTable=snmpNotifyTable, snmpNotifyType=snmpNotifyType, snmpNotifyStorageType=snmpNotifyStorageType, snmpNotifyConformance=snmpNotifyConformance, snmpNotifyFilterMask=snmpNotifyFilterMask, snmpNotifyFilterProfileName=snmpNotifyFilterProfileName, snmpNotifyEntry=snmpNotifyEntry, snmpNotifyFullCompliance=snmpNotifyFullCompliance, snmpNotifyObjects=snmpNotifyObjects, snmpNotifyFilterEntry=snmpNotifyFilterEntry, snmpNotificationMIB=snmpNotificationMIB, snmpNotifyFilterRowStatus=snmpNotifyFilterRowStatus, snmpNotifyBasicFiltersCompliance=snmpNotifyBasicFiltersCompliance, snmpNotifyFilterGroup=snmpNotifyFilterGroup, snmpNotifyFilterProfileEntry=snmpNotifyFilterProfileEntry, snmpNotifyFilterTable=snmpNotifyFilterTable, snmpNotifyFilterSubtree=snmpNotifyFilterSubtree, snmpNotifyBasicCompliance=snmpNotifyBasicCompliance, snmpNotifyFilterStorageType=snmpNotifyFilterStorageType, snmpNotifyGroups=snmpNotifyGroups, snmpNotifyName=snmpNotifyName, snmpNotifyFilterProfileStorType=snmpNotifyFilterProfileStorType, snmpNotifyFilterType=snmpNotifyFilterType) |
# Created by MechAviv
# Map ID :: 620100043
# Ballroom : Lobby
sm.curNodeEventEnd(True)
sm.setTemporarySkillSet(0)
sm.setInGameDirectionMode(True, True, False, False)
sm.sendDelay(3000)
sm.showEffect("Effect/DirectionNewPirate.img/newPirate/balloonMsg2/6", 2000, 130, 0, 10, -2, True, 0)
sm.sendDelay(1000)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("(.......)")
sm.sendDelay(1000)
sm.showEffect("Effect/DirectionNewPirate.img/newPirate/balloonMsg2/7", 2000, 130, 0, 10, -2, True, 0)
sm.sendDelay(2000)
sm.showEffect("Effect/DirectionNewPirate.img/newPirate/balloonMsg2/8", 2000, 130, 0, 10, -2, True, 0)
sm.sendDelay(1000)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("(Ugh... where... am I?)")
sm.sendDelay(500)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("I don't know a spaceship from a barnacle, but anybody that can survive that kinda fall and still have a thirst for treasure is good in my book.")
sm.sendDelay(500)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext("(Who... are these voices? #b#p9270084##k... my core... )")
sm.sendDelay(1500)
sm.showFieldEffect("newPirate/wakeup2", 0)
sm.sendDelay(7600)
sm.setTemporarySkillSet(0)
sm.setInGameDirectionMode(False, True, False, False)
sm.warp(620100044, 0) | sm.curNodeEventEnd(True)
sm.setTemporarySkillSet(0)
sm.setInGameDirectionMode(True, True, False, False)
sm.sendDelay(3000)
sm.showEffect('Effect/DirectionNewPirate.img/newPirate/balloonMsg2/6', 2000, 130, 0, 10, -2, True, 0)
sm.sendDelay(1000)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext('(.......)')
sm.sendDelay(1000)
sm.showEffect('Effect/DirectionNewPirate.img/newPirate/balloonMsg2/7', 2000, 130, 0, 10, -2, True, 0)
sm.sendDelay(2000)
sm.showEffect('Effect/DirectionNewPirate.img/newPirate/balloonMsg2/8', 2000, 130, 0, 10, -2, True, 0)
sm.sendDelay(1000)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext('(Ugh... where... am I?)')
sm.sendDelay(500)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setSpeakerType(3)
sm.sendNext("I don't know a spaceship from a barnacle, but anybody that can survive that kinda fall and still have a thirst for treasure is good in my book.")
sm.sendDelay(500)
sm.setSpeakerID(9270088)
sm.removeEscapeButton()
sm.setPlayerAsSpeaker()
sm.setSpeakerType(3)
sm.sendNext('(Who... are these voices? #b#p9270084##k... my core... )')
sm.sendDelay(1500)
sm.showFieldEffect('newPirate/wakeup2', 0)
sm.sendDelay(7600)
sm.setTemporarySkillSet(0)
sm.setInGameDirectionMode(False, True, False, False)
sm.warp(620100044, 0) |
#
# PySNMP MIB module RUCKUS-SZ-EVENT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RUCKUS-SZ-EVENT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 14:59:01 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")
ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint")
ruckusEvents, = mibBuilder.importSymbols("RUCKUS-ROOT-MIB", "ruckusEvents")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
Bits, IpAddress, Counter32, ObjectIdentity, Integer32, TimeTicks, Counter64, ModuleIdentity, NotificationType, MibIdentifier, Gauge32, Unsigned32, iso, enterprises, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "IpAddress", "Counter32", "ObjectIdentity", "Integer32", "TimeTicks", "Counter64", "ModuleIdentity", "NotificationType", "MibIdentifier", "Gauge32", "Unsigned32", "iso", "enterprises", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn")
TextualConvention, MacAddress, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "MacAddress", "DisplayString")
ruckusSZEventMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 25053, 2, 11))
if mibBuilder.loadTexts: ruckusSZEventMIB.setLastUpdated('201508181000Z')
if mibBuilder.loadTexts: ruckusSZEventMIB.setOrganization('Ruckus Wireless, Inc.')
if mibBuilder.loadTexts: ruckusSZEventMIB.setContactInfo('Ruckus Wireless, Inc. 350 West Java Dr. Sunnyvale, CA 94089 USA T: +1 (650) 265-4200 F: +1 (408) 738-2065 EMail: info@ruckuswireless.com Web: www.ruckuswireless.com')
if mibBuilder.loadTexts: ruckusSZEventMIB.setDescription('Ruckus SZ event objects, including trap OID and trap payload.')
ruckusSZEventTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1))
ruckusSZEventObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2))
ruckusSZSystemMiscEventTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 1)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventDescription"))
if mibBuilder.loadTexts: ruckusSZSystemMiscEventTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSystemMiscEventTrap.setDescription('Generic trap triggered by admin specified miscellaneous event. The event severity, event code, event type, event description is enclosed.')
ruckusSZUpgradeSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 2)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventFirmwareVersion"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventUpgradedFirmwareVersion"))
if mibBuilder.loadTexts: ruckusSZUpgradeSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZUpgradeSuccessTrap.setDescription('Trigger when there is a SZ upgrade success event. The event severity, event code, event type, node name, MAC address, management IP address, firmware version and upgraded firmware version are enclosed.')
ruckusSZUpgradeFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 3)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventFirmwareVersion"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventUpgradedFirmwareVersion"))
if mibBuilder.loadTexts: ruckusSZUpgradeFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZUpgradeFailedTrap.setDescription('Trigger when there is a SZ upgrade failed event. The event severity, event code, event type, firmware version and upgraded firmware version are enclosed.')
ruckusSZNodeRestartedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 4)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZNodeRestartedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeRestartedTrap.setDescription('Trigger when there is a SZ restarted event. The event severity, event code, event type, node name, MAC address, management IP address and restart reason are enclosed.')
ruckusSZNodeShutdownTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 5)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZNodeShutdownTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeShutdownTrap.setDescription('Trigger when there is a SZ shutdown event. The event severity, event code, event type, node name, MAC address and management IP address are enclosed.')
ruckusSZCPUUsageThresholdExceededTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 6)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZCPUPerc"))
if mibBuilder.loadTexts: ruckusSZCPUUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCPUUsageThresholdExceededTrap.setDescription('Trigger when there is a SZ CPU threshold exceeded event. The event severity, event code, event type, node name, MAC address and CPU usage percent are enclosed.')
ruckusSZMemoryUsageThresholdExceededTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 7)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZMemoryPerc"))
if mibBuilder.loadTexts: ruckusSZMemoryUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZMemoryUsageThresholdExceededTrap.setDescription('Trigger when there is a SZ memory threshold exceeded event. The event severity, event code, event type, node name, MAC address and memory usage percent are enclosed.')
ruckusSZDiskUsageThresholdExceededTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 8)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDiskPerc"))
if mibBuilder.loadTexts: ruckusSZDiskUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDiskUsageThresholdExceededTrap.setDescription('Trigger when there is a SZ disk usage threshold exceeded event. The event severity, event code, event type, node name, MAC address and disk usage percent are enclosed.')
ruckusSZLicenseUsageThresholdExceededTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 19)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLicenseType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLicenseUsagePerc"))
if mibBuilder.loadTexts: ruckusSZLicenseUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseUsageThresholdExceededTrap.setDescription('Trigger when there is SZ license usage threshold exceeded event. The event severity, event code, event type, license type and license usage percent are enclosed.')
ruckusSZAPMiscEventTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 20)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPMiscEventTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPMiscEventTrap.setDescription('Generic trap triggered by AP related miscellaneous event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP GPS coordinates, event description, AP description and AP IPv6 address are enclosed.')
ruckusSZAPConnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 21)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPConnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPConnectedTrap.setDescription('Trigger when there is an AP connected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, join reason and AP IPv6 address are enclosed.')
ruckusSZAPDeletedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 22)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPDeletedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPDeletedTrap.setDescription('Trigger when there is an AP deleted event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPDisconnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 23)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPDisconnectedTrap.setDescription('Trigger when there is an AP connection lost event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPLostHeartbeatTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 24)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLostHeartbeatTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLostHeartbeatTrap.setDescription('Trigger when there is a SZ lost AP heart beat event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPRebootTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 25)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPRebootTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPRebootTrap.setDescription('Trigger when there is an AP reboot event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, reboot reason and AP IPv6 address are enclosed.')
ruckusSZCriticalAPConnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 26)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCriticalAPConnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCriticalAPConnectedTrap.setDescription('Trigger when there is a critical AP connected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, join reason and AP IPv6 address are enclosed.')
ruckusSZCriticalAPDisconnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 27)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCriticalAPDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCriticalAPDisconnectedTrap.setDescription('Trigger when there is a critical AP connection lost event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPRejectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 28)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPRejectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPRejectedTrap.setDescription('Trigger when there is an AP rejected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ control IP address, reject reason and AP IPv6 address are enclosed.')
ruckusSZAPConfUpdateFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 29)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAPConfigID"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPConfUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPConfUpdateFailedTrap.setDescription('Trigger when there is an AP configuration update failed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, configure ID and AP IPv6 address are enclosed.')
ruckusSZAPConfUpdatedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 30)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAPConfigID"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPConfUpdatedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPConfUpdatedTrap.setDescription('Trigger when there is an AP configuration updated event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, configure ID and AP IPv6 address are enclosed.')
ruckusSZAPSwapOutModelDiffTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 31)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAPModel"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZConfigAPModel"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPSwapOutModelDiffTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPSwapOutModelDiffTrap.setDescription('Trigger when there is an AP model is different from imported swap AP model. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AP model, configure AP model and AP IPv6 address are enclosed.')
ruckusSZAPPreProvisionModelDiffTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 32)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAPModel"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZConfigAPModel"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPPreProvisionModelDiffTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPPreProvisionModelDiffTrap.setDescription('Trigger when there is an AP model is different from imported pre-provision AP model. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AP mode, configure AP model and AP IPv6 address are enclosed.')
ruckusSZAPFirmwareUpdateFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 34)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPFirmwareUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPFirmwareUpdateFailedTrap.setDescription('Trigger when there is an AP firmware update failed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPFirmwareUpdatedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 35)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPFirmwareUpdatedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPFirmwareUpdatedTrap.setDescription('Trigger when there is an AP firmware update success event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPWlanOversubscribedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 36)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"))
if mibBuilder.loadTexts: ruckusSZAPWlanOversubscribedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPWlanOversubscribedTrap.setDescription('Trigger when there is an AP wlan oversubscribed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description and AP GPS coordinates are enclosed.')
ruckusSZAPFactoryResetTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 37)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPFactoryResetTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPFactoryResetTrap.setDescription('Trigger when there is an AP factory reset event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZCableModemDownTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 38)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCableModemDownTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCableModemDownTrap.setDescription('Trigger when there is an AP cable modem down event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZCableModemRebootTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 39)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCableModemRebootTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCableModemRebootTrap.setDescription('Trigger when there is an AP cable modem reboot event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPManagedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 41)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"))
if mibBuilder.loadTexts: ruckusSZAPManagedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPManagedTrap.setDescription('Trigger when there is an AP managed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and SZ control IP address are enclosed.')
ruckusSZCPUUsageThresholdBackToNormalTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 42)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZCPUPerc"))
if mibBuilder.loadTexts: ruckusSZCPUUsageThresholdBackToNormalTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCPUUsageThresholdBackToNormalTrap.setDescription('Trigger when there is a SZ CPU threshold back to normal event. The event severity, event code, event type, node name, MAC address and CPU usage percent are enclosed.')
ruckusSZMemoryUsageThresholdBackToNormalTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 43)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZMemoryPerc"))
if mibBuilder.loadTexts: ruckusSZMemoryUsageThresholdBackToNormalTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZMemoryUsageThresholdBackToNormalTrap.setDescription('Trigger when there is a SZ memory threshold back to normal event. The event severity, event code, event type, node name, MAC address and memory usage percent are enclosed.')
ruckusSZDiskUsageThresholdBackToNormalTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 44)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDiskPerc"))
if mibBuilder.loadTexts: ruckusSZDiskUsageThresholdBackToNormalTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDiskUsageThresholdBackToNormalTrap.setDescription('Trigger when there is a SZ disk threshold back to normal event. The event severity, event code, event type, node name, MAC address, disk usage percent are enclosed.')
ruckusSZCableModemUpTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 45)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCableModemUpTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCableModemUpTrap.setDescription('Trigger when there is an AP cable modem up event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPDiscoverySuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 46)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPDiscoverySuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPDiscoverySuccessTrap.setDescription('Trigger when there is an AP discovery success event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ control IP address and AP IPv6 address are enclosed.')
ruckusSZCMResetByUserTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 47)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCMResetByUserTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCMResetByUserTrap.setDescription('Trigger when there is an AP cable modem soft-rebooted by user event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, event reason and AP IPv6 address are enclosed.')
ruckusSZCMResetFactoryByUserTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 48)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZCMResetFactoryByUserTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCMResetFactoryByUserTrap.setDescription('Trigger when there is an AP cable modem set to factory default by user event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, event reason and AP IPv6 address are enclosed.')
ruckusSZSSIDSpoofingRogueAPDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 50)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventRogueMac"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSSID"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZSSIDSpoofingRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSSIDSpoofingRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZMacSpoofingRogueAPDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 51)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventRogueMac"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSSID"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZMacSpoofingRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZMacSpoofingRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZSameNetworkRogueAPDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 52)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventRogueMac"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSSID"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZSameNetworkRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSameNetworkRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP which has the same bssid with detect AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZADHocNetworkRogueAPDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 53)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventRogueMac"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSSID"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZADHocNetworkRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZADHocNetworkRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP which has the same network detecting AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description and AP GPS coordinates are enclosed.')
ruckusSZMaliciousRogueAPTimeoutTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 54)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventRogueMac"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZMaliciousRogueAPTimeoutTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZMaliciousRogueAPTimeoutTrap.setDescription('Trigger when there is a rogue AP disappears event. The event severity, event code, event type, rogue AP MAC address, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckusSZAPLBSConnectSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 55)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLBSConnectSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLBSConnectSuccessTrap.setDescription('Trigger when there is AP successfully connect to LS event. The event severity,event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckusSZAPLBSNoResponsesTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 56)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLBSNoResponsesTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLBSNoResponsesTrap.setDescription('Trigger when there is an AP connect to LS no response event. The event severity,event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckusSZAPLBSAuthFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 57)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLBSAuthFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLBSAuthFailedTrap.setDescription('Trigger when there is an AP connect LS authentication failure event. The event severity, event code, event type,AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckusSZAPLBSConnectFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 58)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLBSConnectFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLBSConnectFailedTrap.setDescription('Trigger when there is an AP failed connect to LS event. The event severity,event code, event type,AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckusSZAPTunnelBuildFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 60)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPTunnelBuildFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPTunnelBuildFailedTrap.setDescription('Trigger when there is an AP build tunnel failed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ DP IP address, failure reason and AP IPv6 address are enclosed.')
ruckusSZAPTunnelBuildSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 61)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPTunnelBuildSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPTunnelBuildSuccessTrap.setDescription('Trigger when there is an AP build tunnel success event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ DP IP address and AP IPv6 address are enclosed.')
ruckusSZAPTunnelDisconnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 62)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPTunnelDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPTunnelDisconnectedTrap.setDescription('Trigger when there is an AP tunnel disconnected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ DP IP address, failure reason and AP IPv6 address are enclosed.')
ruckusSZAPSoftGRETunnelFailoverPtoSTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 65)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusPrimaryGRE"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSecondaryGRE"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPSoftGRETunnelFailoverPtoSTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPSoftGRETunnelFailoverPtoSTrap.setDescription('Trigger when there is an AP softGRE tunnel fails over primary to secondary event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, primary GRE gateway, secondary GRE gateway and AP IPv6 address are enclosed.')
ruckusSZAPSoftGRETunnelFailoverStoPTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 66)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusPrimaryGRE"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSecondaryGRE"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPSoftGRETunnelFailoverStoPTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPSoftGRETunnelFailoverStoPTrap.setDescription('Trigger when there is an AP softGRE tunnel fails over secondary to primary event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, primary GRE gateway, secondary GRE gateway and AP IPv6 address are enclosed.')
ruckusSZAPSoftGREGatewayNotReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 67)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSoftGREGatewayList"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPSoftGREGatewayNotReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPSoftGREGatewayNotReachableTrap.setDescription('Trigger when there is an AP softGRE gateway not reachable event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, soft GRE gateway list and AP IPv6 address are enclosed.')
ruckusSZAPSoftGREGatewayReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 68)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSoftGREGWAddress"))
if mibBuilder.loadTexts: ruckusSZAPSoftGREGatewayReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPSoftGREGatewayReachableTrap.setDescription('Trigger when there is an AP softGRE gateway reachable event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and soft GRE gateway IP address are enclosed.')
ruckusSZDPConfUpdateFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 70)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPConfigID"))
if mibBuilder.loadTexts: ruckusSZDPConfUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPConfUpdateFailedTrap.setDescription("Trigger when there is DP configuration update failed event. The event severity, event code, event type, DP's identifier and configuration UUID are enclosed.")
ruckusSZDPLostHeartbeatTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 71)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPLostHeartbeatTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPLostHeartbeatTrap.setDescription("Trigger when there is DP lost heart beat event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPDisconnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 72)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"))
if mibBuilder.loadTexts: ruckusSZDPDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPDisconnectedTrap.setDescription("Trigger when there is DP disconnected event. The event severity, event code, event type, DP's identifier and SZ control IP address are enclosed.")
ruckusSZDPPhyInterfaceDownTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 73)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZNetworkPortID"))
if mibBuilder.loadTexts: ruckusSZDPPhyInterfaceDownTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPPhyInterfaceDownTrap.setDescription("Trigger when there is DP physical interface down event. The event severity, event code, event type, DP's identifier and network port ID are enclosed.")
ruckusSZDPStatusUpdateFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 74)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPStatusUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPStatusUpdateFailedTrap.setDescription("Trigger when there is DP update status failed event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPStatisticUpdateFaliedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 75)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPStatisticUpdateFaliedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPStatisticUpdateFaliedTrap.setDescription("Trigger when there is DP update statistical failed event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPConnectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 76)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"))
if mibBuilder.loadTexts: ruckusSZDPConnectedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPConnectedTrap.setDescription("Trigger when there is DP connected event. The event severity, event code, event type, DP's identifier and SZ control IP are enclosed.")
ruckusSZDPPhyInterfaceUpTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 77)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZNetworkPortID"))
if mibBuilder.loadTexts: ruckusSZDPPhyInterfaceUpTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPPhyInterfaceUpTrap.setDescription("Trigger when there is DP physical interface up event. The event severity, event code, event type, DP's identifier and network port ID are enclosed.")
ruckusSZDPConfUpdatedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 78)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPConfigID"))
if mibBuilder.loadTexts: ruckusSZDPConfUpdatedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPConfUpdatedTrap.setDescription("Trigger when there is DP configuration updated event. The event severity, event code, event type, DP's identifier and configuration UUID are enclosed.")
ruckusSZDPTunnelTearDownTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 79)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZDPTunnelTearDownTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPTunnelTearDownTrap.setDescription("Trigger when there is DP tear down tunnel event. The event severity, event code, event type, DP's identifier, AP MAC address and event reason are enclosed.")
ruckusSZDPAcceptTunnelRequestTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 81)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"))
if mibBuilder.loadTexts: ruckusSZDPAcceptTunnelRequestTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPAcceptTunnelRequestTrap.setDescription("Trigger when there is data plane accepts a tunnel request from the AP event. The event severity, event code, event type, DP's identifier and AP MAC address are enclosed.")
ruckusSZDPRejectTunnelRequestTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 82)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZDPRejectTunnelRequestTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPRejectTunnelRequestTrap.setDescription("Trigger occurs where there is data plane rejects a tunnel request from the AP event. The event severity, event code, event type, DP's identifier, AP MAC address and event reason are enclosed.")
ruckusSZDPTunnelSetUpTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 85)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"))
if mibBuilder.loadTexts: ruckusSZDPTunnelSetUpTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPTunnelSetUpTrap.setDescription("Trigger when there is DP set up tunnel event. The event severity, event code, event type, DP's identifier and AP MAC address are enclosed.")
ruckusSZDPDiscoverySuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 86)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"))
if mibBuilder.loadTexts: ruckusSZDPDiscoverySuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPDiscoverySuccessTrap.setDescription("Trigger when there is a DP discovery success event. The event severity, event code, event type, DP's identifier and SZ control IP address are enclosed.")
ruckusSZDPDiscoveryFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 87)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"))
if mibBuilder.loadTexts: ruckusSZDPDiscoveryFailTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPDiscoveryFailTrap.setDescription("Trigger when there is a DP discovery failed event. The event severity, event code, event type, DP's identifier and SZ control IP address are enclosed.")
ruckusSZDPDeletedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 94)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPDeletedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPDeletedTrap.setDescription("Trigger when there is a DP is deleted event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPUpgradeStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 95)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPUpgradeStartTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPUpgradeStartTrap.setDescription("Trigger when there is DP started the upgrade process event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPUpgradingTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 96)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPUpgradingTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPUpgradingTrap.setDescription("Trigger when there is DP has started to upgrade program and configuration event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPUpgradeSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 97)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPUpgradeSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPUpgradeSuccessTrap.setDescription("Trigger when there is DP has been upgraded successfully event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZDPUpgradeFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 98)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPKey"))
if mibBuilder.loadTexts: ruckusSZDPUpgradeFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPUpgradeFailedTrap.setDescription("Trigger when there is DP failed to upgrade event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckusSZClientMiscEventTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 100)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventClientMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventDescription"))
if mibBuilder.loadTexts: ruckusSZClientMiscEventTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClientMiscEventTrap.setDescription('Generic trap triggered by specified client related miscellaneous event. The event severity, event code, event type, client MAC address and event description are enclosed.')
ruckusSZNodeJoinFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 200)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZNodeJoinFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeJoinFailedTrap.setDescription('Trigger when there is new node join failed event. The event severity, event code, event type, node name, node MAC address and cluster name are enclosed.')
ruckusSZNodeRemoveFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 201)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZNodeRemoveFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeRemoveFailedTrap.setDescription('Trigger when there is remove node failed event. The event severity, event code, event type, node name,node MAC address and cluster name are enclosed.')
ruckusSZNodeOutOfServiceTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 202)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZNodeOutOfServiceTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeOutOfServiceTrap.setDescription('Trigger when there is node out of service event. The event severity, event code, event type, node name,node MAC address and cluster name are enclosed.')
ruckusSZClusterInMaintenanceStateTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 203)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterInMaintenanceStateTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterInMaintenanceStateTrap.setDescription('Trigger when there is cluster in maintenance state event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterBackupFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 204)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterBackupFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterBackupFailedTrap.setDescription('Trigger when there is backup cluster failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterRestoreFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 205)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterRestoreFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterRestoreFailedTrap.setDescription('Trigger when there is restore cluster failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterAppStoppedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 206)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZClusterAppStoppedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterAppStoppedTrap.setDescription('Trigger when there is cluster application stop event. The event severity, event code, event type, application name, SZ node name and node MAC address are enclosed.')
ruckusSZNodeBondInterfaceDownTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 207)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZNetworkInterface"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZNodeBondInterfaceDownTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeBondInterfaceDownTrap.setDescription('Trigger when there is node bond interface down event. The event severity, event code, event type, network interface, SZ node name and node MAC address are enclosed.')
ruckusSZNodePhyInterfaceDownTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 208)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZNetworkInterface"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZNodePhyInterfaceDownTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodePhyInterfaceDownTrap.setDescription('Trigger when there is node physical interface down event. The event severity, event code, event type, network interface, SZ node name and node MAC address are enclosed.')
ruckusSZClusterLeaderChangedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 209)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterLeaderChangedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterLeaderChangedTrap.setDescription('Trigger when there is cluster leader changed event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckusSZClusterUpgradeSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 210)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventFirmwareVersion"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventUpgradedFirmwareVersion"))
if mibBuilder.loadTexts: ruckusSZClusterUpgradeSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterUpgradeSuccessTrap.setDescription('Trigger when there is upgrade entire cluster success event. The event severity, event code, event type, cluster name, firmware version and upgraded firmware version are enclosed.')
ruckusSZNodeBondInterfaceUpTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 211)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZNetworkInterface"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZNodeBondInterfaceUpTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeBondInterfaceUpTrap.setDescription('Trigger when there is node bond interface up event. The event severity, event code, event type, network interface, SZ node name and SZ MAC address are enclosed.')
ruckusSZNodePhyInterfaceUpTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 212)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZNetworkInterface"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZNodePhyInterfaceUpTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodePhyInterfaceUpTrap.setDescription('Trigger when there is node physical interface up event. The event severity, event code, event type,network interface, SZ node name and SZ MAC address are enclosed.')
ruckusSZClusterBackToInServiceTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 216)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterBackToInServiceTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterBackToInServiceTrap.setDescription('Trigger when there is cluster back to in service event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZBackupClusterSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 217)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZBackupClusterSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZBackupClusterSuccessTrap.setDescription('Trigger when there is backup cluster success event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZNodeJoinSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 218)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZNodeJoinSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeJoinSuccessTrap.setDescription('Trigger when there is new node join success event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckusSZClusterAppStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 219)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZClusterAppStartTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterAppStartTrap.setDescription('Trigger when there is cluster application start event. The event severity, event code, event type, application name, SZ node name and node MAC address are enclosed.')
ruckusSZNodeRemoveSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 220)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZNodeRemoveSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeRemoveSuccessTrap.setDescription('Trigger when there is remove node success event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckusSZClusterRestoreSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 221)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterRestoreSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterRestoreSuccessTrap.setDescription('Trigger when there is restore cluster success event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckusSZNodeBackToInServiceTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 222)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZNodeBackToInServiceTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNodeBackToInServiceTrap.setDescription('Trigger when there is node back to in service event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckusSZSshTunnelSwitchedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 223)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSwitchStatus"))
if mibBuilder.loadTexts: ruckusSZSshTunnelSwitchedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSshTunnelSwitchedTrap.setDescription('Trigger when there is SSH tunnel switched event. The event severity, event code, event type, SZ node name, node MAC address, cluster name and switch status are enclosed.')
ruckusSZClusterCfgBackupStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 224)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterCfgBackupStartTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterCfgBackupStartTrap.setDescription('Trigger when there is a configuration backup start event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterCfgBackupSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 225)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterCfgBackupSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterCfgBackupSuccessTrap.setDescription('Trigger when there is a configuration backup success event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterCfgBackupFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 226)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterCfgBackupFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterCfgBackupFailedTrap.setDescription('Trigger when there is a configuration backup failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterCfgRestoreSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 227)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterCfgRestoreSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterCfgRestoreSuccessTrap.setDescription('Trigger when there is a configuration restore success event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterCfgRestoreFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 228)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterCfgRestoreFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterCfgRestoreFailedTrap.setDescription('Trigger when there is a configuration restore failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterUploadSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 229)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterUploadSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterUploadSuccessTrap.setDescription('Trigger when there is a cluster upload success event. The event severity, event code, event type, cluster name are enclosed.')
ruckusSZClusterUploadFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 230)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZClusterUploadFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterUploadFailedTrap.setDescription('Trigger when there is a cluster upload failed event. The event severity, event code, event type, cluster name, failure reason are enclosed.')
ruckusSZClusterOutOfServiceTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 231)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterOutOfServiceTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterOutOfServiceTrap.setDescription('Trigger when there is a cluster out of service event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterUploadVDPFirmwareStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 232)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterUploadVDPFirmwareStartTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterUploadVDPFirmwareStartTrap.setDescription('Trigger when there is a cluster upload vDP firmware process starts event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterUploadVDPFirmwareSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 233)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"))
if mibBuilder.loadTexts: ruckusSZClusterUploadVDPFirmwareSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterUploadVDPFirmwareSuccessTrap.setDescription('Trigger when there is a cluster uploaded vDP firmware successfully event. The event severity, event code, event type and cluster name are enclosed.')
ruckusSZClusterUploadVDPFirmwareFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 234)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZClusterName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZClusterUploadVDPFirmwareFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterUploadVDPFirmwareFailedTrap.setDescription('Trigger when there is a cluster failed to upload vDP firmware event. The event severity, event code, event type, cluster name and failure reason are enclosed.')
ruckusSZIpmiTempBBTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 251)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZTemperatureStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiTempBBTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiTempBBTrap.setDescription('Trigger when there is baseboard temperature event. The event severity, event code, event type, temperature status and SZ node MAC address are enclosed.')
ruckusSZIpmiTempPTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 256)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessorId"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZTemperatureStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiTempPTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiTempPTrap.setDescription('Trigger when there is processor temperature event. The event severity, event code, event type, processor id, temperature status and SZ node MAC address are enclosed.')
ruckusSZIpmiFanTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 258)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanId"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiFanTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiFanTrap.setDescription('Trigger when there is system fan event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckusSZIpmiFanStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 261)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanId"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiFanStatusTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiFanStatusTrap.setDescription('Trigger when there is fan module event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckusSZIpmiRETempBBTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 265)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZTemperatureStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiRETempBBTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiRETempBBTrap.setDescription('Trigger when there is baseboard temperature status recover from abnormal condition event. The event severity, event code, event type, temperature status and SZ node MAC address are enclosed.')
ruckusSZIpmiRETempPTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 270)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessorId"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZTemperatureStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiRETempPTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiRETempPTrap.setDescription('Trigger when there is processor temperature status recover from abnormal condition event. The event severity, event code, event type, processor id, temperature status and SZ node MAC address are enclosed.')
ruckusSZIpmiREFanTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 272)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanId"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiREFanTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiREFanTrap.setDescription('Trigger when there is system fan module status recover from abnormal condition event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckusSZIpmiREFanStatusTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 275)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanId"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFanStatus"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZIpmiREFanStatusTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIpmiREFanStatusTrap.setDescription('Trigger when there is fan module status recover from abnormal condition event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckusSZFtpTransferErrorTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 280)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFtpIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFtpPort"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZFileName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZFtpTransferErrorTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZFtpTransferErrorTrap.setDescription('Trigger when there is FTP transfer error event. The event severity, event code, event type, FTP server IP address, FTP server port, file name and SZ node MAC address are enclosed.')
ruckusSZSystemLBSConnectSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 290)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"))
if mibBuilder.loadTexts: ruckusSZSystemLBSConnectSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSystemLBSConnectSuccessTrap.setDescription('Trigger when there is SmartZone successfully connect to LS event. The event severity, event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckusSZSystemLBSNoResponseTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 291)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"))
if mibBuilder.loadTexts: ruckusSZSystemLBSNoResponseTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSystemLBSNoResponseTrap.setDescription('Trigger when there is SmartZone connect to LS no response event. The event severity,event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckusSZSystemLBSAuthFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 292)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"))
if mibBuilder.loadTexts: ruckusSZSystemLBSAuthFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSystemLBSAuthFailedTrap.setDescription('Trigger when there is SmartZone connect LS authentication failure event. The event severity, event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckusSZSystemLBSConnectFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 293)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSURL"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLBSPort"))
if mibBuilder.loadTexts: ruckusSZSystemLBSConnectFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSystemLBSConnectFailedTrap.setDescription('Trigger when there is SmartZone failed connect to LS event. The event severity, event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckusSZProcessRestartTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 300)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZProcessRestartTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZProcessRestartTrap.setDescription('Trigger when there is process restart event. The event severity, event code, event type, process name, SZ node MAC address and management IP address are enclosed.')
ruckusSZServiceUnavailableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 301)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZServiceUnavailableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZServiceUnavailableTrap.setDescription('Trigger when there is service unavailable event. The event severity, event code, event type, process name, SZ node MAC address and management IP address are enclosed.')
ruckusSZKeepAliveFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 302)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZKeepAliveFailureTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZKeepAliveFailureTrap.setDescription('Trigger when there is service keep alive failure event. The event severity, event code, event type, source process name, process name, SZ node MAC address and management IP address are enclosed.')
ruckusSZResourceUnavailableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 304)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZResourceUnavailableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZResourceUnavailableTrap.setDescription('Trigger when there is resource unavailable event. The event severity, event code, event type, source process name, SZ node MAC address, management IP address and reason are enclosed.')
ruckusSZSmfRegFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 305)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZSmfRegFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSmfRegFailedTrap.setDescription('Trigger when there is SMF registration failed event. The event severity, event code, event type, source process name, SZ node MAC address and management IP address are enclosed.')
ruckusSZHipFailoverTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 306)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZHipFailoverTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZHipFailoverTrap.setDescription('Trigger when there is HIP failover event. The event severity, event code, event type, source process name, SZ node MAC address and management IP address are enclosed.')
ruckusSZConfUpdFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 307)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZProcessName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZConfUpdFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZConfUpdFailedTrap.setDescription('Trigger when there is configuration update failed event. The event severity, event code, event type, process name, SZ node MAC address, management IP address and failure reason are enclosed.')
ruckusSZConfRcvFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 308)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZConfRcvFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZConfRcvFailedTrap.setDescription('Trigger when there is SZ configuration receive failed event. The event severity, event code, event type, SZ node MAC address, management IP address and failure reason are enclosed.')
ruckusSZLostCnxnToDbladeTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 309)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZLostCnxnToDbladeTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLostCnxnToDbladeTrap.setDescription('Trigger when there is lost connection to DP, The event severity, event code, event type, SZ control IP address, DP IP address, SZ node MAC address and management IP address are enclosed.')
ruckusSZAuthSrvrNotReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 314)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAuthSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZRadProxyIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZAuthSrvrNotReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAuthSrvrNotReachableTrap.setDescription('Trigger when there is authentication server not reachable event. The event severity, event code, event type, authentication server IP address, radius proxy IP address, SZ node MAC address and management IP address are enclosed.')
ruckusSZAccSrvrNotReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 315)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAccSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZRadProxyIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZAccSrvrNotReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAccSrvrNotReachableTrap.setDescription('Trigger when there is accounting server not reachable event. The event severity, event code, event type, accounting server IP address, radius proxy IP address, SZ node MAC address and management IP address are enclosed.')
ruckusSZAuthFailedNonPermanentIDTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 317)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEImsi"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEMsisdn"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventReason"))
if mibBuilder.loadTexts: ruckusSZAuthFailedNonPermanentIDTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAuthFailedNonPermanentIDTrap.setDescription('Trigger when there is non-permanent ID authentication failed event. The event severity, event code, event type, UE imsi, UE msisdn, SZ node MAC address, management IP address and failure reason are enclosed.')
ruckusSZAPAcctRespWhileInvalidConfigTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 347)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUserName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPAcctRespWhileInvalidConfigTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPAcctRespWhileInvalidConfigTrap.setDescription('Trigger when there is SZ sends response to AP accounting message while configuration is incorrect in SZ to forward received message or to generate CDR event. The event severity, event code, event type, source process name, AP IP address, user Name, SZ node MAC address, management IP address and AP IPv6 address are enclosed.')
ruckusSZAPAcctMsgDropNoAcctStartMsgTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 348)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUserName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPAcctMsgDropNoAcctStartMsgTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPAcctMsgDropNoAcctStartMsgTrap.setDescription('Trigger when there is accounting message from AP dropped Acct Interim/Stop message as Account Start no received from AP event. The event severity, event code, event type, source process name, AP IP address, user Name, SZ node MAC address, management IP address and AP IPv6 address are enclosed.')
ruckusSZUnauthorizedCoaDmMessageDroppedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 349)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcProcess"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZRadSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZUnauthorizedCoaDmMessageDroppedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZUnauthorizedCoaDmMessageDroppedTrap.setDescription('Trigger when there is received COA/DM from unauthorized AAA server event. The event severity, event code, event type, source process name, AAA server IP address, SZ node MAC address and management IP address are enclosed.')
ruckusSZConnectedToDbladeTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 350)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZConnectedToDbladeTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZConnectedToDbladeTrap.setDescription('Trigger when there is successful connection to DP event. The event severity, event code, event type, SZ control IP address, DP IP address, SZ node MAC address and management IP address are enclosed.')
ruckusSZSessUpdatedAtDbladeTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 354)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEImsi"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEMsisdn"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZSessUpdatedAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSessUpdatedAtDbladeTrap.setDescription('Trigger when there is session updates the request (C-D-SESS-UPD-REQ) successfully event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address and management IP address are enclosed.')
ruckusSZSessUpdateErrAtDbladeTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 355)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEImsi"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEMsisdn"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZSessUpdateErrAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSessUpdateErrAtDbladeTrap.setDescription('Trigger when there is session updates the request (C-D-SESS-UPD-REQ) failed event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address, management IP address are enclosed.')
ruckusSZSessDeletedAtDbladeTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 356)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEImsi"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEMsisdn"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZSessDeletedAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSessDeletedAtDbladeTrap.setDescription('Trigger when there is session deletes request (C-D-SESS-DEL-REQ) successfully event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address and management IP address are enclosed.')
ruckusSZSessDeleteErrAtDbladeTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 357)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCtrlIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEImsi"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZUEMsisdn"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeMgmtIp"))
if mibBuilder.loadTexts: ruckusSZSessDeleteErrAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSessDeleteErrAtDbladeTrap.setDescription('Trigger when there is session deletes request (C-D-SESS-DEL-REQ) failed event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address and management IP address are enclosed.')
ruckusSZLicenseSyncSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 358)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLicenseServerName"))
if mibBuilder.loadTexts: ruckusSZLicenseSyncSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseSyncSuccessTrap.setDescription('Trigger when there is license data syncs up with license server successfully event. The event severity, event code, event type, node name, license server name are enclosed.')
ruckusSZLicenseSyncFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 359)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLicenseServerName"))
if mibBuilder.loadTexts: ruckusSZLicenseSyncFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseSyncFailedTrap.setDescription('Trigger when there is license data syncs up with license server failed event. The event severity, event code, event type, node name, license server name are enclosed.')
ruckusSZLicenseImportSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 360)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"))
if mibBuilder.loadTexts: ruckusSZLicenseImportSuccessTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseImportSuccessTrap.setDescription('Trigger when there is license data import successfully event. The event severity, event code, event type and node name are enclosed.')
ruckusSZLicenseImportFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 361)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventNodeName"))
if mibBuilder.loadTexts: ruckusSZLicenseImportFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseImportFailedTrap.setDescription('Trigger when there is license data import failed event. The event severity, event code, event type and node name are enclosed.')
ruckusSZSyslogServerReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 370)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSyslogServerAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZSyslogServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSyslogServerReachableTrap.setDescription('Trigger when there is a syslog server reachable event. The event severity, event code, event type, syslog server address and SZ node MAC address are enclosed.')
ruckusSZSyslogServerUnreachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 371)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSyslogServerAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZSyslogServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSyslogServerUnreachableTrap.setDescription('Trigger when there is a syslog server unreachable event. The event severity, event code, event type, syslog server address and SZ node MAC address are enclosed.')
ruckusSZSyslogServerSwitchedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 372)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSrcSyslogServerAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDestSyslogServerAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventMacAddr"))
if mibBuilder.loadTexts: ruckusSZSyslogServerSwitchedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSyslogServerSwitchedTrap.setDescription('Trigger when there is a syslog server switched event. The event severity, event code, event type, source syslog server address, destination syslog server address and SZ node MAC address are enclosed.')
ruckusSZAPRadiusServerReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 400)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZRadSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPRadiusServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPRadiusServerReachableTrap.setDescription('Trigger when there is an AP is able to reach radius server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, radius server IP address and AP IPv6 address are enclosed.')
ruckusSZAPRadiusServerUnreachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 401)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZRadSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPRadiusServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPRadiusServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach radius server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, radius server IP address and AP IPv6 address are enclosed.')
ruckusSZAPLDAPServerReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 402)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLDAPSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLDAPServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLDAPServerReachableTrap.setDescription('Trigger when there is an AP is able to reach LDAP server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LDAP server IP address and AP IPv6 address are enclosed.')
ruckusSZAPLDAPServerUnreachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 403)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZLDAPSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPLDAPServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPLDAPServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach LDAP server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LDAP server IP address and AP IPv6 address are enclosed.')
ruckusSZAPADServerReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 404)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZADSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPADServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPADServerReachableTrap.setDescription('Trigger when there is an AP is able to reach AD server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AD server IP address and AP IPv6 address are enclosed.')
ruckusSZAPADServerUnreachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 405)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZADSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPADServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPADServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach AD server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AD server IP address and AP IPv6 address are enclosed.')
ruckusSZAPUsbSoftwarePackageDownloadedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 406)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSoftwareName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPUsbSoftwarePackageDownloadedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPUsbSoftwarePackageDownloadedTrap.setDescription('Trigger when there is an AP downloaded its USB software package successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, USB software name and AP IPv6 address are enclosed.')
ruckusSZAPUsbSoftwarePackageDownloadFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 407)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZSoftwareName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZAPUsbSoftwarePackageDownloadFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPUsbSoftwarePackageDownloadFailedTrap.setDescription('Trigger when there is an AP failed to download its USB software package event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, USB software name and AP IPv6 address are enclosed.')
ruckusSZEspAuthServerReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 408)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAuthSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspAuthServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspAuthServerReachableTrap.setDescription('Trigger when there is an AP is able to reach WeChat ESP authentication server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server IP address and AP IPv6 address are enclosed.')
ruckusSZEspAuthServerUnreachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 409)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZAuthSrvrIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspAuthServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspAuthServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach WeChat ESP authentication server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server IP address and AP IPv6 address are enclosed.')
ruckusSZEspAuthServerResolvableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 410)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDomainName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspAuthServerResolvableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspAuthServerResolvableTrap.setDescription('Trigger when there is an AP is able to resolve WeChat ESP authentication server domain name successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckusSZEspAuthServerUnResolvableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 411)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDomainName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspAuthServerUnResolvableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspAuthServerUnResolvableTrap.setDescription('Trigger when there is an AP is unable to resolve WeChat ESP authentication server domain name event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckusSZEspDNATServerReachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 412)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDNATIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspDNATServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspDNATServerReachableTrap.setDescription('Trigger when there is an AP is able to reach WeChat ESP DNAT server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, DNAT server IP address and AP IPv6 address are enclosed.')
ruckusSZEspDNATServerUnreachableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 413)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDNATIp"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspDNATServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspDNATServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach WeChat ESP DNAT server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, DNAT server IP address and AP IPv6 address are enclosed.')
ruckusSZEspDNATServerResolvableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 414)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDomainName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspDNATServerResolvableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspDNATServerResolvableTrap.setDescription('Trigger when there is an AP is able to resolve WeChat ESP DNAT server domain name successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckusSZEspDNATServerUnresolvableTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 415)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZDomainName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZEspDNATServerUnresolvableTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEspDNATServerUnresolvableTrap.setDescription('Trigger when there is an AP is unable to resolve WeChat ESP DNAT server domain name event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckusRateLimitTORSurpassedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 500)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZRadSrvrIp"))
if mibBuilder.loadTexts: ruckusRateLimitTORSurpassedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusRateLimitTORSurpassedTrap.setDescription('Trigger when there is received rate Limit for Total Outstanding Requests(TOR) Surpassed event. The event severity, event code, event type and AAA server IP address are enclosed.')
ruckusSZIPSecTunnelAssociatedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 600)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZIPSecGWAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZIPSecTunnelAssociatedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIPSecTunnelAssociatedTrap.setDescription('Trigger when there is an AP is able to reach secure gateway successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, secure gateway address and AP IPv6 address are enclosed.')
ruckusSZIPSecTunnelDisassociatedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 601)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZIPSecGWAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZIPSecTunnelDisassociatedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIPSecTunnelDisassociatedTrap.setDescription('Trigger when there is an AP is disconnected from secure gateway event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, secure gateway address and AP IPv6 address are enclosed.')
ruckusSZIPSecTunnelAssociateFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 602)).setObjects(("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventSeverity"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventCode"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventType"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPName"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPMacAddr"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIP"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPLocation"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPDescription"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPGPSCoordinates"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZIPSecGWAddress"), ("RUCKUS-SZ-EVENT-MIB", "ruckusSZEventAPIPv6"))
if mibBuilder.loadTexts: ruckusSZIPSecTunnelAssociateFailedTrap.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIPSecTunnelAssociateFailedTrap.setDescription('Trigger when there is an AP is not able to reach secure gateway successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, secure gateway address and AP IPv6 address are enclosed.')
ruckusSZEventDescription = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 1), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventDescription.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventDescription.setDescription("The event's description.")
ruckusSZClusterName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 2), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZClusterName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZClusterName.setDescription("The SZ's cluster name.")
ruckusSZEventCode = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 10), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventCode.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventCode.setDescription("The event's code.")
ruckusSZProcessName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 11), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZProcessName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZProcessName.setDescription('The process name.')
ruckusSZEventCtrlIP = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 12), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventCtrlIP.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventCtrlIP.setDescription("The SZ's node control IP address.")
ruckusSZEventSeverity = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 13), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventSeverity.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventSeverity.setDescription("The event's severity.")
ruckusSZEventType = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 14), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventType.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventType.setDescription("The event's type.")
ruckusSZEventNodeMgmtIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 15), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventNodeMgmtIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventNodeMgmtIp.setDescription("The SZ's management IP address.")
ruckusSZEventNodeName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 16), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventNodeName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventNodeName.setDescription("The SZ's node name.")
ruckusSZCPUPerc = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 17), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZCPUPerc.setStatus('current')
if mibBuilder.loadTexts: ruckusSZCPUPerc.setDescription("The SZ's CPU usage percent.")
ruckusSZMemoryPerc = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 18), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZMemoryPerc.setStatus('current')
if mibBuilder.loadTexts: ruckusSZMemoryPerc.setDescription("The SZ's memory usage percent.")
ruckusSZDiskPerc = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 19), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDiskPerc.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDiskPerc.setDescription("The SZ's disk usage percent.")
ruckusSZEventMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 20), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventMacAddr.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventMacAddr.setDescription("The SZ's MAC address.")
ruckusSZEventFirmwareVersion = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 21), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventFirmwareVersion.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventFirmwareVersion.setDescription("The SZ's firmware version.")
ruckusSZEventUpgradedFirmwareVersion = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 22), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventUpgradedFirmwareVersion.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventUpgradedFirmwareVersion.setDescription("The SZ's upgrade firmware version.")
ruckusSZEventAPMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 23), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPMacAddr.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPMacAddr.setDescription("The AP's MAC address.")
ruckusSZEventReason = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 24), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventReason.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventReason.setDescription("The event's reason.")
ruckusSZEventAPName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 25), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPName.setDescription("The AP's name.")
ruckusSZEventAPIP = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 26), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPIP.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPIP.setDescription("The AP's IP address.")
ruckusSZEventAPLocation = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 27), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPLocation.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPLocation.setDescription("The AP's location.")
ruckusSZEventAPGPSCoordinates = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 28), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPGPSCoordinates.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPGPSCoordinates.setDescription("The AP's GPS coordinates.")
ruckusSZEventAPDescription = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 29), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPDescription.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPDescription.setDescription("The AP's description.")
ruckusSZAPModel = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 31), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZAPModel.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPModel.setDescription('The AP model')
ruckusSZConfigAPModel = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 32), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZConfigAPModel.setStatus('current')
if mibBuilder.loadTexts: ruckusSZConfigAPModel.setDescription('The configured AP model')
ruckusSZAPConfigID = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 33), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZAPConfigID.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAPConfigID.setDescription("The AP's configuration UUID")
ruckusSZEventAPIPv6 = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 35), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventAPIPv6.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventAPIPv6.setDescription("The AP's IPv6 address.")
ruckusSZLBSURL = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 38), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZLBSURL.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLBSURL.setDescription("The LBS server's URL")
ruckusSZLBSPort = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 39), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZLBSPort.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLBSPort.setDescription("The LBS server's port")
ruckusSZEventSSID = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 40), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventSSID.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventSSID.setDescription('The WLAN ssid')
ruckusSZEventRogueMac = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 45), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventRogueMac.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventRogueMac.setDescription('The rogue MAC Address')
ruckusPrimaryGRE = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 46), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusPrimaryGRE.setStatus('current')
if mibBuilder.loadTexts: ruckusPrimaryGRE.setDescription('The primary GRE gateway.')
ruckusSecondaryGRE = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 47), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSecondaryGRE.setStatus('current')
if mibBuilder.loadTexts: ruckusSecondaryGRE.setDescription('The secondary GRE gateway.')
ruckusSoftGREGatewayList = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 48), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSoftGREGatewayList.setStatus('current')
if mibBuilder.loadTexts: ruckusSoftGREGatewayList.setDescription('The softGRE gateway list. It could be IP address or FQDN and must have only two IPs/DNs separated by semicolon (;).')
ruckusSZSoftGREGWAddress = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 49), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZSoftGREGWAddress.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSoftGREGWAddress.setDescription('The softGRE gateway IP address.')
ruckusSZEventClientMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 50), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZEventClientMacAddr.setStatus('current')
if mibBuilder.loadTexts: ruckusSZEventClientMacAddr.setDescription("The client's MAC address.")
ruckusSZDPKey = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 80), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDPKey.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPKey.setDescription("The DP's identifier.")
ruckusSZDPConfigID = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 81), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDPConfigID.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPConfigID.setDescription("The DP's configuration ID.")
ruckusSZDPIP = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 82), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDPIP.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDPIP.setDescription("The DP's IP address.")
ruckusSZNetworkPortID = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 100), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZNetworkPortID.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNetworkPortID.setDescription('The network port ID.')
ruckusSZNetworkInterface = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 101), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZNetworkInterface.setStatus('current')
if mibBuilder.loadTexts: ruckusSZNetworkInterface.setDescription('The network interface.')
ruckusSZSwitchStatus = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 102), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZSwitchStatus.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSwitchStatus.setDescription('The switch status.')
ruckusSZTemperatureStatus = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 120), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZTemperatureStatus.setStatus('current')
if mibBuilder.loadTexts: ruckusSZTemperatureStatus.setDescription('The temperature status.')
ruckusSZProcessorId = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 121), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZProcessorId.setStatus('current')
if mibBuilder.loadTexts: ruckusSZProcessorId.setDescription('The processor ID.')
ruckusSZFanId = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 122), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZFanId.setStatus('current')
if mibBuilder.loadTexts: ruckusSZFanId.setDescription('The fan module ID.')
ruckusSZFanStatus = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 123), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZFanStatus.setStatus('current')
if mibBuilder.loadTexts: ruckusSZFanStatus.setDescription('The fan module status.')
ruckusSZLicenseType = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 150), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZLicenseType.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseType.setDescription('The license type')
ruckusSZLicenseUsagePerc = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 151), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZLicenseUsagePerc.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseUsagePerc.setDescription('The license usage percent.')
ruckusSZLicenseServerName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 152), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZLicenseServerName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLicenseServerName.setDescription('The license server name.')
ruckusSZIPSecGWAddress = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 153), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZIPSecGWAddress.setStatus('current')
if mibBuilder.loadTexts: ruckusSZIPSecGWAddress.setDescription('The secure gateway address.')
ruckusSZSyslogServerAddress = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 154), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZSyslogServerAddress.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSyslogServerAddress.setDescription('The syslog server address.')
ruckusSZSrcSyslogServerAddress = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 155), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZSrcSyslogServerAddress.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSrcSyslogServerAddress.setDescription('The source syslog server address.')
ruckusSZDestSyslogServerAddress = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 156), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDestSyslogServerAddress.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDestSyslogServerAddress.setDescription('The destination syslog server address.')
ruckusSZFtpIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 200), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZFtpIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZFtpIp.setDescription('The FTP server IP address.')
ruckusSZFtpPort = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 201), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZFtpPort.setStatus('current')
if mibBuilder.loadTexts: ruckusSZFtpPort.setDescription('The FTP server port.')
ruckusSZSrcProcess = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 301), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZSrcProcess.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSrcProcess.setDescription('The source process name.')
ruckusSZUEImsi = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 305), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZUEImsi.setStatus('current')
if mibBuilder.loadTexts: ruckusSZUEImsi.setDescription('The UE IMSI.')
ruckusSZUEMsisdn = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 306), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZUEMsisdn.setStatus('current')
if mibBuilder.loadTexts: ruckusSZUEMsisdn.setDescription('The UE MSISDN.')
ruckusSZAuthSrvrIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 307), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZAuthSrvrIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAuthSrvrIp.setDescription('The authentication server IP address.')
ruckusSZRadProxyIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 308), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZRadProxyIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZRadProxyIp.setDescription('The radius proxy IP address.')
ruckusSZAccSrvrIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 309), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZAccSrvrIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZAccSrvrIp.setDescription('The accounting server IP address.')
ruckusSZRadSrvrIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 312), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZRadSrvrIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZRadSrvrIp.setDescription('The radius server IP address.')
ruckusSZUserName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 324), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZUserName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZUserName.setDescription('The user name.')
ruckusSZFileName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 326), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZFileName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZFileName.setDescription('The file name.')
ruckusSZLDAPSrvrIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 327), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZLDAPSrvrIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZLDAPSrvrIp.setDescription('The LDAP server IP address.')
ruckusSZADSrvrIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 328), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZADSrvrIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZADSrvrIp.setDescription('The AD server IP address.')
ruckusSZSoftwareName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 329), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZSoftwareName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZSoftwareName.setDescription('The software name.')
ruckusSZDomainName = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 330), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDomainName.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDomainName.setDescription('The domain name.')
ruckusSZDNATIp = MibScalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 331), OctetString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ruckusSZDNATIp.setStatus('current')
if mibBuilder.loadTexts: ruckusSZDNATIp.setDescription('The DNAT server IP address.')
mibBuilder.exportSymbols("RUCKUS-SZ-EVENT-MIB", ruckusSZAPWlanOversubscribedTrap=ruckusSZAPWlanOversubscribedTrap, ruckusSZDPRejectTunnelRequestTrap=ruckusSZDPRejectTunnelRequestTrap, ruckusSZIpmiFanTrap=ruckusSZIpmiFanTrap, ruckusSZAPManagedTrap=ruckusSZAPManagedTrap, ruckusSZClusterCfgBackupStartTrap=ruckusSZClusterCfgBackupStartTrap, ruckusSZAPLBSConnectSuccessTrap=ruckusSZAPLBSConnectSuccessTrap, ruckusSZMemoryPerc=ruckusSZMemoryPerc, ruckusSZEventObjects=ruckusSZEventObjects, ruckusSZAPTunnelDisconnectedTrap=ruckusSZAPTunnelDisconnectedTrap, ruckusSZSyslogServerUnreachableTrap=ruckusSZSyslogServerUnreachableTrap, ruckusSZIPSecTunnelDisassociatedTrap=ruckusSZIPSecTunnelDisassociatedTrap, ruckusSZClusterAppStoppedTrap=ruckusSZClusterAppStoppedTrap, ruckusSZEventAPIPv6=ruckusSZEventAPIPv6, ruckusSZClusterRestoreSuccessTrap=ruckusSZClusterRestoreSuccessTrap, ruckusSZEventAPLocation=ruckusSZEventAPLocation, ruckusSZAPSoftGREGatewayNotReachableTrap=ruckusSZAPSoftGREGatewayNotReachableTrap, ruckusSZADSrvrIp=ruckusSZADSrvrIp, ruckusSZDPUpgradeSuccessTrap=ruckusSZDPUpgradeSuccessTrap, ruckusSZNetworkInterface=ruckusSZNetworkInterface, ruckusSZCMResetByUserTrap=ruckusSZCMResetByUserTrap, ruckusSZBackupClusterSuccessTrap=ruckusSZBackupClusterSuccessTrap, ruckusSZCriticalAPDisconnectedTrap=ruckusSZCriticalAPDisconnectedTrap, ruckusSZAPRebootTrap=ruckusSZAPRebootTrap, ruckusSZDPDiscoverySuccessTrap=ruckusSZDPDiscoverySuccessTrap, ruckusSZIpmiFanStatusTrap=ruckusSZIpmiFanStatusTrap, ruckusSZEspDNATServerUnresolvableTrap=ruckusSZEspDNATServerUnresolvableTrap, ruckusSZConfUpdFailedTrap=ruckusSZConfUpdFailedTrap, PYSNMP_MODULE_ID=ruckusSZEventMIB, ruckusSZClusterUploadVDPFirmwareFailedTrap=ruckusSZClusterUploadVDPFirmwareFailedTrap, ruckusSZEventSeverity=ruckusSZEventSeverity, ruckusSZAPFactoryResetTrap=ruckusSZAPFactoryResetTrap, ruckusSZSameNetworkRogueAPDetectedTrap=ruckusSZSameNetworkRogueAPDetectedTrap, ruckusSZSessDeleteErrAtDbladeTrap=ruckusSZSessDeleteErrAtDbladeTrap, ruckusSZSystemLBSConnectFailedTrap=ruckusSZSystemLBSConnectFailedTrap, ruckusSZAPUsbSoftwarePackageDownloadedTrap=ruckusSZAPUsbSoftwarePackageDownloadedTrap, ruckusSZDPDisconnectedTrap=ruckusSZDPDisconnectedTrap, ruckusSZAuthSrvrIp=ruckusSZAuthSrvrIp, ruckusSZFanId=ruckusSZFanId, ruckusSZMacSpoofingRogueAPDetectedTrap=ruckusSZMacSpoofingRogueAPDetectedTrap, ruckusSZClusterAppStartTrap=ruckusSZClusterAppStartTrap, ruckusSZDPPhyInterfaceDownTrap=ruckusSZDPPhyInterfaceDownTrap, ruckusSZDPUpgradeStartTrap=ruckusSZDPUpgradeStartTrap, ruckusSZClusterCfgBackupFailedTrap=ruckusSZClusterCfgBackupFailedTrap, ruckusSZAPDiscoverySuccessTrap=ruckusSZAPDiscoverySuccessTrap, ruckusSZAPFirmwareUpdatedTrap=ruckusSZAPFirmwareUpdatedTrap, ruckusSZDestSyslogServerAddress=ruckusSZDestSyslogServerAddress, ruckusSZAPTunnelBuildFailedTrap=ruckusSZAPTunnelBuildFailedTrap, ruckusSZClusterOutOfServiceTrap=ruckusSZClusterOutOfServiceTrap, ruckusSZAPADServerReachableTrap=ruckusSZAPADServerReachableTrap, ruckusSZAuthSrvrNotReachableTrap=ruckusSZAuthSrvrNotReachableTrap, ruckusSZNodeBondInterfaceUpTrap=ruckusSZNodeBondInterfaceUpTrap, ruckusSZSyslogServerReachableTrap=ruckusSZSyslogServerReachableTrap, ruckusSZSoftwareName=ruckusSZSoftwareName, ruckusSZCPUUsageThresholdBackToNormalTrap=ruckusSZCPUUsageThresholdBackToNormalTrap, ruckusSZDPConfUpdatedTrap=ruckusSZDPConfUpdatedTrap, ruckusSZEventRogueMac=ruckusSZEventRogueMac, ruckusSZFanStatus=ruckusSZFanStatus, ruckusSZEventNodeMgmtIp=ruckusSZEventNodeMgmtIp, ruckusSZUEImsi=ruckusSZUEImsi, ruckusSZAPSoftGRETunnelFailoverPtoSTrap=ruckusSZAPSoftGRETunnelFailoverPtoSTrap, ruckusSZAPLBSConnectFailedTrap=ruckusSZAPLBSConnectFailedTrap, ruckusSZNodePhyInterfaceDownTrap=ruckusSZNodePhyInterfaceDownTrap, ruckusSZSessUpdateErrAtDbladeTrap=ruckusSZSessUpdateErrAtDbladeTrap, ruckusSZEventAPGPSCoordinates=ruckusSZEventAPGPSCoordinates, ruckusSZEventFirmwareVersion=ruckusSZEventFirmwareVersion, ruckusSZClusterUploadVDPFirmwareStartTrap=ruckusSZClusterUploadVDPFirmwareStartTrap, ruckusSZEventMacAddr=ruckusSZEventMacAddr, ruckusSZAPPreProvisionModelDiffTrap=ruckusSZAPPreProvisionModelDiffTrap, ruckusSecondaryGRE=ruckusSecondaryGRE, ruckusSZRadProxyIp=ruckusSZRadProxyIp, ruckusSZEventTraps=ruckusSZEventTraps, ruckusSZSSIDSpoofingRogueAPDetectedTrap=ruckusSZSSIDSpoofingRogueAPDetectedTrap, ruckusSZDPStatisticUpdateFaliedTrap=ruckusSZDPStatisticUpdateFaliedTrap, ruckusRateLimitTORSurpassedTrap=ruckusRateLimitTORSurpassedTrap, ruckusSZClusterName=ruckusSZClusterName, ruckusSZDPKey=ruckusSZDPKey, ruckusSZDPUpgradeFailedTrap=ruckusSZDPUpgradeFailedTrap, ruckusSZDPAcceptTunnelRequestTrap=ruckusSZDPAcceptTunnelRequestTrap, ruckusSZProcessRestartTrap=ruckusSZProcessRestartTrap, ruckusSZSyslogServerSwitchedTrap=ruckusSZSyslogServerSwitchedTrap, ruckusSZDNATIp=ruckusSZDNATIp, ruckusSZLBSURL=ruckusSZLBSURL, ruckusSZClusterRestoreFailedTrap=ruckusSZClusterRestoreFailedTrap, ruckusSZEspDNATServerUnreachableTrap=ruckusSZEspDNATServerUnreachableTrap, ruckusSZAPRadiusServerUnreachableTrap=ruckusSZAPRadiusServerUnreachableTrap, ruckusSZIPSecTunnelAssociateFailedTrap=ruckusSZIPSecTunnelAssociateFailedTrap, ruckusSZLicenseUsageThresholdExceededTrap=ruckusSZLicenseUsageThresholdExceededTrap, ruckusSZDPDiscoveryFailTrap=ruckusSZDPDiscoveryFailTrap, ruckusSZEventDescription=ruckusSZEventDescription, ruckusSZSshTunnelSwitchedTrap=ruckusSZSshTunnelSwitchedTrap, ruckusSZAPSoftGRETunnelFailoverStoPTrap=ruckusSZAPSoftGRETunnelFailoverStoPTrap, ruckusSZIpmiTempPTrap=ruckusSZIpmiTempPTrap, ruckusSZMemoryUsageThresholdExceededTrap=ruckusSZMemoryUsageThresholdExceededTrap, ruckusSZLicenseImportSuccessTrap=ruckusSZLicenseImportSuccessTrap, ruckusSZCableModemDownTrap=ruckusSZCableModemDownTrap, ruckusSZEspDNATServerReachableTrap=ruckusSZEspDNATServerReachableTrap, ruckusSZAPConfUpdatedTrap=ruckusSZAPConfUpdatedTrap, ruckusSZAPADServerUnreachableTrap=ruckusSZAPADServerUnreachableTrap, ruckusSZConfigAPModel=ruckusSZConfigAPModel, ruckusSZEventClientMacAddr=ruckusSZEventClientMacAddr, ruckusSZAccSrvrNotReachableTrap=ruckusSZAccSrvrNotReachableTrap, ruckusSZClusterUpgradeSuccessTrap=ruckusSZClusterUpgradeSuccessTrap, ruckusSZResourceUnavailableTrap=ruckusSZResourceUnavailableTrap, ruckusSZEventMIB=ruckusSZEventMIB, ruckusSZClusterBackupFailedTrap=ruckusSZClusterBackupFailedTrap, ruckusSZEventAPMacAddr=ruckusSZEventAPMacAddr, ruckusSZAPAcctMsgDropNoAcctStartMsgTrap=ruckusSZAPAcctMsgDropNoAcctStartMsgTrap, ruckusSZDiskUsageThresholdBackToNormalTrap=ruckusSZDiskUsageThresholdBackToNormalTrap, ruckusSZDPStatusUpdateFailedTrap=ruckusSZDPStatusUpdateFailedTrap, ruckusSZAPConnectedTrap=ruckusSZAPConnectedTrap, ruckusSZFtpPort=ruckusSZFtpPort, ruckusSZCableModemUpTrap=ruckusSZCableModemUpTrap, ruckusSZEventReason=ruckusSZEventReason, ruckusSZAPFirmwareUpdateFailedTrap=ruckusSZAPFirmwareUpdateFailedTrap, ruckusSZIpmiRETempBBTrap=ruckusSZIpmiRETempBBTrap, ruckusSZDiskPerc=ruckusSZDiskPerc, ruckusSZAPRejectedTrap=ruckusSZAPRejectedTrap, ruckusSZClusterCfgRestoreSuccessTrap=ruckusSZClusterCfgRestoreSuccessTrap, ruckusSZNodeShutdownTrap=ruckusSZNodeShutdownTrap, ruckusSZIpmiREFanStatusTrap=ruckusSZIpmiREFanStatusTrap, ruckusSZUpgradeFailedTrap=ruckusSZUpgradeFailedTrap, ruckusSZDPUpgradingTrap=ruckusSZDPUpgradingTrap, ruckusSZAPDeletedTrap=ruckusSZAPDeletedTrap, ruckusSZAPTunnelBuildSuccessTrap=ruckusSZAPTunnelBuildSuccessTrap, ruckusSZIPSecTunnelAssociatedTrap=ruckusSZIPSecTunnelAssociatedTrap, ruckusSZUnauthorizedCoaDmMessageDroppedTrap=ruckusSZUnauthorizedCoaDmMessageDroppedTrap, ruckusSZEspAuthServerResolvableTrap=ruckusSZEspAuthServerResolvableTrap, ruckusSZNetworkPortID=ruckusSZNetworkPortID, ruckusSZLicenseSyncSuccessTrap=ruckusSZLicenseSyncSuccessTrap, ruckusSZDPLostHeartbeatTrap=ruckusSZDPLostHeartbeatTrap, ruckusPrimaryGRE=ruckusPrimaryGRE, ruckusSZSystemLBSConnectSuccessTrap=ruckusSZSystemLBSConnectSuccessTrap, ruckusSZSmfRegFailedTrap=ruckusSZSmfRegFailedTrap, ruckusSZAPSoftGREGatewayReachableTrap=ruckusSZAPSoftGREGatewayReachableTrap, ruckusSZKeepAliveFailureTrap=ruckusSZKeepAliveFailureTrap, ruckusSZAPLBSNoResponsesTrap=ruckusSZAPLBSNoResponsesTrap, ruckusSZSyslogServerAddress=ruckusSZSyslogServerAddress, ruckusSZIpmiTempBBTrap=ruckusSZIpmiTempBBTrap, ruckusSZAPSwapOutModelDiffTrap=ruckusSZAPSwapOutModelDiffTrap, ruckusSZDiskUsageThresholdExceededTrap=ruckusSZDiskUsageThresholdExceededTrap, ruckusSZClientMiscEventTrap=ruckusSZClientMiscEventTrap, ruckusSZNodeJoinFailedTrap=ruckusSZNodeJoinFailedTrap, ruckusSZNodePhyInterfaceUpTrap=ruckusSZNodePhyInterfaceUpTrap, ruckusSZClusterCfgBackupSuccessTrap=ruckusSZClusterCfgBackupSuccessTrap, ruckusSZEventCtrlIP=ruckusSZEventCtrlIP, ruckusSZSessDeletedAtDbladeTrap=ruckusSZSessDeletedAtDbladeTrap, ruckusSZEventAPName=ruckusSZEventAPName, ruckusSZEventSSID=ruckusSZEventSSID, ruckusSZFtpIp=ruckusSZFtpIp, ruckusSZClusterBackToInServiceTrap=ruckusSZClusterBackToInServiceTrap, ruckusSZEventType=ruckusSZEventType, ruckusSZClusterInMaintenanceStateTrap=ruckusSZClusterInMaintenanceStateTrap, ruckusSZSessUpdatedAtDbladeTrap=ruckusSZSessUpdatedAtDbladeTrap, ruckusSZProcessorId=ruckusSZProcessorId, ruckusSZSystemLBSAuthFailedTrap=ruckusSZSystemLBSAuthFailedTrap, ruckusSZEspAuthServerReachableTrap=ruckusSZEspAuthServerReachableTrap, ruckusSZLicenseSyncFailedTrap=ruckusSZLicenseSyncFailedTrap, ruckusSoftGREGatewayList=ruckusSoftGREGatewayList, ruckusSZNodeRemoveFailedTrap=ruckusSZNodeRemoveFailedTrap, ruckusSZIpmiREFanTrap=ruckusSZIpmiREFanTrap, ruckusSZSystemLBSNoResponseTrap=ruckusSZSystemLBSNoResponseTrap, ruckusSZAuthFailedNonPermanentIDTrap=ruckusSZAuthFailedNonPermanentIDTrap, ruckusSZAPAcctRespWhileInvalidConfigTrap=ruckusSZAPAcctRespWhileInvalidConfigTrap, ruckusSZEspDNATServerResolvableTrap=ruckusSZEspDNATServerResolvableTrap, ruckusSZDPConfigID=ruckusSZDPConfigID, ruckusSZTemperatureStatus=ruckusSZTemperatureStatus, ruckusSZEspAuthServerUnResolvableTrap=ruckusSZEspAuthServerUnResolvableTrap, ruckusSZAPLDAPServerUnreachableTrap=ruckusSZAPLDAPServerUnreachableTrap, ruckusSZFtpTransferErrorTrap=ruckusSZFtpTransferErrorTrap, ruckusSZLBSPort=ruckusSZLBSPort, ruckusSZIpmiRETempPTrap=ruckusSZIpmiRETempPTrap, ruckusSZDPTunnelSetUpTrap=ruckusSZDPTunnelSetUpTrap, ruckusSZCableModemRebootTrap=ruckusSZCableModemRebootTrap, ruckusSZAPConfUpdateFailedTrap=ruckusSZAPConfUpdateFailedTrap, ruckusSZNodeRestartedTrap=ruckusSZNodeRestartedTrap, ruckusSZLicenseType=ruckusSZLicenseType, ruckusSZCPUPerc=ruckusSZCPUPerc, ruckusSZDPDeletedTrap=ruckusSZDPDeletedTrap, ruckusSZNodeBackToInServiceTrap=ruckusSZNodeBackToInServiceTrap, ruckusSZAPModel=ruckusSZAPModel, ruckusSZNodeRemoveSuccessTrap=ruckusSZNodeRemoveSuccessTrap, ruckusSZRadSrvrIp=ruckusSZRadSrvrIp, ruckusSZCMResetFactoryByUserTrap=ruckusSZCMResetFactoryByUserTrap, ruckusSZLostCnxnToDbladeTrap=ruckusSZLostCnxnToDbladeTrap, ruckusSZADHocNetworkRogueAPDetectedTrap=ruckusSZADHocNetworkRogueAPDetectedTrap, ruckusSZLicenseServerName=ruckusSZLicenseServerName, ruckusSZEventCode=ruckusSZEventCode, ruckusSZUserName=ruckusSZUserName, ruckusSZAPRadiusServerReachableTrap=ruckusSZAPRadiusServerReachableTrap, ruckusSZConfRcvFailedTrap=ruckusSZConfRcvFailedTrap, ruckusSZDomainName=ruckusSZDomainName, ruckusSZCPUUsageThresholdExceededTrap=ruckusSZCPUUsageThresholdExceededTrap, ruckusSZAPLostHeartbeatTrap=ruckusSZAPLostHeartbeatTrap, ruckusSZNodeBondInterfaceDownTrap=ruckusSZNodeBondInterfaceDownTrap, ruckusSZProcessName=ruckusSZProcessName, ruckusSZHipFailoverTrap=ruckusSZHipFailoverTrap, ruckusSZClusterUploadVDPFirmwareSuccessTrap=ruckusSZClusterUploadVDPFirmwareSuccessTrap, ruckusSZAPUsbSoftwarePackageDownloadFailedTrap=ruckusSZAPUsbSoftwarePackageDownloadFailedTrap, ruckusSZMemoryUsageThresholdBackToNormalTrap=ruckusSZMemoryUsageThresholdBackToNormalTrap, ruckusSZDPConfUpdateFailedTrap=ruckusSZDPConfUpdateFailedTrap, ruckusSZDPConnectedTrap=ruckusSZDPConnectedTrap, ruckusSZSwitchStatus=ruckusSZSwitchStatus, ruckusSZNodeJoinSuccessTrap=ruckusSZNodeJoinSuccessTrap, ruckusSZMaliciousRogueAPTimeoutTrap=ruckusSZMaliciousRogueAPTimeoutTrap, ruckusSZDPPhyInterfaceUpTrap=ruckusSZDPPhyInterfaceUpTrap, ruckusSZSystemMiscEventTrap=ruckusSZSystemMiscEventTrap, ruckusSZServiceUnavailableTrap=ruckusSZServiceUnavailableTrap, ruckusSZEspAuthServerUnreachableTrap=ruckusSZEspAuthServerUnreachableTrap, ruckusSZIPSecGWAddress=ruckusSZIPSecGWAddress, ruckusSZAccSrvrIp=ruckusSZAccSrvrIp, ruckusSZEventAPIP=ruckusSZEventAPIP, ruckusSZUpgradeSuccessTrap=ruckusSZUpgradeSuccessTrap, ruckusSZLicenseImportFailedTrap=ruckusSZLicenseImportFailedTrap, ruckusSZClusterUploadSuccessTrap=ruckusSZClusterUploadSuccessTrap, ruckusSZSrcProcess=ruckusSZSrcProcess, ruckusSZClusterCfgRestoreFailedTrap=ruckusSZClusterCfgRestoreFailedTrap, ruckusSZEventAPDescription=ruckusSZEventAPDescription, ruckusSZLicenseUsagePerc=ruckusSZLicenseUsagePerc, ruckusSZLDAPSrvrIp=ruckusSZLDAPSrvrIp, ruckusSZFileName=ruckusSZFileName, ruckusSZUEMsisdn=ruckusSZUEMsisdn, ruckusSZSoftGREGWAddress=ruckusSZSoftGREGWAddress, ruckusSZClusterLeaderChangedTrap=ruckusSZClusterLeaderChangedTrap, ruckusSZAPConfigID=ruckusSZAPConfigID, ruckusSZClusterUploadFailedTrap=ruckusSZClusterUploadFailedTrap, ruckusSZNodeOutOfServiceTrap=ruckusSZNodeOutOfServiceTrap, ruckusSZEventUpgradedFirmwareVersion=ruckusSZEventUpgradedFirmwareVersion, ruckusSZSrcSyslogServerAddress=ruckusSZSrcSyslogServerAddress, ruckusSZAPLBSAuthFailedTrap=ruckusSZAPLBSAuthFailedTrap, ruckusSZAPMiscEventTrap=ruckusSZAPMiscEventTrap, ruckusSZDPIP=ruckusSZDPIP, ruckusSZAPLDAPServerReachableTrap=ruckusSZAPLDAPServerReachableTrap, ruckusSZConnectedToDbladeTrap=ruckusSZConnectedToDbladeTrap, ruckusSZAPDisconnectedTrap=ruckusSZAPDisconnectedTrap, ruckusSZDPTunnelTearDownTrap=ruckusSZDPTunnelTearDownTrap, ruckusSZCriticalAPConnectedTrap=ruckusSZCriticalAPConnectedTrap, ruckusSZEventNodeName=ruckusSZEventNodeName)
| (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_intersection, constraints_union, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint')
(ruckus_events,) = mibBuilder.importSymbols('RUCKUS-ROOT-MIB', 'ruckusEvents')
(module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup')
(bits, ip_address, counter32, object_identity, integer32, time_ticks, counter64, module_identity, notification_type, mib_identifier, gauge32, unsigned32, iso, enterprises, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'IpAddress', 'Counter32', 'ObjectIdentity', 'Integer32', 'TimeTicks', 'Counter64', 'ModuleIdentity', 'NotificationType', 'MibIdentifier', 'Gauge32', 'Unsigned32', 'iso', 'enterprises', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn')
(textual_convention, mac_address, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'MacAddress', 'DisplayString')
ruckus_sz_event_mib = module_identity((1, 3, 6, 1, 4, 1, 25053, 2, 11))
if mibBuilder.loadTexts:
ruckusSZEventMIB.setLastUpdated('201508181000Z')
if mibBuilder.loadTexts:
ruckusSZEventMIB.setOrganization('Ruckus Wireless, Inc.')
if mibBuilder.loadTexts:
ruckusSZEventMIB.setContactInfo('Ruckus Wireless, Inc. 350 West Java Dr. Sunnyvale, CA 94089 USA T: +1 (650) 265-4200 F: +1 (408) 738-2065 EMail: info@ruckuswireless.com Web: www.ruckuswireless.com')
if mibBuilder.loadTexts:
ruckusSZEventMIB.setDescription('Ruckus SZ event objects, including trap OID and trap payload.')
ruckus_sz_event_traps = mib_identifier((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1))
ruckus_sz_event_objects = mib_identifier((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2))
ruckus_sz_system_misc_event_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 1)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventDescription'))
if mibBuilder.loadTexts:
ruckusSZSystemMiscEventTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSystemMiscEventTrap.setDescription('Generic trap triggered by admin specified miscellaneous event. The event severity, event code, event type, event description is enclosed.')
ruckus_sz_upgrade_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 2)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventFirmwareVersion'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventUpgradedFirmwareVersion'))
if mibBuilder.loadTexts:
ruckusSZUpgradeSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZUpgradeSuccessTrap.setDescription('Trigger when there is a SZ upgrade success event. The event severity, event code, event type, node name, MAC address, management IP address, firmware version and upgraded firmware version are enclosed.')
ruckus_sz_upgrade_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 3)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventFirmwareVersion'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventUpgradedFirmwareVersion'))
if mibBuilder.loadTexts:
ruckusSZUpgradeFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZUpgradeFailedTrap.setDescription('Trigger when there is a SZ upgrade failed event. The event severity, event code, event type, firmware version and upgraded firmware version are enclosed.')
ruckus_sz_node_restarted_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 4)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZNodeRestartedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeRestartedTrap.setDescription('Trigger when there is a SZ restarted event. The event severity, event code, event type, node name, MAC address, management IP address and restart reason are enclosed.')
ruckus_sz_node_shutdown_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 5)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZNodeShutdownTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeShutdownTrap.setDescription('Trigger when there is a SZ shutdown event. The event severity, event code, event type, node name, MAC address and management IP address are enclosed.')
ruckus_szcpu_usage_threshold_exceeded_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 6)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZCPUPerc'))
if mibBuilder.loadTexts:
ruckusSZCPUUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCPUUsageThresholdExceededTrap.setDescription('Trigger when there is a SZ CPU threshold exceeded event. The event severity, event code, event type, node name, MAC address and CPU usage percent are enclosed.')
ruckus_sz_memory_usage_threshold_exceeded_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 7)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZMemoryPerc'))
if mibBuilder.loadTexts:
ruckusSZMemoryUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZMemoryUsageThresholdExceededTrap.setDescription('Trigger when there is a SZ memory threshold exceeded event. The event severity, event code, event type, node name, MAC address and memory usage percent are enclosed.')
ruckus_sz_disk_usage_threshold_exceeded_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 8)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDiskPerc'))
if mibBuilder.loadTexts:
ruckusSZDiskUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDiskUsageThresholdExceededTrap.setDescription('Trigger when there is a SZ disk usage threshold exceeded event. The event severity, event code, event type, node name, MAC address and disk usage percent are enclosed.')
ruckus_sz_license_usage_threshold_exceeded_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 19)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLicenseType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLicenseUsagePerc'))
if mibBuilder.loadTexts:
ruckusSZLicenseUsageThresholdExceededTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseUsageThresholdExceededTrap.setDescription('Trigger when there is SZ license usage threshold exceeded event. The event severity, event code, event type, license type and license usage percent are enclosed.')
ruckus_szap_misc_event_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 20)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPMiscEventTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPMiscEventTrap.setDescription('Generic trap triggered by AP related miscellaneous event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP GPS coordinates, event description, AP description and AP IPv6 address are enclosed.')
ruckus_szap_connected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 21)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPConnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPConnectedTrap.setDescription('Trigger when there is an AP connected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, join reason and AP IPv6 address are enclosed.')
ruckus_szap_deleted_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 22)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPDeletedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPDeletedTrap.setDescription('Trigger when there is an AP deleted event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_disconnected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 23)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPDisconnectedTrap.setDescription('Trigger when there is an AP connection lost event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_lost_heartbeat_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 24)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLostHeartbeatTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLostHeartbeatTrap.setDescription('Trigger when there is a SZ lost AP heart beat event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_reboot_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 25)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPRebootTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPRebootTrap.setDescription('Trigger when there is an AP reboot event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, reboot reason and AP IPv6 address are enclosed.')
ruckus_sz_critical_ap_connected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 26)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCriticalAPConnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCriticalAPConnectedTrap.setDescription('Trigger when there is a critical AP connected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, join reason and AP IPv6 address are enclosed.')
ruckus_sz_critical_ap_disconnected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 27)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCriticalAPDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCriticalAPDisconnectedTrap.setDescription('Trigger when there is a critical AP connection lost event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_rejected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 28)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPRejectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPRejectedTrap.setDescription('Trigger when there is an AP rejected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ control IP address, reject reason and AP IPv6 address are enclosed.')
ruckus_szap_conf_update_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 29)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAPConfigID'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPConfUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPConfUpdateFailedTrap.setDescription('Trigger when there is an AP configuration update failed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, configure ID and AP IPv6 address are enclosed.')
ruckus_szap_conf_updated_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 30)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAPConfigID'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPConfUpdatedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPConfUpdatedTrap.setDescription('Trigger when there is an AP configuration updated event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, configure ID and AP IPv6 address are enclosed.')
ruckus_szap_swap_out_model_diff_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 31)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAPModel'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZConfigAPModel'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPSwapOutModelDiffTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPSwapOutModelDiffTrap.setDescription('Trigger when there is an AP model is different from imported swap AP model. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AP model, configure AP model and AP IPv6 address are enclosed.')
ruckus_szap_pre_provision_model_diff_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 32)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAPModel'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZConfigAPModel'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPPreProvisionModelDiffTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPPreProvisionModelDiffTrap.setDescription('Trigger when there is an AP model is different from imported pre-provision AP model. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AP mode, configure AP model and AP IPv6 address are enclosed.')
ruckus_szap_firmware_update_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 34)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPFirmwareUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPFirmwareUpdateFailedTrap.setDescription('Trigger when there is an AP firmware update failed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_firmware_updated_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 35)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPFirmwareUpdatedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPFirmwareUpdatedTrap.setDescription('Trigger when there is an AP firmware update success event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_wlan_oversubscribed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 36)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'))
if mibBuilder.loadTexts:
ruckusSZAPWlanOversubscribedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPWlanOversubscribedTrap.setDescription('Trigger when there is an AP wlan oversubscribed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description and AP GPS coordinates are enclosed.')
ruckus_szap_factory_reset_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 37)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPFactoryResetTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPFactoryResetTrap.setDescription('Trigger when there is an AP factory reset event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_sz_cable_modem_down_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 38)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCableModemDownTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCableModemDownTrap.setDescription('Trigger when there is an AP cable modem down event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_sz_cable_modem_reboot_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 39)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCableModemRebootTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCableModemRebootTrap.setDescription('Trigger when there is an AP cable modem reboot event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_managed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 41)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'))
if mibBuilder.loadTexts:
ruckusSZAPManagedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPManagedTrap.setDescription('Trigger when there is an AP managed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and SZ control IP address are enclosed.')
ruckus_szcpu_usage_threshold_back_to_normal_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 42)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZCPUPerc'))
if mibBuilder.loadTexts:
ruckusSZCPUUsageThresholdBackToNormalTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCPUUsageThresholdBackToNormalTrap.setDescription('Trigger when there is a SZ CPU threshold back to normal event. The event severity, event code, event type, node name, MAC address and CPU usage percent are enclosed.')
ruckus_sz_memory_usage_threshold_back_to_normal_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 43)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZMemoryPerc'))
if mibBuilder.loadTexts:
ruckusSZMemoryUsageThresholdBackToNormalTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZMemoryUsageThresholdBackToNormalTrap.setDescription('Trigger when there is a SZ memory threshold back to normal event. The event severity, event code, event type, node name, MAC address and memory usage percent are enclosed.')
ruckus_sz_disk_usage_threshold_back_to_normal_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 44)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDiskPerc'))
if mibBuilder.loadTexts:
ruckusSZDiskUsageThresholdBackToNormalTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDiskUsageThresholdBackToNormalTrap.setDescription('Trigger when there is a SZ disk threshold back to normal event. The event severity, event code, event type, node name, MAC address, disk usage percent are enclosed.')
ruckus_sz_cable_modem_up_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 45)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCableModemUpTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCableModemUpTrap.setDescription('Trigger when there is an AP cable modem up event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szap_discovery_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 46)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPDiscoverySuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPDiscoverySuccessTrap.setDescription('Trigger when there is an AP discovery success event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ control IP address and AP IPv6 address are enclosed.')
ruckus_szcm_reset_by_user_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 47)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCMResetByUserTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCMResetByUserTrap.setDescription('Trigger when there is an AP cable modem soft-rebooted by user event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, event reason and AP IPv6 address are enclosed.')
ruckus_szcm_reset_factory_by_user_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 48)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZCMResetFactoryByUserTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCMResetFactoryByUserTrap.setDescription('Trigger when there is an AP cable modem set to factory default by user event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, event reason and AP IPv6 address are enclosed.')
ruckus_szssid_spoofing_rogue_ap_detected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 50)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventRogueMac'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSSID'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZSSIDSpoofingRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSSIDSpoofingRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_sz_mac_spoofing_rogue_ap_detected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 51)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventRogueMac'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSSID'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZMacSpoofingRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZMacSpoofingRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_sz_same_network_rogue_ap_detected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 52)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventRogueMac'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSSID'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZSameNetworkRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSameNetworkRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP which has the same bssid with detect AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szad_hoc_network_rogue_ap_detected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 53)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventRogueMac'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSSID'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZADHocNetworkRogueAPDetectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZADHocNetworkRogueAPDetectedTrap.setDescription('Trigger when there is an AP detects a rogue AP which has the same network detecting AP event. The event severity, event code, event type, rogue AP MAC address, ssid, AP name, AP MAC address, AP IP address, AP location, AP description and AP GPS coordinates are enclosed.')
ruckus_sz_malicious_rogue_ap_timeout_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 54)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventRogueMac'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZMaliciousRogueAPTimeoutTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZMaliciousRogueAPTimeoutTrap.setDescription('Trigger when there is a rogue AP disappears event. The event severity, event code, event type, rogue AP MAC address, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and AP IPv6 address are enclosed.')
ruckus_szaplbs_connect_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 55)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLBSConnectSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLBSConnectSuccessTrap.setDescription('Trigger when there is AP successfully connect to LS event. The event severity,event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckus_szaplbs_no_responses_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 56)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLBSNoResponsesTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLBSNoResponsesTrap.setDescription('Trigger when there is an AP connect to LS no response event. The event severity,event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckus_szaplbs_auth_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 57)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLBSAuthFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLBSAuthFailedTrap.setDescription('Trigger when there is an AP connect LS authentication failure event. The event severity, event code, event type,AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckus_szaplbs_connect_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 58)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLBSConnectFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLBSConnectFailedTrap.setDescription('Trigger when there is an AP failed connect to LS event. The event severity,event code, event type,AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LBS server URL, LBS port and AP IPv6 address are enclosed.')
ruckus_szap_tunnel_build_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 60)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPTunnelBuildFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPTunnelBuildFailedTrap.setDescription('Trigger when there is an AP build tunnel failed event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ DP IP address, failure reason and AP IPv6 address are enclosed.')
ruckus_szap_tunnel_build_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 61)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPTunnelBuildSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPTunnelBuildSuccessTrap.setDescription('Trigger when there is an AP build tunnel success event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ DP IP address and AP IPv6 address are enclosed.')
ruckus_szap_tunnel_disconnected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 62)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPTunnelDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPTunnelDisconnectedTrap.setDescription('Trigger when there is an AP tunnel disconnected event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, SZ DP IP address, failure reason and AP IPv6 address are enclosed.')
ruckus_szap_soft_gre_tunnel_failover_pto_s_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 65)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusPrimaryGRE'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSecondaryGRE'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPSoftGRETunnelFailoverPtoSTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPSoftGRETunnelFailoverPtoSTrap.setDescription('Trigger when there is an AP softGRE tunnel fails over primary to secondary event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, primary GRE gateway, secondary GRE gateway and AP IPv6 address are enclosed.')
ruckus_szap_soft_gre_tunnel_failover_sto_p_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 66)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusPrimaryGRE'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSecondaryGRE'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPSoftGRETunnelFailoverStoPTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPSoftGRETunnelFailoverStoPTrap.setDescription('Trigger when there is an AP softGRE tunnel fails over secondary to primary event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, primary GRE gateway, secondary GRE gateway and AP IPv6 address are enclosed.')
ruckus_szap_soft_gre_gateway_not_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 67)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSoftGREGatewayList'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPSoftGREGatewayNotReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPSoftGREGatewayNotReachableTrap.setDescription('Trigger when there is an AP softGRE gateway not reachable event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, soft GRE gateway list and AP IPv6 address are enclosed.')
ruckus_szap_soft_gre_gateway_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 68)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSoftGREGWAddress'))
if mibBuilder.loadTexts:
ruckusSZAPSoftGREGatewayReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPSoftGREGatewayReachableTrap.setDescription('Trigger when there is an AP softGRE gateway reachable event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates and soft GRE gateway IP address are enclosed.')
ruckus_szdp_conf_update_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 70)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPConfigID'))
if mibBuilder.loadTexts:
ruckusSZDPConfUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPConfUpdateFailedTrap.setDescription("Trigger when there is DP configuration update failed event. The event severity, event code, event type, DP's identifier and configuration UUID are enclosed.")
ruckus_szdp_lost_heartbeat_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 71)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPLostHeartbeatTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPLostHeartbeatTrap.setDescription("Trigger when there is DP lost heart beat event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_disconnected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 72)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'))
if mibBuilder.loadTexts:
ruckusSZDPDisconnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPDisconnectedTrap.setDescription("Trigger when there is DP disconnected event. The event severity, event code, event type, DP's identifier and SZ control IP address are enclosed.")
ruckus_szdp_phy_interface_down_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 73)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZNetworkPortID'))
if mibBuilder.loadTexts:
ruckusSZDPPhyInterfaceDownTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPPhyInterfaceDownTrap.setDescription("Trigger when there is DP physical interface down event. The event severity, event code, event type, DP's identifier and network port ID are enclosed.")
ruckus_szdp_status_update_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 74)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPStatusUpdateFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPStatusUpdateFailedTrap.setDescription("Trigger when there is DP update status failed event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_statistic_update_falied_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 75)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPStatisticUpdateFaliedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPStatisticUpdateFaliedTrap.setDescription("Trigger when there is DP update statistical failed event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_connected_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 76)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'))
if mibBuilder.loadTexts:
ruckusSZDPConnectedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPConnectedTrap.setDescription("Trigger when there is DP connected event. The event severity, event code, event type, DP's identifier and SZ control IP are enclosed.")
ruckus_szdp_phy_interface_up_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 77)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZNetworkPortID'))
if mibBuilder.loadTexts:
ruckusSZDPPhyInterfaceUpTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPPhyInterfaceUpTrap.setDescription("Trigger when there is DP physical interface up event. The event severity, event code, event type, DP's identifier and network port ID are enclosed.")
ruckus_szdp_conf_updated_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 78)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPConfigID'))
if mibBuilder.loadTexts:
ruckusSZDPConfUpdatedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPConfUpdatedTrap.setDescription("Trigger when there is DP configuration updated event. The event severity, event code, event type, DP's identifier and configuration UUID are enclosed.")
ruckus_szdp_tunnel_tear_down_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 79)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZDPTunnelTearDownTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPTunnelTearDownTrap.setDescription("Trigger when there is DP tear down tunnel event. The event severity, event code, event type, DP's identifier, AP MAC address and event reason are enclosed.")
ruckus_szdp_accept_tunnel_request_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 81)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'))
if mibBuilder.loadTexts:
ruckusSZDPAcceptTunnelRequestTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPAcceptTunnelRequestTrap.setDescription("Trigger when there is data plane accepts a tunnel request from the AP event. The event severity, event code, event type, DP's identifier and AP MAC address are enclosed.")
ruckus_szdp_reject_tunnel_request_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 82)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZDPRejectTunnelRequestTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPRejectTunnelRequestTrap.setDescription("Trigger occurs where there is data plane rejects a tunnel request from the AP event. The event severity, event code, event type, DP's identifier, AP MAC address and event reason are enclosed.")
ruckus_szdp_tunnel_set_up_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 85)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'))
if mibBuilder.loadTexts:
ruckusSZDPTunnelSetUpTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPTunnelSetUpTrap.setDescription("Trigger when there is DP set up tunnel event. The event severity, event code, event type, DP's identifier and AP MAC address are enclosed.")
ruckus_szdp_discovery_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 86)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'))
if mibBuilder.loadTexts:
ruckusSZDPDiscoverySuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPDiscoverySuccessTrap.setDescription("Trigger when there is a DP discovery success event. The event severity, event code, event type, DP's identifier and SZ control IP address are enclosed.")
ruckus_szdp_discovery_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 87)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'))
if mibBuilder.loadTexts:
ruckusSZDPDiscoveryFailTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPDiscoveryFailTrap.setDescription("Trigger when there is a DP discovery failed event. The event severity, event code, event type, DP's identifier and SZ control IP address are enclosed.")
ruckus_szdp_deleted_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 94)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPDeletedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPDeletedTrap.setDescription("Trigger when there is a DP is deleted event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_upgrade_start_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 95)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPUpgradeStartTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPUpgradeStartTrap.setDescription("Trigger when there is DP started the upgrade process event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_upgrading_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 96)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPUpgradingTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPUpgradingTrap.setDescription("Trigger when there is DP has started to upgrade program and configuration event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_upgrade_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 97)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPUpgradeSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPUpgradeSuccessTrap.setDescription("Trigger when there is DP has been upgraded successfully event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_szdp_upgrade_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 98)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPKey'))
if mibBuilder.loadTexts:
ruckusSZDPUpgradeFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPUpgradeFailedTrap.setDescription("Trigger when there is DP failed to upgrade event. The event severity, event code, event type and DP's identifier are enclosed.")
ruckus_sz_client_misc_event_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 100)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventClientMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventDescription'))
if mibBuilder.loadTexts:
ruckusSZClientMiscEventTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClientMiscEventTrap.setDescription('Generic trap triggered by specified client related miscellaneous event. The event severity, event code, event type, client MAC address and event description are enclosed.')
ruckus_sz_node_join_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 200)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZNodeJoinFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeJoinFailedTrap.setDescription('Trigger when there is new node join failed event. The event severity, event code, event type, node name, node MAC address and cluster name are enclosed.')
ruckus_sz_node_remove_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 201)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZNodeRemoveFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeRemoveFailedTrap.setDescription('Trigger when there is remove node failed event. The event severity, event code, event type, node name,node MAC address and cluster name are enclosed.')
ruckus_sz_node_out_of_service_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 202)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZNodeOutOfServiceTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeOutOfServiceTrap.setDescription('Trigger when there is node out of service event. The event severity, event code, event type, node name,node MAC address and cluster name are enclosed.')
ruckus_sz_cluster_in_maintenance_state_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 203)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterInMaintenanceStateTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterInMaintenanceStateTrap.setDescription('Trigger when there is cluster in maintenance state event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_backup_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 204)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterBackupFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterBackupFailedTrap.setDescription('Trigger when there is backup cluster failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_restore_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 205)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterRestoreFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterRestoreFailedTrap.setDescription('Trigger when there is restore cluster failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_app_stopped_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 206)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZClusterAppStoppedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterAppStoppedTrap.setDescription('Trigger when there is cluster application stop event. The event severity, event code, event type, application name, SZ node name and node MAC address are enclosed.')
ruckus_sz_node_bond_interface_down_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 207)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZNetworkInterface'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZNodeBondInterfaceDownTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeBondInterfaceDownTrap.setDescription('Trigger when there is node bond interface down event. The event severity, event code, event type, network interface, SZ node name and node MAC address are enclosed.')
ruckus_sz_node_phy_interface_down_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 208)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZNetworkInterface'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZNodePhyInterfaceDownTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodePhyInterfaceDownTrap.setDescription('Trigger when there is node physical interface down event. The event severity, event code, event type, network interface, SZ node name and node MAC address are enclosed.')
ruckus_sz_cluster_leader_changed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 209)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterLeaderChangedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterLeaderChangedTrap.setDescription('Trigger when there is cluster leader changed event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckus_sz_cluster_upgrade_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 210)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventFirmwareVersion'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventUpgradedFirmwareVersion'))
if mibBuilder.loadTexts:
ruckusSZClusterUpgradeSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterUpgradeSuccessTrap.setDescription('Trigger when there is upgrade entire cluster success event. The event severity, event code, event type, cluster name, firmware version and upgraded firmware version are enclosed.')
ruckus_sz_node_bond_interface_up_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 211)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZNetworkInterface'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZNodeBondInterfaceUpTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeBondInterfaceUpTrap.setDescription('Trigger when there is node bond interface up event. The event severity, event code, event type, network interface, SZ node name and SZ MAC address are enclosed.')
ruckus_sz_node_phy_interface_up_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 212)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZNetworkInterface'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZNodePhyInterfaceUpTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodePhyInterfaceUpTrap.setDescription('Trigger when there is node physical interface up event. The event severity, event code, event type,network interface, SZ node name and SZ MAC address are enclosed.')
ruckus_sz_cluster_back_to_in_service_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 216)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterBackToInServiceTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterBackToInServiceTrap.setDescription('Trigger when there is cluster back to in service event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_backup_cluster_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 217)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZBackupClusterSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZBackupClusterSuccessTrap.setDescription('Trigger when there is backup cluster success event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_node_join_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 218)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZNodeJoinSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeJoinSuccessTrap.setDescription('Trigger when there is new node join success event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckus_sz_cluster_app_start_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 219)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZClusterAppStartTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterAppStartTrap.setDescription('Trigger when there is cluster application start event. The event severity, event code, event type, application name, SZ node name and node MAC address are enclosed.')
ruckus_sz_node_remove_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 220)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZNodeRemoveSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeRemoveSuccessTrap.setDescription('Trigger when there is remove node success event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckus_sz_cluster_restore_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 221)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterRestoreSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterRestoreSuccessTrap.setDescription('Trigger when there is restore cluster success event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckus_sz_node_back_to_in_service_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 222)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZNodeBackToInServiceTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNodeBackToInServiceTrap.setDescription('Trigger when there is node back to in service event. The event severity, event code, event type, SZ node name, node MAC address and cluster name are enclosed.')
ruckus_sz_ssh_tunnel_switched_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 223)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSwitchStatus'))
if mibBuilder.loadTexts:
ruckusSZSshTunnelSwitchedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSshTunnelSwitchedTrap.setDescription('Trigger when there is SSH tunnel switched event. The event severity, event code, event type, SZ node name, node MAC address, cluster name and switch status are enclosed.')
ruckus_sz_cluster_cfg_backup_start_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 224)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterCfgBackupStartTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterCfgBackupStartTrap.setDescription('Trigger when there is a configuration backup start event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_cfg_backup_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 225)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterCfgBackupSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterCfgBackupSuccessTrap.setDescription('Trigger when there is a configuration backup success event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_cfg_backup_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 226)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterCfgBackupFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterCfgBackupFailedTrap.setDescription('Trigger when there is a configuration backup failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_cfg_restore_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 227)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterCfgRestoreSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterCfgRestoreSuccessTrap.setDescription('Trigger when there is a configuration restore success event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_cfg_restore_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 228)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterCfgRestoreFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterCfgRestoreFailedTrap.setDescription('Trigger when there is a configuration restore failed event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_upload_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 229)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterUploadSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterUploadSuccessTrap.setDescription('Trigger when there is a cluster upload success event. The event severity, event code, event type, cluster name are enclosed.')
ruckus_sz_cluster_upload_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 230)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZClusterUploadFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterUploadFailedTrap.setDescription('Trigger when there is a cluster upload failed event. The event severity, event code, event type, cluster name, failure reason are enclosed.')
ruckus_sz_cluster_out_of_service_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 231)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterOutOfServiceTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterOutOfServiceTrap.setDescription('Trigger when there is a cluster out of service event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_upload_vdp_firmware_start_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 232)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterUploadVDPFirmwareStartTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterUploadVDPFirmwareStartTrap.setDescription('Trigger when there is a cluster upload vDP firmware process starts event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_upload_vdp_firmware_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 233)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'))
if mibBuilder.loadTexts:
ruckusSZClusterUploadVDPFirmwareSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterUploadVDPFirmwareSuccessTrap.setDescription('Trigger when there is a cluster uploaded vDP firmware successfully event. The event severity, event code, event type and cluster name are enclosed.')
ruckus_sz_cluster_upload_vdp_firmware_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 234)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZClusterName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZClusterUploadVDPFirmwareFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterUploadVDPFirmwareFailedTrap.setDescription('Trigger when there is a cluster failed to upload vDP firmware event. The event severity, event code, event type, cluster name and failure reason are enclosed.')
ruckus_sz_ipmi_temp_bb_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 251)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZTemperatureStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiTempBBTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiTempBBTrap.setDescription('Trigger when there is baseboard temperature event. The event severity, event code, event type, temperature status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_temp_p_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 256)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessorId'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZTemperatureStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiTempPTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiTempPTrap.setDescription('Trigger when there is processor temperature event. The event severity, event code, event type, processor id, temperature status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_fan_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 258)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanId'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiFanTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiFanTrap.setDescription('Trigger when there is system fan event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_fan_status_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 261)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanId'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiFanStatusTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiFanStatusTrap.setDescription('Trigger when there is fan module event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_re_temp_bb_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 265)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZTemperatureStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiRETempBBTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiRETempBBTrap.setDescription('Trigger when there is baseboard temperature status recover from abnormal condition event. The event severity, event code, event type, temperature status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_re_temp_p_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 270)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessorId'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZTemperatureStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiRETempPTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiRETempPTrap.setDescription('Trigger when there is processor temperature status recover from abnormal condition event. The event severity, event code, event type, processor id, temperature status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_re_fan_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 272)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanId'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiREFanTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiREFanTrap.setDescription('Trigger when there is system fan module status recover from abnormal condition event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckus_sz_ipmi_re_fan_status_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 275)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanId'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFanStatus'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZIpmiREFanStatusTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIpmiREFanStatusTrap.setDescription('Trigger when there is fan module status recover from abnormal condition event. The event severity, event code, event type, fan id, fan status and SZ node MAC address are enclosed.')
ruckus_sz_ftp_transfer_error_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 280)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFtpIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFtpPort'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZFileName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZFtpTransferErrorTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZFtpTransferErrorTrap.setDescription('Trigger when there is FTP transfer error event. The event severity, event code, event type, FTP server IP address, FTP server port, file name and SZ node MAC address are enclosed.')
ruckus_sz_system_lbs_connect_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 290)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'))
if mibBuilder.loadTexts:
ruckusSZSystemLBSConnectSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSystemLBSConnectSuccessTrap.setDescription('Trigger when there is SmartZone successfully connect to LS event. The event severity, event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckus_sz_system_lbs_no_response_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 291)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'))
if mibBuilder.loadTexts:
ruckusSZSystemLBSNoResponseTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSystemLBSNoResponseTrap.setDescription('Trigger when there is SmartZone connect to LS no response event. The event severity,event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckus_sz_system_lbs_auth_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 292)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'))
if mibBuilder.loadTexts:
ruckusSZSystemLBSAuthFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSystemLBSAuthFailedTrap.setDescription('Trigger when there is SmartZone connect LS authentication failure event. The event severity, event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckus_sz_system_lbs_connect_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 293)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSURL'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLBSPort'))
if mibBuilder.loadTexts:
ruckusSZSystemLBSConnectFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSystemLBSConnectFailedTrap.setDescription('Trigger when there is SmartZone failed connect to LS event. The event severity, event code, event type, SZ node MAC address, management IP address, LBS server URL and LBS port are enclosed.')
ruckus_sz_process_restart_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 300)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZProcessRestartTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZProcessRestartTrap.setDescription('Trigger when there is process restart event. The event severity, event code, event type, process name, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_service_unavailable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 301)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZServiceUnavailableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZServiceUnavailableTrap.setDescription('Trigger when there is service unavailable event. The event severity, event code, event type, process name, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_keep_alive_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 302)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZKeepAliveFailureTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZKeepAliveFailureTrap.setDescription('Trigger when there is service keep alive failure event. The event severity, event code, event type, source process name, process name, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_resource_unavailable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 304)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZResourceUnavailableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZResourceUnavailableTrap.setDescription('Trigger when there is resource unavailable event. The event severity, event code, event type, source process name, SZ node MAC address, management IP address and reason are enclosed.')
ruckus_sz_smf_reg_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 305)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZSmfRegFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSmfRegFailedTrap.setDescription('Trigger when there is SMF registration failed event. The event severity, event code, event type, source process name, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_hip_failover_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 306)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZHipFailoverTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZHipFailoverTrap.setDescription('Trigger when there is HIP failover event. The event severity, event code, event type, source process name, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_conf_upd_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 307)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZProcessName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZConfUpdFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZConfUpdFailedTrap.setDescription('Trigger when there is configuration update failed event. The event severity, event code, event type, process name, SZ node MAC address, management IP address and failure reason are enclosed.')
ruckus_sz_conf_rcv_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 308)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZConfRcvFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZConfRcvFailedTrap.setDescription('Trigger when there is SZ configuration receive failed event. The event severity, event code, event type, SZ node MAC address, management IP address and failure reason are enclosed.')
ruckus_sz_lost_cnxn_to_dblade_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 309)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZLostCnxnToDbladeTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLostCnxnToDbladeTrap.setDescription('Trigger when there is lost connection to DP, The event severity, event code, event type, SZ control IP address, DP IP address, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_auth_srvr_not_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 314)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAuthSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZRadProxyIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZAuthSrvrNotReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAuthSrvrNotReachableTrap.setDescription('Trigger when there is authentication server not reachable event. The event severity, event code, event type, authentication server IP address, radius proxy IP address, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_acc_srvr_not_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 315)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAccSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZRadProxyIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZAccSrvrNotReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAccSrvrNotReachableTrap.setDescription('Trigger when there is accounting server not reachable event. The event severity, event code, event type, accounting server IP address, radius proxy IP address, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_auth_failed_non_permanent_id_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 317)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEImsi'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEMsisdn'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventReason'))
if mibBuilder.loadTexts:
ruckusSZAuthFailedNonPermanentIDTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAuthFailedNonPermanentIDTrap.setDescription('Trigger when there is non-permanent ID authentication failed event. The event severity, event code, event type, UE imsi, UE msisdn, SZ node MAC address, management IP address and failure reason are enclosed.')
ruckus_szap_acct_resp_while_invalid_config_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 347)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUserName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPAcctRespWhileInvalidConfigTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPAcctRespWhileInvalidConfigTrap.setDescription('Trigger when there is SZ sends response to AP accounting message while configuration is incorrect in SZ to forward received message or to generate CDR event. The event severity, event code, event type, source process name, AP IP address, user Name, SZ node MAC address, management IP address and AP IPv6 address are enclosed.')
ruckus_szap_acct_msg_drop_no_acct_start_msg_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 348)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUserName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPAcctMsgDropNoAcctStartMsgTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPAcctMsgDropNoAcctStartMsgTrap.setDescription('Trigger when there is accounting message from AP dropped Acct Interim/Stop message as Account Start no received from AP event. The event severity, event code, event type, source process name, AP IP address, user Name, SZ node MAC address, management IP address and AP IPv6 address are enclosed.')
ruckus_sz_unauthorized_coa_dm_message_dropped_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 349)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcProcess'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZRadSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZUnauthorizedCoaDmMessageDroppedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZUnauthorizedCoaDmMessageDroppedTrap.setDescription('Trigger when there is received COA/DM from unauthorized AAA server event. The event severity, event code, event type, source process name, AAA server IP address, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_connected_to_dblade_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 350)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZConnectedToDbladeTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZConnectedToDbladeTrap.setDescription('Trigger when there is successful connection to DP event. The event severity, event code, event type, SZ control IP address, DP IP address, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_sess_updated_at_dblade_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 354)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEImsi'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEMsisdn'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZSessUpdatedAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSessUpdatedAtDbladeTrap.setDescription('Trigger when there is session updates the request (C-D-SESS-UPD-REQ) successfully event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_sess_update_err_at_dblade_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 355)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEImsi'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEMsisdn'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZSessUpdateErrAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSessUpdateErrAtDbladeTrap.setDescription('Trigger when there is session updates the request (C-D-SESS-UPD-REQ) failed event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address, management IP address are enclosed.')
ruckus_sz_sess_deleted_at_dblade_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 356)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEImsi'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEMsisdn'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZSessDeletedAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSessDeletedAtDbladeTrap.setDescription('Trigger when there is session deletes request (C-D-SESS-DEL-REQ) successfully event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_sess_delete_err_at_dblade_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 357)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCtrlIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEImsi'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZUEMsisdn'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeMgmtIp'))
if mibBuilder.loadTexts:
ruckusSZSessDeleteErrAtDbladeTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSessDeleteErrAtDbladeTrap.setDescription('Trigger when there is session deletes request (C-D-SESS-DEL-REQ) failed event. The event severity, event code, event type, SZ control IP address, SZ DP IP address, UE IMSI, UE msisdn, SZ node MAC address and management IP address are enclosed.')
ruckus_sz_license_sync_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 358)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLicenseServerName'))
if mibBuilder.loadTexts:
ruckusSZLicenseSyncSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseSyncSuccessTrap.setDescription('Trigger when there is license data syncs up with license server successfully event. The event severity, event code, event type, node name, license server name are enclosed.')
ruckus_sz_license_sync_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 359)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLicenseServerName'))
if mibBuilder.loadTexts:
ruckusSZLicenseSyncFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseSyncFailedTrap.setDescription('Trigger when there is license data syncs up with license server failed event. The event severity, event code, event type, node name, license server name are enclosed.')
ruckus_sz_license_import_success_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 360)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'))
if mibBuilder.loadTexts:
ruckusSZLicenseImportSuccessTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseImportSuccessTrap.setDescription('Trigger when there is license data import successfully event. The event severity, event code, event type and node name are enclosed.')
ruckus_sz_license_import_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 361)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventNodeName'))
if mibBuilder.loadTexts:
ruckusSZLicenseImportFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseImportFailedTrap.setDescription('Trigger when there is license data import failed event. The event severity, event code, event type and node name are enclosed.')
ruckus_sz_syslog_server_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 370)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSyslogServerAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZSyslogServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSyslogServerReachableTrap.setDescription('Trigger when there is a syslog server reachable event. The event severity, event code, event type, syslog server address and SZ node MAC address are enclosed.')
ruckus_sz_syslog_server_unreachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 371)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSyslogServerAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZSyslogServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSyslogServerUnreachableTrap.setDescription('Trigger when there is a syslog server unreachable event. The event severity, event code, event type, syslog server address and SZ node MAC address are enclosed.')
ruckus_sz_syslog_server_switched_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 372)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSrcSyslogServerAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDestSyslogServerAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventMacAddr'))
if mibBuilder.loadTexts:
ruckusSZSyslogServerSwitchedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSyslogServerSwitchedTrap.setDescription('Trigger when there is a syslog server switched event. The event severity, event code, event type, source syslog server address, destination syslog server address and SZ node MAC address are enclosed.')
ruckus_szap_radius_server_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 400)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZRadSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPRadiusServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPRadiusServerReachableTrap.setDescription('Trigger when there is an AP is able to reach radius server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, radius server IP address and AP IPv6 address are enclosed.')
ruckus_szap_radius_server_unreachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 401)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZRadSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPRadiusServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPRadiusServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach radius server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, radius server IP address and AP IPv6 address are enclosed.')
ruckus_szapldap_server_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 402)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLDAPSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLDAPServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLDAPServerReachableTrap.setDescription('Trigger when there is an AP is able to reach LDAP server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LDAP server IP address and AP IPv6 address are enclosed.')
ruckus_szapldap_server_unreachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 403)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZLDAPSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPLDAPServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPLDAPServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach LDAP server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, LDAP server IP address and AP IPv6 address are enclosed.')
ruckus_szapad_server_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 404)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZADSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPADServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPADServerReachableTrap.setDescription('Trigger when there is an AP is able to reach AD server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AD server IP address and AP IPv6 address are enclosed.')
ruckus_szapad_server_unreachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 405)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZADSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPADServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPADServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach AD server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, AD server IP address and AP IPv6 address are enclosed.')
ruckus_szap_usb_software_package_downloaded_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 406)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSoftwareName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPUsbSoftwarePackageDownloadedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPUsbSoftwarePackageDownloadedTrap.setDescription('Trigger when there is an AP downloaded its USB software package successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, USB software name and AP IPv6 address are enclosed.')
ruckus_szap_usb_software_package_download_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 407)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZSoftwareName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZAPUsbSoftwarePackageDownloadFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPUsbSoftwarePackageDownloadFailedTrap.setDescription('Trigger when there is an AP failed to download its USB software package event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, USB software name and AP IPv6 address are enclosed.')
ruckus_sz_esp_auth_server_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 408)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAuthSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspAuthServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspAuthServerReachableTrap.setDescription('Trigger when there is an AP is able to reach WeChat ESP authentication server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server IP address and AP IPv6 address are enclosed.')
ruckus_sz_esp_auth_server_unreachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 409)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZAuthSrvrIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspAuthServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspAuthServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach WeChat ESP authentication server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server IP address and AP IPv6 address are enclosed.')
ruckus_sz_esp_auth_server_resolvable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 410)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDomainName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspAuthServerResolvableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspAuthServerResolvableTrap.setDescription('Trigger when there is an AP is able to resolve WeChat ESP authentication server domain name successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckus_sz_esp_auth_server_un_resolvable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 411)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDomainName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspAuthServerUnResolvableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspAuthServerUnResolvableTrap.setDescription('Trigger when there is an AP is unable to resolve WeChat ESP authentication server domain name event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckus_sz_esp_dnat_server_reachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 412)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDNATIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspDNATServerReachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspDNATServerReachableTrap.setDescription('Trigger when there is an AP is able to reach WeChat ESP DNAT server successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, DNAT server IP address and AP IPv6 address are enclosed.')
ruckus_sz_esp_dnat_server_unreachable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 413)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDNATIp'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspDNATServerUnreachableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspDNATServerUnreachableTrap.setDescription('Trigger when there is an AP is unable to reach WeChat ESP DNAT server event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, DNAT server IP address and AP IPv6 address are enclosed.')
ruckus_sz_esp_dnat_server_resolvable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 414)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDomainName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspDNATServerResolvableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspDNATServerResolvableTrap.setDescription('Trigger when there is an AP is able to resolve WeChat ESP DNAT server domain name successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckus_sz_esp_dnat_server_unresolvable_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 415)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZDomainName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZEspDNATServerUnresolvableTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEspDNATServerUnresolvableTrap.setDescription('Trigger when there is an AP is unable to resolve WeChat ESP DNAT server domain name event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, authentication server domain name and AP IPv6 address are enclosed.')
ruckus_rate_limit_tor_surpassed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 500)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZRadSrvrIp'))
if mibBuilder.loadTexts:
ruckusRateLimitTORSurpassedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusRateLimitTORSurpassedTrap.setDescription('Trigger when there is received rate Limit for Total Outstanding Requests(TOR) Surpassed event. The event severity, event code, event type and AAA server IP address are enclosed.')
ruckus_szip_sec_tunnel_associated_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 600)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZIPSecGWAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZIPSecTunnelAssociatedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIPSecTunnelAssociatedTrap.setDescription('Trigger when there is an AP is able to reach secure gateway successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, secure gateway address and AP IPv6 address are enclosed.')
ruckus_szip_sec_tunnel_disassociated_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 601)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZIPSecGWAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZIPSecTunnelDisassociatedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIPSecTunnelDisassociatedTrap.setDescription('Trigger when there is an AP is disconnected from secure gateway event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, secure gateway address and AP IPv6 address are enclosed.')
ruckus_szip_sec_tunnel_associate_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 25053, 2, 11, 1, 602)).setObjects(('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventSeverity'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventCode'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventType'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPName'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPMacAddr'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIP'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPLocation'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPDescription'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPGPSCoordinates'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZIPSecGWAddress'), ('RUCKUS-SZ-EVENT-MIB', 'ruckusSZEventAPIPv6'))
if mibBuilder.loadTexts:
ruckusSZIPSecTunnelAssociateFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIPSecTunnelAssociateFailedTrap.setDescription('Trigger when there is an AP is not able to reach secure gateway successfully event. The event severity, event code, event type, AP name, AP MAC address, AP IP address, AP location, AP description, AP GPS coordinates, secure gateway address and AP IPv6 address are enclosed.')
ruckus_sz_event_description = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 1), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventDescription.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventDescription.setDescription("The event's description.")
ruckus_sz_cluster_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 2), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZClusterName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZClusterName.setDescription("The SZ's cluster name.")
ruckus_sz_event_code = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 10), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventCode.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventCode.setDescription("The event's code.")
ruckus_sz_process_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 11), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZProcessName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZProcessName.setDescription('The process name.')
ruckus_sz_event_ctrl_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 12), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventCtrlIP.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventCtrlIP.setDescription("The SZ's node control IP address.")
ruckus_sz_event_severity = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 13), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventSeverity.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventSeverity.setDescription("The event's severity.")
ruckus_sz_event_type = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 14), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventType.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventType.setDescription("The event's type.")
ruckus_sz_event_node_mgmt_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 15), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventNodeMgmtIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventNodeMgmtIp.setDescription("The SZ's management IP address.")
ruckus_sz_event_node_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 16), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventNodeName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventNodeName.setDescription("The SZ's node name.")
ruckus_szcpu_perc = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 17), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZCPUPerc.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZCPUPerc.setDescription("The SZ's CPU usage percent.")
ruckus_sz_memory_perc = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 18), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZMemoryPerc.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZMemoryPerc.setDescription("The SZ's memory usage percent.")
ruckus_sz_disk_perc = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 19), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDiskPerc.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDiskPerc.setDescription("The SZ's disk usage percent.")
ruckus_sz_event_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 20), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventMacAddr.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventMacAddr.setDescription("The SZ's MAC address.")
ruckus_sz_event_firmware_version = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 21), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventFirmwareVersion.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventFirmwareVersion.setDescription("The SZ's firmware version.")
ruckus_sz_event_upgraded_firmware_version = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 22), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventUpgradedFirmwareVersion.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventUpgradedFirmwareVersion.setDescription("The SZ's upgrade firmware version.")
ruckus_sz_event_ap_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 23), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPMacAddr.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPMacAddr.setDescription("The AP's MAC address.")
ruckus_sz_event_reason = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 24), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventReason.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventReason.setDescription("The event's reason.")
ruckus_sz_event_ap_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 25), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPName.setDescription("The AP's name.")
ruckus_sz_event_apip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 26), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPIP.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPIP.setDescription("The AP's IP address.")
ruckus_sz_event_ap_location = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 27), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPLocation.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPLocation.setDescription("The AP's location.")
ruckus_sz_event_apgps_coordinates = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 28), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPGPSCoordinates.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPGPSCoordinates.setDescription("The AP's GPS coordinates.")
ruckus_sz_event_ap_description = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 29), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPDescription.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPDescription.setDescription("The AP's description.")
ruckus_szap_model = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 31), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZAPModel.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPModel.setDescription('The AP model')
ruckus_sz_config_ap_model = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 32), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZConfigAPModel.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZConfigAPModel.setDescription('The configured AP model')
ruckus_szap_config_id = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 33), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZAPConfigID.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAPConfigID.setDescription("The AP's configuration UUID")
ruckus_sz_event_api_pv6 = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 35), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventAPIPv6.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventAPIPv6.setDescription("The AP's IPv6 address.")
ruckus_szlbsurl = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 38), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZLBSURL.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLBSURL.setDescription("The LBS server's URL")
ruckus_szlbs_port = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 39), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZLBSPort.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLBSPort.setDescription("The LBS server's port")
ruckus_sz_event_ssid = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 40), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventSSID.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventSSID.setDescription('The WLAN ssid')
ruckus_sz_event_rogue_mac = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 45), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventRogueMac.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventRogueMac.setDescription('The rogue MAC Address')
ruckus_primary_gre = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 46), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusPrimaryGRE.setStatus('current')
if mibBuilder.loadTexts:
ruckusPrimaryGRE.setDescription('The primary GRE gateway.')
ruckus_secondary_gre = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 47), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSecondaryGRE.setStatus('current')
if mibBuilder.loadTexts:
ruckusSecondaryGRE.setDescription('The secondary GRE gateway.')
ruckus_soft_gre_gateway_list = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 48), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSoftGREGatewayList.setStatus('current')
if mibBuilder.loadTexts:
ruckusSoftGREGatewayList.setDescription('The softGRE gateway list. It could be IP address or FQDN and must have only two IPs/DNs separated by semicolon (;).')
ruckus_sz_soft_gregw_address = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 49), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZSoftGREGWAddress.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSoftGREGWAddress.setDescription('The softGRE gateway IP address.')
ruckus_sz_event_client_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 50), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZEventClientMacAddr.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZEventClientMacAddr.setDescription("The client's MAC address.")
ruckus_szdp_key = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 80), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDPKey.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPKey.setDescription("The DP's identifier.")
ruckus_szdp_config_id = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 81), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDPConfigID.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPConfigID.setDescription("The DP's configuration ID.")
ruckus_szdpip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 82), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDPIP.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDPIP.setDescription("The DP's IP address.")
ruckus_sz_network_port_id = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 100), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZNetworkPortID.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNetworkPortID.setDescription('The network port ID.')
ruckus_sz_network_interface = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 101), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZNetworkInterface.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZNetworkInterface.setDescription('The network interface.')
ruckus_sz_switch_status = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 102), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZSwitchStatus.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSwitchStatus.setDescription('The switch status.')
ruckus_sz_temperature_status = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 120), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZTemperatureStatus.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZTemperatureStatus.setDescription('The temperature status.')
ruckus_sz_processor_id = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 121), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZProcessorId.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZProcessorId.setDescription('The processor ID.')
ruckus_sz_fan_id = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 122), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZFanId.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZFanId.setDescription('The fan module ID.')
ruckus_sz_fan_status = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 123), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZFanStatus.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZFanStatus.setDescription('The fan module status.')
ruckus_sz_license_type = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 150), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZLicenseType.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseType.setDescription('The license type')
ruckus_sz_license_usage_perc = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 151), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZLicenseUsagePerc.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseUsagePerc.setDescription('The license usage percent.')
ruckus_sz_license_server_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 152), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZLicenseServerName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLicenseServerName.setDescription('The license server name.')
ruckus_szip_sec_gw_address = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 153), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZIPSecGWAddress.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZIPSecGWAddress.setDescription('The secure gateway address.')
ruckus_sz_syslog_server_address = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 154), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZSyslogServerAddress.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSyslogServerAddress.setDescription('The syslog server address.')
ruckus_sz_src_syslog_server_address = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 155), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZSrcSyslogServerAddress.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSrcSyslogServerAddress.setDescription('The source syslog server address.')
ruckus_sz_dest_syslog_server_address = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 156), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDestSyslogServerAddress.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDestSyslogServerAddress.setDescription('The destination syslog server address.')
ruckus_sz_ftp_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 200), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZFtpIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZFtpIp.setDescription('The FTP server IP address.')
ruckus_sz_ftp_port = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 201), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZFtpPort.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZFtpPort.setDescription('The FTP server port.')
ruckus_sz_src_process = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 301), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZSrcProcess.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSrcProcess.setDescription('The source process name.')
ruckus_szue_imsi = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 305), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZUEImsi.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZUEImsi.setDescription('The UE IMSI.')
ruckus_szue_msisdn = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 306), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZUEMsisdn.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZUEMsisdn.setDescription('The UE MSISDN.')
ruckus_sz_auth_srvr_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 307), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZAuthSrvrIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAuthSrvrIp.setDescription('The authentication server IP address.')
ruckus_sz_rad_proxy_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 308), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZRadProxyIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZRadProxyIp.setDescription('The radius proxy IP address.')
ruckus_sz_acc_srvr_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 309), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZAccSrvrIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZAccSrvrIp.setDescription('The accounting server IP address.')
ruckus_sz_rad_srvr_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 312), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZRadSrvrIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZRadSrvrIp.setDescription('The radius server IP address.')
ruckus_sz_user_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 324), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZUserName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZUserName.setDescription('The user name.')
ruckus_sz_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 326), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZFileName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZFileName.setDescription('The file name.')
ruckus_szldap_srvr_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 327), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZLDAPSrvrIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZLDAPSrvrIp.setDescription('The LDAP server IP address.')
ruckus_szad_srvr_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 328), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZADSrvrIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZADSrvrIp.setDescription('The AD server IP address.')
ruckus_sz_software_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 329), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZSoftwareName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZSoftwareName.setDescription('The software name.')
ruckus_sz_domain_name = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 330), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDomainName.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDomainName.setDescription('The domain name.')
ruckus_szdnat_ip = mib_scalar((1, 3, 6, 1, 4, 1, 25053, 2, 11, 2, 331), octet_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ruckusSZDNATIp.setStatus('current')
if mibBuilder.loadTexts:
ruckusSZDNATIp.setDescription('The DNAT server IP address.')
mibBuilder.exportSymbols('RUCKUS-SZ-EVENT-MIB', ruckusSZAPWlanOversubscribedTrap=ruckusSZAPWlanOversubscribedTrap, ruckusSZDPRejectTunnelRequestTrap=ruckusSZDPRejectTunnelRequestTrap, ruckusSZIpmiFanTrap=ruckusSZIpmiFanTrap, ruckusSZAPManagedTrap=ruckusSZAPManagedTrap, ruckusSZClusterCfgBackupStartTrap=ruckusSZClusterCfgBackupStartTrap, ruckusSZAPLBSConnectSuccessTrap=ruckusSZAPLBSConnectSuccessTrap, ruckusSZMemoryPerc=ruckusSZMemoryPerc, ruckusSZEventObjects=ruckusSZEventObjects, ruckusSZAPTunnelDisconnectedTrap=ruckusSZAPTunnelDisconnectedTrap, ruckusSZSyslogServerUnreachableTrap=ruckusSZSyslogServerUnreachableTrap, ruckusSZIPSecTunnelDisassociatedTrap=ruckusSZIPSecTunnelDisassociatedTrap, ruckusSZClusterAppStoppedTrap=ruckusSZClusterAppStoppedTrap, ruckusSZEventAPIPv6=ruckusSZEventAPIPv6, ruckusSZClusterRestoreSuccessTrap=ruckusSZClusterRestoreSuccessTrap, ruckusSZEventAPLocation=ruckusSZEventAPLocation, ruckusSZAPSoftGREGatewayNotReachableTrap=ruckusSZAPSoftGREGatewayNotReachableTrap, ruckusSZADSrvrIp=ruckusSZADSrvrIp, ruckusSZDPUpgradeSuccessTrap=ruckusSZDPUpgradeSuccessTrap, ruckusSZNetworkInterface=ruckusSZNetworkInterface, ruckusSZCMResetByUserTrap=ruckusSZCMResetByUserTrap, ruckusSZBackupClusterSuccessTrap=ruckusSZBackupClusterSuccessTrap, ruckusSZCriticalAPDisconnectedTrap=ruckusSZCriticalAPDisconnectedTrap, ruckusSZAPRebootTrap=ruckusSZAPRebootTrap, ruckusSZDPDiscoverySuccessTrap=ruckusSZDPDiscoverySuccessTrap, ruckusSZIpmiFanStatusTrap=ruckusSZIpmiFanStatusTrap, ruckusSZEspDNATServerUnresolvableTrap=ruckusSZEspDNATServerUnresolvableTrap, ruckusSZConfUpdFailedTrap=ruckusSZConfUpdFailedTrap, PYSNMP_MODULE_ID=ruckusSZEventMIB, ruckusSZClusterUploadVDPFirmwareFailedTrap=ruckusSZClusterUploadVDPFirmwareFailedTrap, ruckusSZEventSeverity=ruckusSZEventSeverity, ruckusSZAPFactoryResetTrap=ruckusSZAPFactoryResetTrap, ruckusSZSameNetworkRogueAPDetectedTrap=ruckusSZSameNetworkRogueAPDetectedTrap, ruckusSZSessDeleteErrAtDbladeTrap=ruckusSZSessDeleteErrAtDbladeTrap, ruckusSZSystemLBSConnectFailedTrap=ruckusSZSystemLBSConnectFailedTrap, ruckusSZAPUsbSoftwarePackageDownloadedTrap=ruckusSZAPUsbSoftwarePackageDownloadedTrap, ruckusSZDPDisconnectedTrap=ruckusSZDPDisconnectedTrap, ruckusSZAuthSrvrIp=ruckusSZAuthSrvrIp, ruckusSZFanId=ruckusSZFanId, ruckusSZMacSpoofingRogueAPDetectedTrap=ruckusSZMacSpoofingRogueAPDetectedTrap, ruckusSZClusterAppStartTrap=ruckusSZClusterAppStartTrap, ruckusSZDPPhyInterfaceDownTrap=ruckusSZDPPhyInterfaceDownTrap, ruckusSZDPUpgradeStartTrap=ruckusSZDPUpgradeStartTrap, ruckusSZClusterCfgBackupFailedTrap=ruckusSZClusterCfgBackupFailedTrap, ruckusSZAPDiscoverySuccessTrap=ruckusSZAPDiscoverySuccessTrap, ruckusSZAPFirmwareUpdatedTrap=ruckusSZAPFirmwareUpdatedTrap, ruckusSZDestSyslogServerAddress=ruckusSZDestSyslogServerAddress, ruckusSZAPTunnelBuildFailedTrap=ruckusSZAPTunnelBuildFailedTrap, ruckusSZClusterOutOfServiceTrap=ruckusSZClusterOutOfServiceTrap, ruckusSZAPADServerReachableTrap=ruckusSZAPADServerReachableTrap, ruckusSZAuthSrvrNotReachableTrap=ruckusSZAuthSrvrNotReachableTrap, ruckusSZNodeBondInterfaceUpTrap=ruckusSZNodeBondInterfaceUpTrap, ruckusSZSyslogServerReachableTrap=ruckusSZSyslogServerReachableTrap, ruckusSZSoftwareName=ruckusSZSoftwareName, ruckusSZCPUUsageThresholdBackToNormalTrap=ruckusSZCPUUsageThresholdBackToNormalTrap, ruckusSZDPConfUpdatedTrap=ruckusSZDPConfUpdatedTrap, ruckusSZEventRogueMac=ruckusSZEventRogueMac, ruckusSZFanStatus=ruckusSZFanStatus, ruckusSZEventNodeMgmtIp=ruckusSZEventNodeMgmtIp, ruckusSZUEImsi=ruckusSZUEImsi, ruckusSZAPSoftGRETunnelFailoverPtoSTrap=ruckusSZAPSoftGRETunnelFailoverPtoSTrap, ruckusSZAPLBSConnectFailedTrap=ruckusSZAPLBSConnectFailedTrap, ruckusSZNodePhyInterfaceDownTrap=ruckusSZNodePhyInterfaceDownTrap, ruckusSZSessUpdateErrAtDbladeTrap=ruckusSZSessUpdateErrAtDbladeTrap, ruckusSZEventAPGPSCoordinates=ruckusSZEventAPGPSCoordinates, ruckusSZEventFirmwareVersion=ruckusSZEventFirmwareVersion, ruckusSZClusterUploadVDPFirmwareStartTrap=ruckusSZClusterUploadVDPFirmwareStartTrap, ruckusSZEventMacAddr=ruckusSZEventMacAddr, ruckusSZAPPreProvisionModelDiffTrap=ruckusSZAPPreProvisionModelDiffTrap, ruckusSecondaryGRE=ruckusSecondaryGRE, ruckusSZRadProxyIp=ruckusSZRadProxyIp, ruckusSZEventTraps=ruckusSZEventTraps, ruckusSZSSIDSpoofingRogueAPDetectedTrap=ruckusSZSSIDSpoofingRogueAPDetectedTrap, ruckusSZDPStatisticUpdateFaliedTrap=ruckusSZDPStatisticUpdateFaliedTrap, ruckusRateLimitTORSurpassedTrap=ruckusRateLimitTORSurpassedTrap, ruckusSZClusterName=ruckusSZClusterName, ruckusSZDPKey=ruckusSZDPKey, ruckusSZDPUpgradeFailedTrap=ruckusSZDPUpgradeFailedTrap, ruckusSZDPAcceptTunnelRequestTrap=ruckusSZDPAcceptTunnelRequestTrap, ruckusSZProcessRestartTrap=ruckusSZProcessRestartTrap, ruckusSZSyslogServerSwitchedTrap=ruckusSZSyslogServerSwitchedTrap, ruckusSZDNATIp=ruckusSZDNATIp, ruckusSZLBSURL=ruckusSZLBSURL, ruckusSZClusterRestoreFailedTrap=ruckusSZClusterRestoreFailedTrap, ruckusSZEspDNATServerUnreachableTrap=ruckusSZEspDNATServerUnreachableTrap, ruckusSZAPRadiusServerUnreachableTrap=ruckusSZAPRadiusServerUnreachableTrap, ruckusSZIPSecTunnelAssociateFailedTrap=ruckusSZIPSecTunnelAssociateFailedTrap, ruckusSZLicenseUsageThresholdExceededTrap=ruckusSZLicenseUsageThresholdExceededTrap, ruckusSZDPDiscoveryFailTrap=ruckusSZDPDiscoveryFailTrap, ruckusSZEventDescription=ruckusSZEventDescription, ruckusSZSshTunnelSwitchedTrap=ruckusSZSshTunnelSwitchedTrap, ruckusSZAPSoftGRETunnelFailoverStoPTrap=ruckusSZAPSoftGRETunnelFailoverStoPTrap, ruckusSZIpmiTempPTrap=ruckusSZIpmiTempPTrap, ruckusSZMemoryUsageThresholdExceededTrap=ruckusSZMemoryUsageThresholdExceededTrap, ruckusSZLicenseImportSuccessTrap=ruckusSZLicenseImportSuccessTrap, ruckusSZCableModemDownTrap=ruckusSZCableModemDownTrap, ruckusSZEspDNATServerReachableTrap=ruckusSZEspDNATServerReachableTrap, ruckusSZAPConfUpdatedTrap=ruckusSZAPConfUpdatedTrap, ruckusSZAPADServerUnreachableTrap=ruckusSZAPADServerUnreachableTrap, ruckusSZConfigAPModel=ruckusSZConfigAPModel, ruckusSZEventClientMacAddr=ruckusSZEventClientMacAddr, ruckusSZAccSrvrNotReachableTrap=ruckusSZAccSrvrNotReachableTrap, ruckusSZClusterUpgradeSuccessTrap=ruckusSZClusterUpgradeSuccessTrap, ruckusSZResourceUnavailableTrap=ruckusSZResourceUnavailableTrap, ruckusSZEventMIB=ruckusSZEventMIB, ruckusSZClusterBackupFailedTrap=ruckusSZClusterBackupFailedTrap, ruckusSZEventAPMacAddr=ruckusSZEventAPMacAddr, ruckusSZAPAcctMsgDropNoAcctStartMsgTrap=ruckusSZAPAcctMsgDropNoAcctStartMsgTrap, ruckusSZDiskUsageThresholdBackToNormalTrap=ruckusSZDiskUsageThresholdBackToNormalTrap, ruckusSZDPStatusUpdateFailedTrap=ruckusSZDPStatusUpdateFailedTrap, ruckusSZAPConnectedTrap=ruckusSZAPConnectedTrap, ruckusSZFtpPort=ruckusSZFtpPort, ruckusSZCableModemUpTrap=ruckusSZCableModemUpTrap, ruckusSZEventReason=ruckusSZEventReason, ruckusSZAPFirmwareUpdateFailedTrap=ruckusSZAPFirmwareUpdateFailedTrap, ruckusSZIpmiRETempBBTrap=ruckusSZIpmiRETempBBTrap, ruckusSZDiskPerc=ruckusSZDiskPerc, ruckusSZAPRejectedTrap=ruckusSZAPRejectedTrap, ruckusSZClusterCfgRestoreSuccessTrap=ruckusSZClusterCfgRestoreSuccessTrap, ruckusSZNodeShutdownTrap=ruckusSZNodeShutdownTrap, ruckusSZIpmiREFanStatusTrap=ruckusSZIpmiREFanStatusTrap, ruckusSZUpgradeFailedTrap=ruckusSZUpgradeFailedTrap, ruckusSZDPUpgradingTrap=ruckusSZDPUpgradingTrap, ruckusSZAPDeletedTrap=ruckusSZAPDeletedTrap, ruckusSZAPTunnelBuildSuccessTrap=ruckusSZAPTunnelBuildSuccessTrap, ruckusSZIPSecTunnelAssociatedTrap=ruckusSZIPSecTunnelAssociatedTrap, ruckusSZUnauthorizedCoaDmMessageDroppedTrap=ruckusSZUnauthorizedCoaDmMessageDroppedTrap, ruckusSZEspAuthServerResolvableTrap=ruckusSZEspAuthServerResolvableTrap, ruckusSZNetworkPortID=ruckusSZNetworkPortID, ruckusSZLicenseSyncSuccessTrap=ruckusSZLicenseSyncSuccessTrap, ruckusSZDPLostHeartbeatTrap=ruckusSZDPLostHeartbeatTrap, ruckusPrimaryGRE=ruckusPrimaryGRE, ruckusSZSystemLBSConnectSuccessTrap=ruckusSZSystemLBSConnectSuccessTrap, ruckusSZSmfRegFailedTrap=ruckusSZSmfRegFailedTrap, ruckusSZAPSoftGREGatewayReachableTrap=ruckusSZAPSoftGREGatewayReachableTrap, ruckusSZKeepAliveFailureTrap=ruckusSZKeepAliveFailureTrap, ruckusSZAPLBSNoResponsesTrap=ruckusSZAPLBSNoResponsesTrap, ruckusSZSyslogServerAddress=ruckusSZSyslogServerAddress, ruckusSZIpmiTempBBTrap=ruckusSZIpmiTempBBTrap, ruckusSZAPSwapOutModelDiffTrap=ruckusSZAPSwapOutModelDiffTrap, ruckusSZDiskUsageThresholdExceededTrap=ruckusSZDiskUsageThresholdExceededTrap, ruckusSZClientMiscEventTrap=ruckusSZClientMiscEventTrap, ruckusSZNodeJoinFailedTrap=ruckusSZNodeJoinFailedTrap, ruckusSZNodePhyInterfaceUpTrap=ruckusSZNodePhyInterfaceUpTrap, ruckusSZClusterCfgBackupSuccessTrap=ruckusSZClusterCfgBackupSuccessTrap, ruckusSZEventCtrlIP=ruckusSZEventCtrlIP, ruckusSZSessDeletedAtDbladeTrap=ruckusSZSessDeletedAtDbladeTrap, ruckusSZEventAPName=ruckusSZEventAPName, ruckusSZEventSSID=ruckusSZEventSSID, ruckusSZFtpIp=ruckusSZFtpIp, ruckusSZClusterBackToInServiceTrap=ruckusSZClusterBackToInServiceTrap, ruckusSZEventType=ruckusSZEventType, ruckusSZClusterInMaintenanceStateTrap=ruckusSZClusterInMaintenanceStateTrap, ruckusSZSessUpdatedAtDbladeTrap=ruckusSZSessUpdatedAtDbladeTrap, ruckusSZProcessorId=ruckusSZProcessorId, ruckusSZSystemLBSAuthFailedTrap=ruckusSZSystemLBSAuthFailedTrap, ruckusSZEspAuthServerReachableTrap=ruckusSZEspAuthServerReachableTrap, ruckusSZLicenseSyncFailedTrap=ruckusSZLicenseSyncFailedTrap, ruckusSoftGREGatewayList=ruckusSoftGREGatewayList, ruckusSZNodeRemoveFailedTrap=ruckusSZNodeRemoveFailedTrap, ruckusSZIpmiREFanTrap=ruckusSZIpmiREFanTrap, ruckusSZSystemLBSNoResponseTrap=ruckusSZSystemLBSNoResponseTrap, ruckusSZAuthFailedNonPermanentIDTrap=ruckusSZAuthFailedNonPermanentIDTrap, ruckusSZAPAcctRespWhileInvalidConfigTrap=ruckusSZAPAcctRespWhileInvalidConfigTrap, ruckusSZEspDNATServerResolvableTrap=ruckusSZEspDNATServerResolvableTrap, ruckusSZDPConfigID=ruckusSZDPConfigID, ruckusSZTemperatureStatus=ruckusSZTemperatureStatus, ruckusSZEspAuthServerUnResolvableTrap=ruckusSZEspAuthServerUnResolvableTrap, ruckusSZAPLDAPServerUnreachableTrap=ruckusSZAPLDAPServerUnreachableTrap, ruckusSZFtpTransferErrorTrap=ruckusSZFtpTransferErrorTrap, ruckusSZLBSPort=ruckusSZLBSPort, ruckusSZIpmiRETempPTrap=ruckusSZIpmiRETempPTrap, ruckusSZDPTunnelSetUpTrap=ruckusSZDPTunnelSetUpTrap, ruckusSZCableModemRebootTrap=ruckusSZCableModemRebootTrap, ruckusSZAPConfUpdateFailedTrap=ruckusSZAPConfUpdateFailedTrap, ruckusSZNodeRestartedTrap=ruckusSZNodeRestartedTrap, ruckusSZLicenseType=ruckusSZLicenseType, ruckusSZCPUPerc=ruckusSZCPUPerc, ruckusSZDPDeletedTrap=ruckusSZDPDeletedTrap, ruckusSZNodeBackToInServiceTrap=ruckusSZNodeBackToInServiceTrap, ruckusSZAPModel=ruckusSZAPModel, ruckusSZNodeRemoveSuccessTrap=ruckusSZNodeRemoveSuccessTrap, ruckusSZRadSrvrIp=ruckusSZRadSrvrIp, ruckusSZCMResetFactoryByUserTrap=ruckusSZCMResetFactoryByUserTrap, ruckusSZLostCnxnToDbladeTrap=ruckusSZLostCnxnToDbladeTrap, ruckusSZADHocNetworkRogueAPDetectedTrap=ruckusSZADHocNetworkRogueAPDetectedTrap, ruckusSZLicenseServerName=ruckusSZLicenseServerName, ruckusSZEventCode=ruckusSZEventCode, ruckusSZUserName=ruckusSZUserName, ruckusSZAPRadiusServerReachableTrap=ruckusSZAPRadiusServerReachableTrap, ruckusSZConfRcvFailedTrap=ruckusSZConfRcvFailedTrap, ruckusSZDomainName=ruckusSZDomainName, ruckusSZCPUUsageThresholdExceededTrap=ruckusSZCPUUsageThresholdExceededTrap, ruckusSZAPLostHeartbeatTrap=ruckusSZAPLostHeartbeatTrap, ruckusSZNodeBondInterfaceDownTrap=ruckusSZNodeBondInterfaceDownTrap, ruckusSZProcessName=ruckusSZProcessName, ruckusSZHipFailoverTrap=ruckusSZHipFailoverTrap, ruckusSZClusterUploadVDPFirmwareSuccessTrap=ruckusSZClusterUploadVDPFirmwareSuccessTrap, ruckusSZAPUsbSoftwarePackageDownloadFailedTrap=ruckusSZAPUsbSoftwarePackageDownloadFailedTrap, ruckusSZMemoryUsageThresholdBackToNormalTrap=ruckusSZMemoryUsageThresholdBackToNormalTrap, ruckusSZDPConfUpdateFailedTrap=ruckusSZDPConfUpdateFailedTrap, ruckusSZDPConnectedTrap=ruckusSZDPConnectedTrap, ruckusSZSwitchStatus=ruckusSZSwitchStatus, ruckusSZNodeJoinSuccessTrap=ruckusSZNodeJoinSuccessTrap, ruckusSZMaliciousRogueAPTimeoutTrap=ruckusSZMaliciousRogueAPTimeoutTrap, ruckusSZDPPhyInterfaceUpTrap=ruckusSZDPPhyInterfaceUpTrap, ruckusSZSystemMiscEventTrap=ruckusSZSystemMiscEventTrap, ruckusSZServiceUnavailableTrap=ruckusSZServiceUnavailableTrap, ruckusSZEspAuthServerUnreachableTrap=ruckusSZEspAuthServerUnreachableTrap, ruckusSZIPSecGWAddress=ruckusSZIPSecGWAddress, ruckusSZAccSrvrIp=ruckusSZAccSrvrIp, ruckusSZEventAPIP=ruckusSZEventAPIP, ruckusSZUpgradeSuccessTrap=ruckusSZUpgradeSuccessTrap, ruckusSZLicenseImportFailedTrap=ruckusSZLicenseImportFailedTrap, ruckusSZClusterUploadSuccessTrap=ruckusSZClusterUploadSuccessTrap, ruckusSZSrcProcess=ruckusSZSrcProcess, ruckusSZClusterCfgRestoreFailedTrap=ruckusSZClusterCfgRestoreFailedTrap, ruckusSZEventAPDescription=ruckusSZEventAPDescription, ruckusSZLicenseUsagePerc=ruckusSZLicenseUsagePerc, ruckusSZLDAPSrvrIp=ruckusSZLDAPSrvrIp, ruckusSZFileName=ruckusSZFileName, ruckusSZUEMsisdn=ruckusSZUEMsisdn, ruckusSZSoftGREGWAddress=ruckusSZSoftGREGWAddress, ruckusSZClusterLeaderChangedTrap=ruckusSZClusterLeaderChangedTrap, ruckusSZAPConfigID=ruckusSZAPConfigID, ruckusSZClusterUploadFailedTrap=ruckusSZClusterUploadFailedTrap, ruckusSZNodeOutOfServiceTrap=ruckusSZNodeOutOfServiceTrap, ruckusSZEventUpgradedFirmwareVersion=ruckusSZEventUpgradedFirmwareVersion, ruckusSZSrcSyslogServerAddress=ruckusSZSrcSyslogServerAddress, ruckusSZAPLBSAuthFailedTrap=ruckusSZAPLBSAuthFailedTrap, ruckusSZAPMiscEventTrap=ruckusSZAPMiscEventTrap, ruckusSZDPIP=ruckusSZDPIP, ruckusSZAPLDAPServerReachableTrap=ruckusSZAPLDAPServerReachableTrap, ruckusSZConnectedToDbladeTrap=ruckusSZConnectedToDbladeTrap, ruckusSZAPDisconnectedTrap=ruckusSZAPDisconnectedTrap, ruckusSZDPTunnelTearDownTrap=ruckusSZDPTunnelTearDownTrap, ruckusSZCriticalAPConnectedTrap=ruckusSZCriticalAPConnectedTrap, ruckusSZEventNodeName=ruckusSZEventNodeName) |
# Definition for singly-linked list.
class ListNode:
def __init__(self, x):
self.val = x
self.next = None
class Solution:
def addTwoNumbers(self, l1: ListNode, l2: ListNode) -> ListNode:
def tmpCount(sumN, l):
digit, i = 0, 0
while l:
v = l.val
l = l.next
sumN += v * pow(10, i)
i+=1
return sumN
sumN = 0
sumN = tmpCount(sumN, l1) + tmpCount(sumN, l2)
head = node = ListNode(0)
while sumN:
tmpN = sumN % 10
node.next = ListNode(tmpN)
node = node.next
sumN//= 10
# if sum has more than one digit
if head.next is not None:
return head.next
else:
return head | class Listnode:
def __init__(self, x):
self.val = x
self.next = None
class Solution:
def add_two_numbers(self, l1: ListNode, l2: ListNode) -> ListNode:
def tmp_count(sumN, l):
(digit, i) = (0, 0)
while l:
v = l.val
l = l.next
sum_n += v * pow(10, i)
i += 1
return sumN
sum_n = 0
sum_n = tmp_count(sumN, l1) + tmp_count(sumN, l2)
head = node = list_node(0)
while sumN:
tmp_n = sumN % 10
node.next = list_node(tmpN)
node = node.next
sum_n //= 10
if head.next is not None:
return head.next
else:
return head |
def f(c):
for i in [1, 2, 3]:
if c:
x = 0
break
else:
x = 1
return x #pass
| def f(c):
for i in [1, 2, 3]:
if c:
x = 0
break
else:
x = 1
return x |
__author__ = 'rolandh'
ENTITYATTRIBUTES = "urn:oasis:names:tc:SAML:metadata:attribute&EntityAttributes"
def entity_categories(md):
res = []
if "extensions" in md:
for elem in md["extensions"]["extension_elements"]:
if elem["__class__"] == ENTITYATTRIBUTES:
for attr in elem["attribute"]:
res.append(attr["text"])
return res | __author__ = 'rolandh'
entityattributes = 'urn:oasis:names:tc:SAML:metadata:attribute&EntityAttributes'
def entity_categories(md):
res = []
if 'extensions' in md:
for elem in md['extensions']['extension_elements']:
if elem['__class__'] == ENTITYATTRIBUTES:
for attr in elem['attribute']:
res.append(attr['text'])
return res |
#!usr/bin/python3
# Filename: break.py
while True: # Fakes R's repeat loop
s = (input('Enter something: '))
if s == 'quit': # Provide condition to end the loop
break
print('Length of the string is ', len(s))
print('Done') | while True:
s = input('Enter something: ')
if s == 'quit':
break
print('Length of the string is ', len(s))
print('Done') |
class Collection:
def __init__(self, **kwargs):
self.__dict__.update(kwargs)
ber_over_snr = Collection(
bits_per_slot=440,
slot_per_frame=1,
give_up_value=1e-6,
# How many bits to aim for at give_up_value
certainty=20,
# Stop early at x number of errors. Make sure to scale together with
# slots_per_frame, as this number number must include several different
# h values.
stop_at_errors=100000,
snr_stop=100,
snr_step=2.5,
branches=5
)
| class Collection:
def __init__(self, **kwargs):
self.__dict__.update(kwargs)
ber_over_snr = collection(bits_per_slot=440, slot_per_frame=1, give_up_value=1e-06, certainty=20, stop_at_errors=100000, snr_stop=100, snr_step=2.5, branches=5) |
class Solution:
# Max Sum LC (Accepted), O(m * n) time, O(m) space
def maximumWealth(self, accounts: List[List[int]]) -> int:
return max(sum(row) for row in accounts)
# Max Map Sum (Top Voted), O(m * n) time, O(m) space
def maximumWealth(self, accounts: List[List[int]]) -> int:
return max(map(sum, accounts))
| class Solution:
def maximum_wealth(self, accounts: List[List[int]]) -> int:
return max((sum(row) for row in accounts))
def maximum_wealth(self, accounts: List[List[int]]) -> int:
return max(map(sum, accounts)) |
GSTR_APPFOLDER = 1
GSTR_CONFOLDER = 2
GSTR_LANFOLDER = 3
GSTR_TEMFOLDER = 4
GSTR_CE_FILE = 5
GSTR_CONF_FILE = 6
GSTR_LOC_FILE = 7
GSTR_SSET_FILE = 8
GSTR_LOCX_FILE = 9
GSTR_CEX_FILE = 10
GSTR_CONFX_FILE = 11
GSTR_TZ_FILE = 12
GSTR_COUNTRY_FILE = 13
GSTR_TEXT_FILE = 14
GSTR_TIPS_FILE = 15
GSTR_HELP_FILE = 16
| gstr_appfolder = 1
gstr_confolder = 2
gstr_lanfolder = 3
gstr_temfolder = 4
gstr_ce_file = 5
gstr_conf_file = 6
gstr_loc_file = 7
gstr_sset_file = 8
gstr_locx_file = 9
gstr_cex_file = 10
gstr_confx_file = 11
gstr_tz_file = 12
gstr_country_file = 13
gstr_text_file = 14
gstr_tips_file = 15
gstr_help_file = 16 |
bind_to = 'localhost'
port = 8001
client_id = 'INSERT GOOGLE CLIENT ID'
| bind_to = 'localhost'
port = 8001
client_id = 'INSERT GOOGLE CLIENT ID' |
# like a version, touched for the very first time
version = '0.2.10'
# definitions for coin types / chains supported
# selected by sqc.cfg['cointype']
ADDR_CHAR = 0
ADDR_PREFIX = 1
P2SH_CHAR = 2
P2SH_PREFIX = 3
BECH_HRP = 4
BLKDAT_MAGIC = 5
BLKDAT_NEAR_SYNC = 6
BLK_REWARD = 7
HALF_BLKS = 8
coin_cfg = {
'bitcoin': [ '1', 0, '3', 5, 'bc', 0xD9B4BEF9, 500, (50*1e8), 210000 ],
'testnet': [ 'mn', 111, '2', 196, 'tb', 0x0709110B, 8000, (50*1e8), 210000 ],
'litecoin':[ 'L', 48, '3M', 50, 'ltc', 0xDBB6C0FB, 500, (50*1e8), 840000 ],
'reddcoin':[ 'R', 48, '3', 5, 'rdd', 0xDBB6C0FB, 500, 0, None ],
'dogecoin':[ 'D', 30, '9A', 22, 'doge', 0xC0C0C0C0, 500, 0, None ],
'vertcoin':[ 'V', 71, '3', 5, 'vtc', 0xDAB5BFFA, 500, 0, None ]
}
def coincfg(IDX):
return coin_cfg[sqc.cfg['cointype']][IDX]
# addr id flags
ADDR_ID_FLAGS = 0x70000000000
P2SH_FLAG = 0x10000000000
BECH32_FLAG = 0x20000000000
BECH32_LONG = 0x30000000000
# global version related definitions
# cannot change these without first updating existing table schema and data
# these are set to reasonable values for now - to increase, alter trxs.block_id or outputs.id column widths
# and update data eg. update trxs set block_id=block_id div OLD_MAX * NEW_MAX + block_id % OLD_MAX
MAX_TX_BLK = 20000 # allows 9,999,999 blocks with decimal(11)
MAX_IO_TX = 16384 # allows 37 bit out_id value, (5 byte hash >> 3)*16384 in decimal(16), 7 bytes in blobs
BLOB_SPLIT_SIZE = int(5e9) # size limit for split blobs, approx. as may extend past if tx on boundary
S3_BLK_SIZE = 4096 # s3 block size for caching
| version = '0.2.10'
addr_char = 0
addr_prefix = 1
p2_sh_char = 2
p2_sh_prefix = 3
bech_hrp = 4
blkdat_magic = 5
blkdat_near_sync = 6
blk_reward = 7
half_blks = 8
coin_cfg = {'bitcoin': ['1', 0, '3', 5, 'bc', 3652501241, 500, 50 * 100000000.0, 210000], 'testnet': ['mn', 111, '2', 196, 'tb', 118034699, 8000, 50 * 100000000.0, 210000], 'litecoin': ['L', 48, '3M', 50, 'ltc', 3686187259, 500, 50 * 100000000.0, 840000], 'reddcoin': ['R', 48, '3', 5, 'rdd', 3686187259, 500, 0, None], 'dogecoin': ['D', 30, '9A', 22, 'doge', 3233857728, 500, 0, None], 'vertcoin': ['V', 71, '3', 5, 'vtc', 3669344250, 500, 0, None]}
def coincfg(IDX):
return coin_cfg[sqc.cfg['cointype']][IDX]
addr_id_flags = 7696581394432
p2_sh_flag = 1099511627776
bech32_flag = 2199023255552
bech32_long = 3298534883328
max_tx_blk = 20000
max_io_tx = 16384
blob_split_size = int(5000000000.0)
s3_blk_size = 4096 |
#!/usr/bin/python3
# https://practice.geeksforgeeks.org/problems/pairs-of-prime-number/0
def getPrimes(n):
primes = [True]*(n+1)
primes[0] = False
primes[1] = False
i=2
while i*i<=n:
if primes[i]:
for j in range(2*i, n+1, i):
primes[j] = False
i+=1
return primes
def sol(n):
p = []
i = 2
while i <= n//2:
if primes[i]:
p.append(i)
i+=1
# Get all the prime numbers till n/2 because 2 is the smallest prime
# number so the highest prime number that can be included cannot be
# more than n/2
for i in range(len(p)):
for j in range(len(p)):
if p[i]*p[j] <= n:
print(p[i], p[j], end=" ")
print() | def get_primes(n):
primes = [True] * (n + 1)
primes[0] = False
primes[1] = False
i = 2
while i * i <= n:
if primes[i]:
for j in range(2 * i, n + 1, i):
primes[j] = False
i += 1
return primes
def sol(n):
p = []
i = 2
while i <= n // 2:
if primes[i]:
p.append(i)
i += 1
for i in range(len(p)):
for j in range(len(p)):
if p[i] * p[j] <= n:
print(p[i], p[j], end=' ')
print() |
class Solution:
def wordBreak(self, s: str, wordDict: List[str]) -> List[str]:
if not s or not wordDict or len(wordDict) == 0:
return []
return self.dfs(s, wordDict, {})
def dfs(self, s: str, wordDict: List[str], memo: dict[str, List[str]]) -> None:
if s in memo:
return memo[s]
if s == "":
return [""]
result = []
for word in wordDict:
if s.startswith(word):
for sub in self.dfs(s[len(word):], wordDict, memo):
result.append(word + ("" if sub == "" else " ") + sub)
memo[s] = result
return result | class Solution:
def word_break(self, s: str, wordDict: List[str]) -> List[str]:
if not s or not wordDict or len(wordDict) == 0:
return []
return self.dfs(s, wordDict, {})
def dfs(self, s: str, wordDict: List[str], memo: dict[str, List[str]]) -> None:
if s in memo:
return memo[s]
if s == '':
return ['']
result = []
for word in wordDict:
if s.startswith(word):
for sub in self.dfs(s[len(word):], wordDict, memo):
result.append(word + ('' if sub == '' else ' ') + sub)
memo[s] = result
return result |
class Coordenada:
def __init__(self, x, y):
self.x = x
self.y = y
def distancia(self, otro_cordenada):
x_diff = (self.x - otro_cordenada.x)**2
y_diff = (self.y - otro_cordenada.y)**2
return (x_diff + y_diff)**0.5
if __name__ == '__main__':
coord1 = Coordenada(3,30)
coord2 = Coordenada(4,40)
print(coord1.distancia(coord2)) | class Coordenada:
def __init__(self, x, y):
self.x = x
self.y = y
def distancia(self, otro_cordenada):
x_diff = (self.x - otro_cordenada.x) ** 2
y_diff = (self.y - otro_cordenada.y) ** 2
return (x_diff + y_diff) ** 0.5
if __name__ == '__main__':
coord1 = coordenada(3, 30)
coord2 = coordenada(4, 40)
print(coord1.distancia(coord2)) |
ENV = "BipedalWalker-v2"
LOAD = True
DISPLAY = True
DISCOUNT = 0.99
FRAME_SKIP = 4
EPSILON_START = 0.1
EPSILON_STOP = 0.05
EPSILON_STEPS = 25000
ACTOR_LEARNING_RATE = 1e-3
CRITIC_LEARNING_RATE = 1e-3
# Memory size
BUFFER_SIZE = 100000
BATCH_SIZE = 1024
# Number of episodes of game environment to train with
TRAINING_STEPS = 1500000
# Maximal number of steps during one episode
MAX_EPISODE_STEPS = 125
TRAINING_FREQ = 4
# Rate to update target network toward primary network
UPDATE_TARGET_RATE = 0.01
| env = 'BipedalWalker-v2'
load = True
display = True
discount = 0.99
frame_skip = 4
epsilon_start = 0.1
epsilon_stop = 0.05
epsilon_steps = 25000
actor_learning_rate = 0.001
critic_learning_rate = 0.001
buffer_size = 100000
batch_size = 1024
training_steps = 1500000
max_episode_steps = 125
training_freq = 4
update_target_rate = 0.01 |
class MessageTooLong(Exception):
pass
class MissingAttributes(Exception):
def __init__(self, attrs):
msg = 'Required attribute(s) missing: {}'.format(attrs)
super().__init__(msg)
class MustBeBytes(Exception):
pass
class NoLineEnding(Exception):
pass
class StrayLineEnding(Exception):
pass
| class Messagetoolong(Exception):
pass
class Missingattributes(Exception):
def __init__(self, attrs):
msg = 'Required attribute(s) missing: {}'.format(attrs)
super().__init__(msg)
class Mustbebytes(Exception):
pass
class Nolineending(Exception):
pass
class Straylineending(Exception):
pass |
deg, dis = map(int, input().split())
dirs = ["N", "NNE", "NE", "ENE", "E", "ESE", "SE", "SSE", "S", "SSW", "SW", "WSW", "W", "WNW", "NW", "NNW"]
wps = [2, 15, 33, 54, 79, 107, 138, 171, 207, 244, 284, 326]
w = 0
for n in wps:
if int(dis/6 + 0.5) > n:
w += 1
dir = dirs[(deg * 10 + 1125) % 36000 // 2250] if w > 0 else "C"
print(dir, w)
| (deg, dis) = map(int, input().split())
dirs = ['N', 'NNE', 'NE', 'ENE', 'E', 'ESE', 'SE', 'SSE', 'S', 'SSW', 'SW', 'WSW', 'W', 'WNW', 'NW', 'NNW']
wps = [2, 15, 33, 54, 79, 107, 138, 171, 207, 244, 284, 326]
w = 0
for n in wps:
if int(dis / 6 + 0.5) > n:
w += 1
dir = dirs[(deg * 10 + 1125) % 36000 // 2250] if w > 0 else 'C'
print(dir, w) |
class Node:
def __init__(self, data) -> None:
self.data = data
self.next = None
class LinkedList:
def __init__(self) -> None:
self.head = None
def push(self, data):
New_node = Node(data)
New_node.next = self.head
self.head = New_node
def getCount(self):
count = 0
current = self.head
while current:
count += 1
current = current.next
return count
def getMiddle(self):
count = 0
current = self.head
while current:
count += 1
current = current.next
middle = self.head
while count//2:
middle = middle.next
return middle.data
"How to get the middle element, I got index "
def printlist(self):
current = self.head
while(current):
print(current.data, "->", end = " ")
current = current.next
if __name__ == "__main__":
l = LinkedList()
l.push(3)
l.push(5)
l.push(4)
l.printlist()
print("\n size of the given linked list is : ", end = " ")
print(l.getCount())
print("\n middle element is : ", end = " ")
print(l.getMiddle())
| class Node:
def __init__(self, data) -> None:
self.data = data
self.next = None
class Linkedlist:
def __init__(self) -> None:
self.head = None
def push(self, data):
new_node = node(data)
New_node.next = self.head
self.head = New_node
def get_count(self):
count = 0
current = self.head
while current:
count += 1
current = current.next
return count
def get_middle(self):
count = 0
current = self.head
while current:
count += 1
current = current.next
middle = self.head
while count // 2:
middle = middle.next
return middle.data
'How to get the middle element, I got index '
def printlist(self):
current = self.head
while current:
print(current.data, '->', end=' ')
current = current.next
if __name__ == '__main__':
l = linked_list()
l.push(3)
l.push(5)
l.push(4)
l.printlist()
print('\n size of the given linked list is : ', end=' ')
print(l.getCount())
print('\n middle element is : ', end=' ')
print(l.getMiddle()) |
class StakeHolderDetails:
def __init__(self, blockchain_id, staker, amount_staked, reward_amount, claimable_amount, refund_amount,
auto_renewal, block_no_created):
self.__blockchain_id = blockchain_id
self.__staker = staker
self.__amount_staked = amount_staked
self.__reward_amount = reward_amount
self.__claimable_amount = claimable_amount
self.__refund_amount = refund_amount
self.__auto_renewal = auto_renewal
self.__block_no_created = block_no_created
def to_dict(self):
return {
"blockchain_id": self.__blockchain_id,
"staker": self.__staker,
"amount_staked": self.__amount_staked,
"reward_amount": self.__reward_amount,
"claimable_amount": self.__claimable_amount,
"refund_amount": self.__refund_amount,
"auto_renewal": self.__auto_renewal,
"block_no_created": self.__block_no_created
}
@property
def blockchain_id(self):
return self.__blockchain_id
@property
def staker(self):
return self.__staker
@property
def amount_staked(self):
return self.__amount_staked
@amount_staked.setter
def amount_staked(self, amount_staked):
self.__amount_staked = amount_staked
@property
def reward_amount(self):
return self.__reward_amount
@reward_amount.setter
def reward_amount(self, reward_amount):
self.__reward_amount = reward_amount
@property
def claimable_amount(self):
return self.__claimable_amount
@claimable_amount.setter
def claimable_amount(self, claimable_amount):
self.__claimable_amount = claimable_amount
@property
def refund_amount(self):
return self.__refund_amount
@refund_amount.setter
def refund_amount(self, refund_amount):
self.__refund_amount = refund_amount
@property
def auto_renewal(self):
return self.__auto_renewal
@auto_renewal.setter
def auto_renewal(self, auto_renewal):
self.__auto_renewal = auto_renewal
@property
def block_no_created(self):
return self.__block_no_created | class Stakeholderdetails:
def __init__(self, blockchain_id, staker, amount_staked, reward_amount, claimable_amount, refund_amount, auto_renewal, block_no_created):
self.__blockchain_id = blockchain_id
self.__staker = staker
self.__amount_staked = amount_staked
self.__reward_amount = reward_amount
self.__claimable_amount = claimable_amount
self.__refund_amount = refund_amount
self.__auto_renewal = auto_renewal
self.__block_no_created = block_no_created
def to_dict(self):
return {'blockchain_id': self.__blockchain_id, 'staker': self.__staker, 'amount_staked': self.__amount_staked, 'reward_amount': self.__reward_amount, 'claimable_amount': self.__claimable_amount, 'refund_amount': self.__refund_amount, 'auto_renewal': self.__auto_renewal, 'block_no_created': self.__block_no_created}
@property
def blockchain_id(self):
return self.__blockchain_id
@property
def staker(self):
return self.__staker
@property
def amount_staked(self):
return self.__amount_staked
@amount_staked.setter
def amount_staked(self, amount_staked):
self.__amount_staked = amount_staked
@property
def reward_amount(self):
return self.__reward_amount
@reward_amount.setter
def reward_amount(self, reward_amount):
self.__reward_amount = reward_amount
@property
def claimable_amount(self):
return self.__claimable_amount
@claimable_amount.setter
def claimable_amount(self, claimable_amount):
self.__claimable_amount = claimable_amount
@property
def refund_amount(self):
return self.__refund_amount
@refund_amount.setter
def refund_amount(self, refund_amount):
self.__refund_amount = refund_amount
@property
def auto_renewal(self):
return self.__auto_renewal
@auto_renewal.setter
def auto_renewal(self, auto_renewal):
self.__auto_renewal = auto_renewal
@property
def block_no_created(self):
return self.__block_no_created |
expected_output = {
'active_query': {
'periodicity_mins': 30,
'status': 'Enabled'
},
'mdns_gateway': 'Enabled',
'mdns_query_type': 'ALL',
'mdns_service_policy': 'default-mdns-service-policy',
'sdg_agent_ip': '10.1.1.2',
'service_instance_suffix': 'Not-Configured',
'source_interface': 'Vlan4025',
'transport_type': 'IPv4',
'vlan': '1101'
} | expected_output = {'active_query': {'periodicity_mins': 30, 'status': 'Enabled'}, 'mdns_gateway': 'Enabled', 'mdns_query_type': 'ALL', 'mdns_service_policy': 'default-mdns-service-policy', 'sdg_agent_ip': '10.1.1.2', 'service_instance_suffix': 'Not-Configured', 'source_interface': 'Vlan4025', 'transport_type': 'IPv4', 'vlan': '1101'} |
n=[]
t=[]
nome=""
while(nome!="fim"):
nome=input("Digite um nome: ")
if(nome!="fim"):
n.append(nome)
t.append(input("Digite o telefone: "))
tamanhoDaLista=len(n)
print(n)
print(t)
print(tamanhoDaLista)
print(n[-1]) #de tras pra frente | n = []
t = []
nome = ''
while nome != 'fim':
nome = input('Digite um nome: ')
if nome != 'fim':
n.append(nome)
t.append(input('Digite o telefone: '))
tamanho_da_lista = len(n)
print(n)
print(t)
print(tamanhoDaLista)
print(n[-1]) |
class Solution:
def isValid(self, pos):
if(pos[0] >= self.matrix_row or pos[1] >= self.matrix_col):
return False
return True
def get_all_path_to_goal(self, matrix, st):
self.matrix_row = len(matrix)
self.matrix_col = len(matrix[0])
self.matrix = matrix
pos = st
goal = self.matrix_row-1, self.matrix_col-1
self.path = []
self.make_move(pos[0], goal, [])
self.make_move(pos[1], goal, [])
return self.path
def make_move(self, pos, goal, path):
if pos == goal:
print(path)
self.path.append(path)
return True
# explore
path.append(self.matrix[pos[0]][pos[1]])
# Down move
np = pos[0]+1, pos[1]
if self.isValid(np):
npp = path.copy()
self.make_move(np, goal, npp)
# Right move
np = pos[0], pos[1]+1
if self.isValid(np):
npp = path.copy()
self.make_move(np, goal, npp)
return False
matrix = [[1, 2, 3],
[4, 5, 1]]
print(Solution().get_all_path_to_goal(matrix, [(0, 1), (1, 0)]))
| class Solution:
def is_valid(self, pos):
if pos[0] >= self.matrix_row or pos[1] >= self.matrix_col:
return False
return True
def get_all_path_to_goal(self, matrix, st):
self.matrix_row = len(matrix)
self.matrix_col = len(matrix[0])
self.matrix = matrix
pos = st
goal = (self.matrix_row - 1, self.matrix_col - 1)
self.path = []
self.make_move(pos[0], goal, [])
self.make_move(pos[1], goal, [])
return self.path
def make_move(self, pos, goal, path):
if pos == goal:
print(path)
self.path.append(path)
return True
path.append(self.matrix[pos[0]][pos[1]])
np = (pos[0] + 1, pos[1])
if self.isValid(np):
npp = path.copy()
self.make_move(np, goal, npp)
np = (pos[0], pos[1] + 1)
if self.isValid(np):
npp = path.copy()
self.make_move(np, goal, npp)
return False
matrix = [[1, 2, 3], [4, 5, 1]]
print(solution().get_all_path_to_goal(matrix, [(0, 1), (1, 0)])) |
class ListNode:
def __init__(self, val: int, prev_node=None, next_node=None):
self.val = val
self.prev_node = prev_node
if self.prev_node:
self.prev_node.next_node = self
self.next_node = next_node
if self.next_node:
self.next_node.prev_node = self
def __str__(self):
return str(self.val)
def __iter__(self):
node = self
while node:
yield node.val
node = node.next_node
def pop_prev(self):
if self.prev_node:
return self.prev_node.pop()
def pop_next(self):
if self.next_node:
return self.next_node.pop()
def pop(self):
if self.prev_node:
self.prev_node.next_node = self.next_node
if self.next_node:
self.next_node.prev_node = self.prev_node
return self
def insert_after(self, val: int):
node = ListNode(val, self, self.next_node)
if self.next_node:
self.next_node.prev_node = node
self.next_node = node
return node
def insert_before(self, val: int):
node = ListNode(val, self.prev_node, self)
if self.prev_node:
self.prev_node.next_node = node
self.prev_node = node
return node
@classmethod
def from_list(cls, elems):
head = None
current = None
for e in elems:
if not current:
head = current = ListNode(e)
else:
current = current.insert_after(e)
return head
class SinglyListNode:
def __init__(self, val=0, next_node=None):
self.val = val
self.next_node = next_node
def has_next(self):
return self.next_node != None
def __iter__(self):
node = self
while node:
yield node.val
node = node.next_node
def __str__(self):
return str(self.val) + ("" if self.next_node is None else "->[" + str(self.next_node.val) + "...]")
def reverse(self, append=None):
if self.next_node is None:
self.next_node = append
return self
tail = self.next_node
self.next_node = append
return tail.reverse(self)
@classmethod
def from_list(cls, elems):
head = None
tail = None
for e in elems:
node = SinglyListNode(e)
if tail is None:
head = node
else:
tail.next_node = node
tail = node
return head
| class Listnode:
def __init__(self, val: int, prev_node=None, next_node=None):
self.val = val
self.prev_node = prev_node
if self.prev_node:
self.prev_node.next_node = self
self.next_node = next_node
if self.next_node:
self.next_node.prev_node = self
def __str__(self):
return str(self.val)
def __iter__(self):
node = self
while node:
yield node.val
node = node.next_node
def pop_prev(self):
if self.prev_node:
return self.prev_node.pop()
def pop_next(self):
if self.next_node:
return self.next_node.pop()
def pop(self):
if self.prev_node:
self.prev_node.next_node = self.next_node
if self.next_node:
self.next_node.prev_node = self.prev_node
return self
def insert_after(self, val: int):
node = list_node(val, self, self.next_node)
if self.next_node:
self.next_node.prev_node = node
self.next_node = node
return node
def insert_before(self, val: int):
node = list_node(val, self.prev_node, self)
if self.prev_node:
self.prev_node.next_node = node
self.prev_node = node
return node
@classmethod
def from_list(cls, elems):
head = None
current = None
for e in elems:
if not current:
head = current = list_node(e)
else:
current = current.insert_after(e)
return head
class Singlylistnode:
def __init__(self, val=0, next_node=None):
self.val = val
self.next_node = next_node
def has_next(self):
return self.next_node != None
def __iter__(self):
node = self
while node:
yield node.val
node = node.next_node
def __str__(self):
return str(self.val) + ('' if self.next_node is None else '->[' + str(self.next_node.val) + '...]')
def reverse(self, append=None):
if self.next_node is None:
self.next_node = append
return self
tail = self.next_node
self.next_node = append
return tail.reverse(self)
@classmethod
def from_list(cls, elems):
head = None
tail = None
for e in elems:
node = singly_list_node(e)
if tail is None:
head = node
else:
tail.next_node = node
tail = node
return head |
class VerificationModel(object):
def __init__(self, password, mail, code):
self.Password = password
self.Mail = mail
self.CodeUtilisateur = code
| class Verificationmodel(object):
def __init__(self, password, mail, code):
self.Password = password
self.Mail = mail
self.CodeUtilisateur = code |
#!/usr/bin/env python3.6
#Author: Vishwas K Singh
#Email: vishwasks32@gmail.com
# Program: A Simple module with some problematic test code
# Listing10.3
# hello3.py
def hello():
print('Hello, world!')
# A test:
hello()
| def hello():
print('Hello, world!')
hello() |
def extractAnonanemoneWordpressCom(item):
'''
Parser for 'anonanemone.wordpress.com'
'''
vol, chp, frag, postfix = extractVolChapterFragmentPostfix(item['title'])
if not (chp or vol) or "preview" in item['title'].lower():
return None
tagmap = [
('tmpw', 'The Man\'s Perfect Wife', 'translated'),
('DS', 'Doppio Senso', 'translated'),
('loy', 'Lady of YeonSung', 'translated'),
('PRC', 'PRC', 'translated'),
('Loiterous', 'Loiterous', 'oel'),
]
for tagname, name, tl_type in tagmap:
if tagname in item['tags']:
return buildReleaseMessageWithType(item, name, vol, chp, frag=frag, postfix=postfix, tl_type=tl_type)
return False | def extract_anonanemone_wordpress_com(item):
"""
Parser for 'anonanemone.wordpress.com'
"""
(vol, chp, frag, postfix) = extract_vol_chapter_fragment_postfix(item['title'])
if not (chp or vol) or 'preview' in item['title'].lower():
return None
tagmap = [('tmpw', "The Man's Perfect Wife", 'translated'), ('DS', 'Doppio Senso', 'translated'), ('loy', 'Lady of YeonSung', 'translated'), ('PRC', 'PRC', 'translated'), ('Loiterous', 'Loiterous', 'oel')]
for (tagname, name, tl_type) in tagmap:
if tagname in item['tags']:
return build_release_message_with_type(item, name, vol, chp, frag=frag, postfix=postfix, tl_type=tl_type)
return False |
def square(n):
print("Square of ",n,"is",(n*n))
def cude(n):
print("Cube of ",n,"is",(n*n*n))
cude(3)
square(4) | def square(n):
print('Square of ', n, 'is', n * n)
def cude(n):
print('Cube of ', n, 'is', n * n * n)
cude(3)
square(4) |
name_and_hp = '''SELECT name, hp
FROM charactercreator_character;'''
# More queries to go here below
| name_and_hp = 'SELECT name, hp \n FROM charactercreator_character;' |
dummy_papers = [
{
"abstract": "This is an abstract.",
"authors": ["Yi Zhu", "Shawn Newsam"],
"category": "cs.CV",
"comment": "WACV 2017 camera ready, minor updates about test time efficiency",
"img": "/static/thumbs/1612.07403v2.pdf.jpg",
"link": "http://arxiv.org/abs/1612.07403v2",
"originally_published_time": "12/22/2016",
"pid": "1612.07403v2",
"published_time": "4/4/2017",
"tags": ["cs.CV", "cs.MM"],
"title": "Efficient Action Detection in Untrimmed Videos via Multi-Task Learning"
},
{
"abstract": "Hey, another abstract.",
"authors": ["Zhen-Hua Feng", "Josef Kittler", "Xiao-Jun Wu"],
"category": "cs.CV",
"comment": "",
"img": "/static/thumbs/1611.05396v2.pdf.jpg",
"link": "http://arxiv.org/abs/1611.05396v2",
"originally_published_time": "11/16/2016",
"pid": "1611.05396v2",
"published_time": "4/4/2017",
"tags": ["cs.CV"],
"title": "This is a paper title. Ok?"
},
{
"abstract": "This paper has maximum machine learning.",
"authors": ["Sebastian Weichwald", "Tatiana Fomina", "Slater McGorden"],
"category": "q-bio.NC",
"comment": "",
"img": "/static/thumbs/1605.07094v2.pdf.jpg",
"link": "http://arxiv.org/abs/1605.07094v2",
"originally_published_time": "5/23/2016",
"pid": "1605.07094v2",
"published_time": "4/4/2017",
"tags": ["q-bio.NC", "cs.IT", "cs.LG", "math.IT", "stat.ML"],
"title": "A note on the expected minimum error probability in equientropic channels"
},
{
"abstract": "It's full of magic. You should just read it.",
"authors": ["Feras Saad", "Leonardo Casarsa", "Vikash Mansinghka"],
"category": "cs.AI",
"comment": "",
"img": "/static/thumbs/1704.01087v1.pdf.jpg",
"link": "http://arxiv.org/abs/1704.01087v1",
"originally_published_time": "4/4/2017",
"pid": "1704.01087v1",
"published_time": "4/4/2017",
"tags": ["cs.AI", "cs.DB", "cs.LG", "stat.ML"],
"title": "Probabilistic Search for Structure Data hey-o"
}
]
| dummy_papers = [{'abstract': 'This is an abstract.', 'authors': ['Yi Zhu', 'Shawn Newsam'], 'category': 'cs.CV', 'comment': 'WACV 2017 camera ready, minor updates about test time efficiency', 'img': '/static/thumbs/1612.07403v2.pdf.jpg', 'link': 'http://arxiv.org/abs/1612.07403v2', 'originally_published_time': '12/22/2016', 'pid': '1612.07403v2', 'published_time': '4/4/2017', 'tags': ['cs.CV', 'cs.MM'], 'title': 'Efficient Action Detection in Untrimmed Videos via Multi-Task Learning'}, {'abstract': 'Hey, another abstract.', 'authors': ['Zhen-Hua Feng', 'Josef Kittler', 'Xiao-Jun Wu'], 'category': 'cs.CV', 'comment': '', 'img': '/static/thumbs/1611.05396v2.pdf.jpg', 'link': 'http://arxiv.org/abs/1611.05396v2', 'originally_published_time': '11/16/2016', 'pid': '1611.05396v2', 'published_time': '4/4/2017', 'tags': ['cs.CV'], 'title': 'This is a paper title. Ok?'}, {'abstract': 'This paper has maximum machine learning.', 'authors': ['Sebastian Weichwald', 'Tatiana Fomina', 'Slater McGorden'], 'category': 'q-bio.NC', 'comment': '', 'img': '/static/thumbs/1605.07094v2.pdf.jpg', 'link': 'http://arxiv.org/abs/1605.07094v2', 'originally_published_time': '5/23/2016', 'pid': '1605.07094v2', 'published_time': '4/4/2017', 'tags': ['q-bio.NC', 'cs.IT', 'cs.LG', 'math.IT', 'stat.ML'], 'title': 'A note on the expected minimum error probability in equientropic channels'}, {'abstract': "It's full of magic. You should just read it.", 'authors': ['Feras Saad', 'Leonardo Casarsa', 'Vikash Mansinghka'], 'category': 'cs.AI', 'comment': '', 'img': '/static/thumbs/1704.01087v1.pdf.jpg', 'link': 'http://arxiv.org/abs/1704.01087v1', 'originally_published_time': '4/4/2017', 'pid': '1704.01087v1', 'published_time': '4/4/2017', 'tags': ['cs.AI', 'cs.DB', 'cs.LG', 'stat.ML'], 'title': 'Probabilistic Search for Structure Data hey-o'}] |
#!/usr/bin/python3
count = 0
i = 2
while i < 100:
k = i/2
j = 2
while j <= k:
k = i % j
if k == 0:
count = count - 1
break
k = i/2
j = j + 1
count = count + 1
i = i + 1
print(count)
| count = 0
i = 2
while i < 100:
k = i / 2
j = 2
while j <= k:
k = i % j
if k == 0:
count = count - 1
break
k = i / 2
j = j + 1
count = count + 1
i = i + 1
print(count) |
class IAMUsers():
def __init__(self, iam):
self.client = iam
# User methods
def _users_marker_handler(self, marker=None):
if marker:
response = self.client.list_users(Marker=marker)
else:
response = self.client.list_users()
return response
def _attached_policies_marker_handler(self, user_name, marker=None):
if marker:
response = self.client.list_attached_user_policies(Marker=marker, UserName=user_name)
else:
response = self.client.list_attached_user_policies(UserName=user_name)
return response
def get_user_managed_policies(self, user_name):
att_policies = []
marker = None
while True:
resp = self._attached_policies_marker_handler(user_name, marker)
for att_policy in resp['AttachedPolicies']:
att_policies.append(att_policy)
marker = resp.get('Marker')
if not resp['IsTruncated']:
break
return att_policies
def _inline_policies_marker_handler(self, username, marker=None):
if marker:
response = self.client.list_user_policies(Marker=marker, UserName=username)
else:
response = self.client.list_user_policies(UserName=username)
return response
def _get_user_inline_policies_count(self, username):
marker = None
inline_policies_count = 0
while True:
resp = self._inline_policies_marker_handler(username, marker)
inline_policies_count += len(resp['PolicyNames'])
marker = resp.get('Marker')
if not resp['IsTruncated']:
break
return inline_policies_count
def get_users(self):
users = []
marker = None
while True:
resp = self._users_marker_handler(marker)
for user in resp['Users']:
user['InlinePoliciesCount'] = self._get_user_inline_policies_count(user['UserName'])
users.append(user)
marker = resp.get('Marker')
if not resp['IsTruncated']:
break
return users
| class Iamusers:
def __init__(self, iam):
self.client = iam
def _users_marker_handler(self, marker=None):
if marker:
response = self.client.list_users(Marker=marker)
else:
response = self.client.list_users()
return response
def _attached_policies_marker_handler(self, user_name, marker=None):
if marker:
response = self.client.list_attached_user_policies(Marker=marker, UserName=user_name)
else:
response = self.client.list_attached_user_policies(UserName=user_name)
return response
def get_user_managed_policies(self, user_name):
att_policies = []
marker = None
while True:
resp = self._attached_policies_marker_handler(user_name, marker)
for att_policy in resp['AttachedPolicies']:
att_policies.append(att_policy)
marker = resp.get('Marker')
if not resp['IsTruncated']:
break
return att_policies
def _inline_policies_marker_handler(self, username, marker=None):
if marker:
response = self.client.list_user_policies(Marker=marker, UserName=username)
else:
response = self.client.list_user_policies(UserName=username)
return response
def _get_user_inline_policies_count(self, username):
marker = None
inline_policies_count = 0
while True:
resp = self._inline_policies_marker_handler(username, marker)
inline_policies_count += len(resp['PolicyNames'])
marker = resp.get('Marker')
if not resp['IsTruncated']:
break
return inline_policies_count
def get_users(self):
users = []
marker = None
while True:
resp = self._users_marker_handler(marker)
for user in resp['Users']:
user['InlinePoliciesCount'] = self._get_user_inline_policies_count(user['UserName'])
users.append(user)
marker = resp.get('Marker')
if not resp['IsTruncated']:
break
return users |
{
"targets":
[
{
"target_name": "SpatialHashing",
"sources": ["src/SpatialHashing/SpatialHashing.cc"]
}
]
}
| {'targets': [{'target_name': 'SpatialHashing', 'sources': ['src/SpatialHashing/SpatialHashing.cc']}]} |
def is_prime(n):
cnt=2
if n<=1 :
return 0
if n==2 or n==3:
return 1
if n%2==0 or n%3==0:
return 0
if n<9:
return 1
counter=5
while(counter*counter<=n):
if n%counter==0:
return 0
if n%(counter+2)==0:
return 0
counter+=6
return 1
def solve_216():
count=0
for i in range(2,50,000,000):
if is_prime(2*i*i-1):
count+=1
return count
print(solve_216())
def get_sieve(until):
sieve=[1]*until
sieve[1]=0
sieve[0]=0
prime=2
while prime<until:
if sieve[prime]:
temp=prime+prime
while temp<until:
sieve[temp]=0
temp=temp+prime
prime+=1
return sieve
def get_primes_from_sieve(sieve):
primes=[]
for i in range(0,len(sieve)):
if sieve[i]==1:
primes.append(i)
return primes
def compute_35():
until=999999
sieve=get_sieve(until)
prime=get_primes_from_sieve(sieve)
def is_circular_prime(n):
x=str(n)
return all( sieve[int( x[i:]+x[:i] ) ] for i in range(len(x)) )
ans=sum(1 for i in range(len(sieve)) if is_circular_prime(i))
return str(ans)
print(compute_35())
def solve_133():
until=100000
sieve=get_sieve(until)
prime=get_primes_from_sieve(sieve)
k=10**24
result=0
for i in range(0,len(prime)):
if ( pow(10,k,9*prime[i])!=1):
result+=prime[i]
return result
print(solve_133())
def solve_132():
until=200000
prime=get_sieve(until)
factorsum=0
factornum=0
i=4#factors are not 2,3... as product then can't be of form 111...
while factornum<40:
if prime[i] and pow(10,10**9,9*i)==1:
factorsum+=i
factornum+=1
i+=1
return factorsum
print(solve_132())
def isPerm(n,m):
x=sorted(str(n))
y=sorted(str(m))
return x==y
def solve_totient_permutation_70():
best=1
phiBest=1
bestRatio=float('inf')
limit=10**7
upper=5000
sieve=get_sieve(upper)
primes=get_primes_from_sieve(sieve)
for i in range(0,len(primes)):
for j in range(i+1,len(primes)):
n=primes[i]*primes[j]
if n>limit:
break
#first ratio will be min when we consider n as prime,moreover
#product of distint primes
#just search in the direction where we are most likely to find a solution
#2 prime factors which are close to sqrt(limit)=3162 so, include upto 5000
phi=(primes[i]-1)*(primes[j]-1)
ratio=n/phi
if(isPerm(n,phi) and bestRatio>ratio):
best=n
phiBest=phi
bestRatio=ratio
return str(best)
print(solve_totient_permutation_70())
sieve=get_sieve(10000)
primes=get_primes_from_sieve(sieve)
def get_twice_square(n):
return 2*n**2
def does_comply_with_goldbach(number):
n=1
current_twice_square=get_twice_square(n)
while current_twice_square < number:
for prime in primes:
if current_twice_square+prime>number:
break
if sieve[number]==0 and number==current_twice_square+prime:
return True
n+=1
current_twice_square=get_twice_square(n)
return False
def first_odd_composite_that_doesnt_comply():
i=9
while sieve[i]==1 or does_comply_with_goldbach(i):
i+=2
return i
print(first_odd_composite_that_doesnt_comply())
#print(get_sieve(10))
def is_left_truncable_prime(num,sieve):
while sieve[num] and len(str(num))>1:
num=int(''.join(list(str(num))[1:]))
##print(num)
return (sieve[num]==1 and len(str(num))==1)
def is_right_truncable_prime(num,sieve):
while sieve[num] and len(str(num))>1:
num=int(''.join(list(str(num))[:-1]))
return(sieve[num] and len(str(num))==1)
def truncable_prime(num,prime):
return is_left_truncable_prime(num,sieve) and is_right_truncable_prime(num,sieve)
sieve = get_sieve(1000000)
total=0
#print(is_left_truncable_prime(3797,sieve))
for i in range(13,1000000):
if truncable_prime(i,sieve):
total+=i
print(total)
l=[]
x=pow(2,1000)
while(x!=0):
a=x%10
l.append(a)
x=x//10
print(sum(l))
def collatz_sequence(n):
x=[]
while(n>1):
x.append(n)
if(n%2==0):
n=n/2
else:
n=3*n+1
x.append(1)
return(x)
def lcs(until):
longest_sequence_size=1
number=2
for i in range(2,until+1):
seq=collatz_sequence(i)
seq_len=len(seq)
if(longest_sequence_size < seq_len):
longest_sequence_size=seq_len
number=i
return number
print(lcs(1000000))
def primes_sum(until):
sieve=[1]*until
total=2
curr=3
while(curr<until):
#hence the answer is the index of sieve from 3 onwards for which sieve is 1
if(sieve[curr]):
total=total+curr
temp=curr
#removes the factors of curr from sieve
while(temp<until):
sieve[temp]=0
temp=temp+curr
#taking advantage of the fact that 2 is only even prime
# and rest of the nos follow even odd sequence
curr=curr+2
return total
print(primes_sum(2000000))
def smallest_mutiple(n):
step=1
test=step
for i in range(2,n+1):
while(True):
is_multiple=True
for j in range(1,i+1):
if(test%j!=0):
is_multiple=False
break
if(is_multiple):
step=test
break
test=test+step
return(test)
print(smallest_mutiple(20))
def lpf(n):
test=2
while(n>1):
if(n%test==0):
n=n/test
else:
test=test+1
print(test)
lpf(600851475143)
| def is_prime(n):
cnt = 2
if n <= 1:
return 0
if n == 2 or n == 3:
return 1
if n % 2 == 0 or n % 3 == 0:
return 0
if n < 9:
return 1
counter = 5
while counter * counter <= n:
if n % counter == 0:
return 0
if n % (counter + 2) == 0:
return 0
counter += 6
return 1
def solve_216():
count = 0
for i in range(2, 50, 0, 0):
if is_prime(2 * i * i - 1):
count += 1
return count
print(solve_216())
def get_sieve(until):
sieve = [1] * until
sieve[1] = 0
sieve[0] = 0
prime = 2
while prime < until:
if sieve[prime]:
temp = prime + prime
while temp < until:
sieve[temp] = 0
temp = temp + prime
prime += 1
return sieve
def get_primes_from_sieve(sieve):
primes = []
for i in range(0, len(sieve)):
if sieve[i] == 1:
primes.append(i)
return primes
def compute_35():
until = 999999
sieve = get_sieve(until)
prime = get_primes_from_sieve(sieve)
def is_circular_prime(n):
x = str(n)
return all((sieve[int(x[i:] + x[:i])] for i in range(len(x))))
ans = sum((1 for i in range(len(sieve)) if is_circular_prime(i)))
return str(ans)
print(compute_35())
def solve_133():
until = 100000
sieve = get_sieve(until)
prime = get_primes_from_sieve(sieve)
k = 10 ** 24
result = 0
for i in range(0, len(prime)):
if pow(10, k, 9 * prime[i]) != 1:
result += prime[i]
return result
print(solve_133())
def solve_132():
until = 200000
prime = get_sieve(until)
factorsum = 0
factornum = 0
i = 4
while factornum < 40:
if prime[i] and pow(10, 10 ** 9, 9 * i) == 1:
factorsum += i
factornum += 1
i += 1
return factorsum
print(solve_132())
def is_perm(n, m):
x = sorted(str(n))
y = sorted(str(m))
return x == y
def solve_totient_permutation_70():
best = 1
phi_best = 1
best_ratio = float('inf')
limit = 10 ** 7
upper = 5000
sieve = get_sieve(upper)
primes = get_primes_from_sieve(sieve)
for i in range(0, len(primes)):
for j in range(i + 1, len(primes)):
n = primes[i] * primes[j]
if n > limit:
break
phi = (primes[i] - 1) * (primes[j] - 1)
ratio = n / phi
if is_perm(n, phi) and bestRatio > ratio:
best = n
phi_best = phi
best_ratio = ratio
return str(best)
print(solve_totient_permutation_70())
sieve = get_sieve(10000)
primes = get_primes_from_sieve(sieve)
def get_twice_square(n):
return 2 * n ** 2
def does_comply_with_goldbach(number):
n = 1
current_twice_square = get_twice_square(n)
while current_twice_square < number:
for prime in primes:
if current_twice_square + prime > number:
break
if sieve[number] == 0 and number == current_twice_square + prime:
return True
n += 1
current_twice_square = get_twice_square(n)
return False
def first_odd_composite_that_doesnt_comply():
i = 9
while sieve[i] == 1 or does_comply_with_goldbach(i):
i += 2
return i
print(first_odd_composite_that_doesnt_comply())
def is_left_truncable_prime(num, sieve):
while sieve[num] and len(str(num)) > 1:
num = int(''.join(list(str(num))[1:]))
return sieve[num] == 1 and len(str(num)) == 1
def is_right_truncable_prime(num, sieve):
while sieve[num] and len(str(num)) > 1:
num = int(''.join(list(str(num))[:-1]))
return sieve[num] and len(str(num)) == 1
def truncable_prime(num, prime):
return is_left_truncable_prime(num, sieve) and is_right_truncable_prime(num, sieve)
sieve = get_sieve(1000000)
total = 0
for i in range(13, 1000000):
if truncable_prime(i, sieve):
total += i
print(total)
l = []
x = pow(2, 1000)
while x != 0:
a = x % 10
l.append(a)
x = x // 10
print(sum(l))
def collatz_sequence(n):
x = []
while n > 1:
x.append(n)
if n % 2 == 0:
n = n / 2
else:
n = 3 * n + 1
x.append(1)
return x
def lcs(until):
longest_sequence_size = 1
number = 2
for i in range(2, until + 1):
seq = collatz_sequence(i)
seq_len = len(seq)
if longest_sequence_size < seq_len:
longest_sequence_size = seq_len
number = i
return number
print(lcs(1000000))
def primes_sum(until):
sieve = [1] * until
total = 2
curr = 3
while curr < until:
if sieve[curr]:
total = total + curr
temp = curr
while temp < until:
sieve[temp] = 0
temp = temp + curr
curr = curr + 2
return total
print(primes_sum(2000000))
def smallest_mutiple(n):
step = 1
test = step
for i in range(2, n + 1):
while True:
is_multiple = True
for j in range(1, i + 1):
if test % j != 0:
is_multiple = False
break
if is_multiple:
step = test
break
test = test + step
return test
print(smallest_mutiple(20))
def lpf(n):
test = 2
while n > 1:
if n % test == 0:
n = n / test
else:
test = test + 1
print(test)
lpf(600851475143) |
class Question:
def __init__(self, text, category):
self.__question_text = text
self.__question_category = category
@property
def question_text(self):
return self.__question_text
@question_text.setter
def question_text(self, value):
self.__question_text = value
@property
def question_category(self):
return self.__question_category
@question_category.setter
def question_category(self, value):
self.__question_category = value
class Picture_Question(Question):
def __init__(self, text, correct, incorrect, category):
super().__init__(text, category)
self.__correct_answer = correct
self.__incorrect_answers = incorrect
@property
def correct_answer(self):
return self.__correct_answer
@correct_answer.setter
def correct_answer(self, value):
self.__correct_answer = value
@property
def incorrect_answers(self):
return self.__incorrect_answers
@incorrect_answers.setter
def incorrect_answers(self, value):
self.__incorrect_answers = value
class Text_Question(Question):
def __init__(self, text, correct, incorrect, category):
super().__init__(text, category)
self.__correct_answer = correct
self.__incorrect_answers = incorrect
@property
def correct_answer(self):
return self.__correct_answer
@correct_answer.setter
def correct_answer(self, value):
self.__correct_answer = value
@property
def incorrect_answers(self):
return self.__incorrect_answers
@incorrect_answers.setter
def incorrect_answers(self, value):
self.__incorrect_answers = value
| class Question:
def __init__(self, text, category):
self.__question_text = text
self.__question_category = category
@property
def question_text(self):
return self.__question_text
@question_text.setter
def question_text(self, value):
self.__question_text = value
@property
def question_category(self):
return self.__question_category
@question_category.setter
def question_category(self, value):
self.__question_category = value
class Picture_Question(Question):
def __init__(self, text, correct, incorrect, category):
super().__init__(text, category)
self.__correct_answer = correct
self.__incorrect_answers = incorrect
@property
def correct_answer(self):
return self.__correct_answer
@correct_answer.setter
def correct_answer(self, value):
self.__correct_answer = value
@property
def incorrect_answers(self):
return self.__incorrect_answers
@incorrect_answers.setter
def incorrect_answers(self, value):
self.__incorrect_answers = value
class Text_Question(Question):
def __init__(self, text, correct, incorrect, category):
super().__init__(text, category)
self.__correct_answer = correct
self.__incorrect_answers = incorrect
@property
def correct_answer(self):
return self.__correct_answer
@correct_answer.setter
def correct_answer(self, value):
self.__correct_answer = value
@property
def incorrect_answers(self):
return self.__incorrect_answers
@incorrect_answers.setter
def incorrect_answers(self, value):
self.__incorrect_answers = value |
class FailureSummary(object):
def __init__(self, protocol, ctx, failed_method, reason):
self.__protocol = protocol
self.is_success = False
self.is_failure = True
self.ctx = ctx
self.__failed_method = failed_method
self.__failure_reason = reason
def failed_on(self, method_name):
return method_name == self.__failed_method
def failed_because(self, reason):
self.__protocol.check_failed_because_argument(reason)
return self.__protocol.compare_failed_because_argument(
reason, self.__failure_reason
)
@property
def value(self):
raise AssertionError
def __repr__(self):
return "Failure()"
class SuccessSummary(object):
def __init__(self, protocol, value):
self.__protocol = protocol
self.is_success = True
self.is_failure = False
self.value = value
def failed_on(self, method_name):
return False
def failed_because(self, reason):
self.__protocol.check_failed_because_argument(reason)
return False
def __repr__(self):
return "Success()"
| class Failuresummary(object):
def __init__(self, protocol, ctx, failed_method, reason):
self.__protocol = protocol
self.is_success = False
self.is_failure = True
self.ctx = ctx
self.__failed_method = failed_method
self.__failure_reason = reason
def failed_on(self, method_name):
return method_name == self.__failed_method
def failed_because(self, reason):
self.__protocol.check_failed_because_argument(reason)
return self.__protocol.compare_failed_because_argument(reason, self.__failure_reason)
@property
def value(self):
raise AssertionError
def __repr__(self):
return 'Failure()'
class Successsummary(object):
def __init__(self, protocol, value):
self.__protocol = protocol
self.is_success = True
self.is_failure = False
self.value = value
def failed_on(self, method_name):
return False
def failed_because(self, reason):
self.__protocol.check_failed_because_argument(reason)
return False
def __repr__(self):
return 'Success()' |
class Solution:
def generate(self, numRows: int) -> List[List[int]]:
triangle = []
for row_num in range(numRows):
row=[None for _ in range(row_num+1)]
row[0],row[-1]=1,1
for j in range(1,len(row)-1):
row[j]=triangle[row_num-1][j-1]+triangle[row_num-1][j]
triangle.append(row)
return triangle
| class Solution:
def generate(self, numRows: int) -> List[List[int]]:
triangle = []
for row_num in range(numRows):
row = [None for _ in range(row_num + 1)]
(row[0], row[-1]) = (1, 1)
for j in range(1, len(row) - 1):
row[j] = triangle[row_num - 1][j - 1] + triangle[row_num - 1][j]
triangle.append(row)
return triangle |
print("Hello World!!")
print()
print('-----------------------')
print()
print(note := 'python supports break and continue')
print(note := 'Below loop will stop when i = 5')
for i in range(1, 11):
# we can do comparison like below
if i % 5 == 0:
print(note := 'we have found a multiple of 5')
print(i)
print(note := 'we have decided to break away from loop')
break
print()
print('-----------------------')
print()
print(note := 'Below loop will detect both 5 and 10 as multiple of 5')
for i in range(1, 11):
# or we can rely on the truthiness behaviour
# this format is more recommended
if not i % 5:
print(note := 'we have found a multiple of 5')
print(i)
print(note := 'we have decided to continue')
continue
print()
print('-----------------------')
print()
print(note := 'We can use the else clause with the loop too i.e. with for and while')
print(note := 'else clause will only be executed if we don`t hit the break statements')
for i in range(1, 11):
# not reverses the state from True to False, and vice versa
if not i % 12:
print(note := 'we will not find multiple of 12, as we used range(1,11)')
print(i)
print(note := 'we have decided to break away from loop')
break
else:
print(note := 'we did not find any multiple of 12, and we will print this')
print()
print('-----------------------')
print()
for i in range(1, 11):
if not i % 10:
print(note := 'we have found a multiple of 10')
print(i)
print(note := 'we have decided to break away from loop, and end clause wont be executed')
break
else:
print(note := 'we did find multiple of 10, but else shall not be hit')
print()
print('-----------------------')
print()
print(
note := 'with continue statements the same behavior will not be seen, \
and we will hit the else statements regardless')
for i in range(1, 11):
if i % 12 == 0:
print(note := 'we will not find the mutiple of 12, as we used range(1,11)')
print(i)
print(note := 'we have decided to continue')
continue
else:
print(note := 'this shall be executed regardless, as there is no break in the loop')
for i in range(1, 11):
if i % 10 == 0:
print(note := 'we have found a multiple of 10')
print(i)
print(note := 'we have decided to continue')
continue
else:
print(note := 'this shall be executed regardless, as there is no break in the loop')
print()
print('-----------------------')
print()
print(note := 'let us see the behaviour of break/else with multilevel loop')
for l in range(0, 2):
print('we are at level ', l)
for r in range(1, 5):
if not r % 2:
print(note := 'we have found multiple of 2')
print(r)
print(note := 'what would happen if we break?')
print(note := 'we break away from the inner loop as expected')
break
else:
print(note := 'As inner loop hits break, we shall not see this ')
print(note := 'but we shall not break from the outer loop')
print()
print('-----------------------')
print()
print(note := 'let us see the behaviour of continue/else with multilevel loop')
for l in range(0, 2):
print('we are at level ', l)
for r in range(1, 5):
if not r % 2:
print(note := 'we have found multiple of 2')
print(r)
print(note := 'we would keep on continuing the loop as expected')
continue
else:
print(note := 'As inner has no break, we shall see this')
print(note := 'this break shall exit the outer loop, and we execute only outer loop only once ')
break
print()
print('-----------------------')
print()
| print('Hello World!!')
print()
print('-----------------------')
print()
print((note := 'python supports break and continue'))
print((note := 'Below loop will stop when i = 5'))
for i in range(1, 11):
if i % 5 == 0:
print((note := 'we have found a multiple of 5'))
print(i)
print((note := 'we have decided to break away from loop'))
break
print()
print('-----------------------')
print()
print((note := 'Below loop will detect both 5 and 10 as multiple of 5'))
for i in range(1, 11):
if not i % 5:
print((note := 'we have found a multiple of 5'))
print(i)
print((note := 'we have decided to continue'))
continue
print()
print('-----------------------')
print()
print((note := 'We can use the else clause with the loop too i.e. with for and while'))
print((note := 'else clause will only be executed if we don`t hit the break statements'))
for i in range(1, 11):
if not i % 12:
print((note := 'we will not find multiple of 12, as we used range(1,11)'))
print(i)
print((note := 'we have decided to break away from loop'))
break
else:
print((note := 'we did not find any multiple of 12, and we will print this'))
print()
print('-----------------------')
print()
for i in range(1, 11):
if not i % 10:
print((note := 'we have found a multiple of 10'))
print(i)
print((note := 'we have decided to break away from loop, and end clause wont be executed'))
break
else:
print((note := 'we did find multiple of 10, but else shall not be hit'))
print()
print('-----------------------')
print()
print((note := 'with continue statements the same behavior will not be seen, \tand we will hit the else statements regardless'))
for i in range(1, 11):
if i % 12 == 0:
print((note := 'we will not find the mutiple of 12, as we used range(1,11)'))
print(i)
print((note := 'we have decided to continue'))
continue
else:
print((note := 'this shall be executed regardless, as there is no break in the loop'))
for i in range(1, 11):
if i % 10 == 0:
print((note := 'we have found a multiple of 10'))
print(i)
print((note := 'we have decided to continue'))
continue
else:
print((note := 'this shall be executed regardless, as there is no break in the loop'))
print()
print('-----------------------')
print()
print((note := 'let us see the behaviour of break/else with multilevel loop'))
for l in range(0, 2):
print('we are at level ', l)
for r in range(1, 5):
if not r % 2:
print((note := 'we have found multiple of 2'))
print(r)
print((note := 'what would happen if we break?'))
print((note := 'we break away from the inner loop as expected'))
break
else:
print((note := 'As inner loop hits break, we shall not see this '))
print((note := 'but we shall not break from the outer loop'))
print()
print('-----------------------')
print()
print((note := 'let us see the behaviour of continue/else with multilevel loop'))
for l in range(0, 2):
print('we are at level ', l)
for r in range(1, 5):
if not r % 2:
print((note := 'we have found multiple of 2'))
print(r)
print((note := 'we would keep on continuing the loop as expected'))
continue
else:
print((note := 'As inner has no break, we shall see this'))
print((note := 'this break shall exit the outer loop, and we execute only outer loop only once '))
break
print()
print('-----------------------')
print() |
# -*- coding: utf-8 -*-
def info_path(owner_id):
return 'data/photos_{}.csv'.format(owner_id)
| def info_path(owner_id):
return 'data/photos_{}.csv'.format(owner_id) |
WORKING_DIR_PATH_FULL = '/Users/hitesh/Documents/workspace/JARVIS/'
SAVED_FILES_DIR_FULL_PATH = WORKING_DIR_PATH_FULL + 'saved_files/'
NER_DIR_FULL_PATH = SAVED_FILES_DIR_FULL_PATH + 'ner/'
NER_TRAINING_FILE_PATH_FULL = NER_DIR_FULL_PATH + 'NER_token_training.tsv'
NER_PROPERTY_FILE_PATH_FULL = NER_DIR_FULL_PATH + 'NERPropertyFile.prop'
STANFORD_DIR_PATH_FULL = '/Users/hitesh/nltk_data/taggers/stanford/stanford-ner-2015-12-09/'
STANFORD_NER_JAR_PATH_FULL = '/Users/hitesh/nltk_data/taggers/stanford/stanford-ner-2015-12-09/stanford-ner.jar'
NER_MODEL_PATH_FULL = NER_DIR_FULL_PATH + 'ner-model-jarvis.ser.gz'
MOD_MODEL_PATH_FULL = SAVED_FILES_DIR_FULL_PATH + 'mod-model-jarvis.pkl'
MOD_TRAIN_PATH_FULL = SAVED_FILES_DIR_FULL_PATH + 'mod-train-jarvis.pkl'
BOW_PATH = SAVED_FILES_DIR_FULL_PATH + 'bow.pkl' | working_dir_path_full = '/Users/hitesh/Documents/workspace/JARVIS/'
saved_files_dir_full_path = WORKING_DIR_PATH_FULL + 'saved_files/'
ner_dir_full_path = SAVED_FILES_DIR_FULL_PATH + 'ner/'
ner_training_file_path_full = NER_DIR_FULL_PATH + 'NER_token_training.tsv'
ner_property_file_path_full = NER_DIR_FULL_PATH + 'NERPropertyFile.prop'
stanford_dir_path_full = '/Users/hitesh/nltk_data/taggers/stanford/stanford-ner-2015-12-09/'
stanford_ner_jar_path_full = '/Users/hitesh/nltk_data/taggers/stanford/stanford-ner-2015-12-09/stanford-ner.jar'
ner_model_path_full = NER_DIR_FULL_PATH + 'ner-model-jarvis.ser.gz'
mod_model_path_full = SAVED_FILES_DIR_FULL_PATH + 'mod-model-jarvis.pkl'
mod_train_path_full = SAVED_FILES_DIR_FULL_PATH + 'mod-train-jarvis.pkl'
bow_path = SAVED_FILES_DIR_FULL_PATH + 'bow.pkl' |
#! /usr/bin/python3
param_list = [
{
'task': 'train',
'boosting_type': 'gbdt',
'objective': 'binary',
'metric': {'auc'},
'train_metric': True,
'num_leaves': 63,
'lambda_l1': 0,
'lambda_l2': 1,
# 'min_data_in_leaf': 100,
'min_child_weight': 50,
'learning_rate': 0.1,
'feature_fraction': 0.6,
'bagging_fraction': 0.7,
'bagging_freq': 1,
'verbose': 1,
# 'early_stopping_round': 50,
'num_iterations': 300,
# 'is_unbalance': True,
'num_threads': 30
},
]
params = \
{
'task': 'train',
'boosting_type': 'gbdt',
'objective': 'binary',
'metric': {'auc'},
'train_metric': True,
'num_leaves': 63,
'lambda_l1': 0,
'lambda_l2': 1,
# 'min_data_in_leaf': 100,
'min_child_weight': 50,
'learning_rate': 0.05,
'feature_fraction': 0.6,
'bagging_fraction': 0.7,
'bagging_freq': 1,
'verbose': 1,
'early_stopping_round': 1000,
'num_iterations': 5000,
# 'is_unbalance': True,
'num_threads': -1
}
| param_list = [{'task': 'train', 'boosting_type': 'gbdt', 'objective': 'binary', 'metric': {'auc'}, 'train_metric': True, 'num_leaves': 63, 'lambda_l1': 0, 'lambda_l2': 1, 'min_child_weight': 50, 'learning_rate': 0.1, 'feature_fraction': 0.6, 'bagging_fraction': 0.7, 'bagging_freq': 1, 'verbose': 1, 'num_iterations': 300, 'num_threads': 30}]
params = {'task': 'train', 'boosting_type': 'gbdt', 'objective': 'binary', 'metric': {'auc'}, 'train_metric': True, 'num_leaves': 63, 'lambda_l1': 0, 'lambda_l2': 1, 'min_child_weight': 50, 'learning_rate': 0.05, 'feature_fraction': 0.6, 'bagging_fraction': 0.7, 'bagging_freq': 1, 'verbose': 1, 'early_stopping_round': 1000, 'num_iterations': 5000, 'num_threads': -1} |
def prime_num(n,prime):
while(True):
for a in range(2,n):
if n%a==0:
n+=1
prime_num(n,prime);
else:
print(n)
prime.append(n)
if len(prime)==10:
break
n=2
prime=[]
prime_num(n,prime);
| def prime_num(n, prime):
while True:
for a in range(2, n):
if n % a == 0:
n += 1
prime_num(n, prime)
else:
print(n)
prime.append(n)
if len(prime) == 10:
break
n = 2
prime = []
prime_num(n, prime) |
expected_output = {
"svl_info": {
1: {
"link_status": "U",
"ports": "HundredGigE1/0/26",
"protocol_status": "R",
"svl": 1,
"switch": 1,
}
}
}
| expected_output = {'svl_info': {1: {'link_status': 'U', 'ports': 'HundredGigE1/0/26', 'protocol_status': 'R', 'svl': 1, 'switch': 1}}} |
#CvModName.py
modName = "BUG Mod"
displayName = "BUG Mod"
modVersion = "4.4 [Build 2220]"
civName = "BtS"
civVersion = "3.13-3.19"
def getName():
return modName
def getDisplayName():
return displayName
def getVersion():
return modVersion
def getNameAndVersion():
return modName + " " + modVersion
def getDisplayNameAndVersion():
return displayName + " " + modVersion
def getCivName():
return civName
def getCivVersion():
return civVersion
def getCivNameAndVersion():
return civName + " " + civVersion
| mod_name = 'BUG Mod'
display_name = 'BUG Mod'
mod_version = '4.4 [Build 2220]'
civ_name = 'BtS'
civ_version = '3.13-3.19'
def get_name():
return modName
def get_display_name():
return displayName
def get_version():
return modVersion
def get_name_and_version():
return modName + ' ' + modVersion
def get_display_name_and_version():
return displayName + ' ' + modVersion
def get_civ_name():
return civName
def get_civ_version():
return civVersion
def get_civ_name_and_version():
return civName + ' ' + civVersion |
#
# PySNMP MIB module CISCO-CCM-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-CCM-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:35:23 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")
SingleValueConstraint, ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection")
ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt")
InetAddress, InetAddressIPv4, InetAddressType, InetPortNumber, InetAddressIPv6 = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressIPv4", "InetAddressType", "InetPortNumber", "InetAddressIPv6")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance")
ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Unsigned32, IpAddress, Integer32, NotificationType, Gauge32, ObjectIdentity, TimeTicks, iso, MibIdentifier, Counter32, Bits, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Unsigned32", "IpAddress", "Integer32", "NotificationType", "Gauge32", "ObjectIdentity", "TimeTicks", "iso", "MibIdentifier", "Counter32", "Bits", "Counter64")
MacAddress, DisplayString, TruthValue, TextualConvention, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "DisplayString", "TruthValue", "TextualConvention", "DateAndTime")
ciscoCcmMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 156))
ciscoCcmMIB.setRevisions(('2010-07-07 00:00', '2009-12-03 00:00', '2008-08-21 00:00', '2008-02-12 00:00', '2005-09-14 00:00', '2005-05-09 00:00', '2004-08-02 00:00', '2003-08-25 00:00', '2003-05-08 00:00', '2002-01-11 00:00', '2000-12-01 00:00', '2000-03-10 00:00',))
if mibBuilder.loadTexts: ciscoCcmMIB.setLastUpdated('201007070000Z')
if mibBuilder.loadTexts: ciscoCcmMIB.setOrganization('Cisco Systems, Inc.')
class CcmIndex(TextualConvention, Unsigned32):
status = 'current'
displayHint = 'd'
subtypeSpec = Unsigned32.subtypeSpec + ValueRangeConstraint(1, 4294967295)
class CcmIndexOrZero(TextualConvention, Unsigned32):
status = 'current'
displayHint = 'd'
subtypeSpec = Unsigned32.subtypeSpec + ValueRangeConstraint(0, 4294967295)
class CcmDevFailCauseCode(TextualConvention, Integer32):
status = 'deprecated'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))
namedValues = NamedValues(("noError", 0), ("unknown", 1), ("noEntryInDatabase", 2), ("databaseConfigurationError", 3), ("deviceNameUnresolveable", 4), ("maxDevRegReached", 5), ("connectivityError", 6), ("initializationError", 7), ("deviceInitiatedReset", 8), ("callManagerReset", 9), ("authenticationError", 10), ("invalidX509NameInCertificate", 11), ("invalidTLSCipher", 12), ("directoryNumberMismatch", 13), ("malformedRegisterMsg", 14))
class CcmDevRegFailCauseCode(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 23, 25, 26, 27, 28, 29, 30, 31, 32, 33))
namedValues = NamedValues(("noError", 0), ("unknown", 1), ("noEntryInDatabase", 2), ("databaseConfigurationError", 3), ("deviceNameUnresolveable", 4), ("maxDevRegExceeded", 5), ("connectivityError", 6), ("initializationError", 7), ("deviceInitiatedReset", 8), ("callManagerReset", 9), ("authenticationError", 10), ("invalidX509NameInCertificate", 11), ("invalidTLSCipher", 12), ("directoryNumberMismatch", 13), ("malformedRegisterMsg", 14), ("protocolMismatch", 15), ("deviceNotActive", 16), ("authenticatedDeviceAlreadyExists", 17), ("obsoleteProtocolVersion", 18), ("databaseTimeout", 23), ("registrationSequenceError", 25), ("invalidCapabilities", 26), ("capabilityResponseTimeout", 27), ("securityMismatch", 28), ("autoRegisterDBError", 29), ("dbAccessError", 30), ("autoRegisterDBConfigTimeout", 31), ("deviceTypeMismatch", 32), ("addressingModeMismatch", 33))
class CcmDevUnregCauseCode(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 28, 29))
namedValues = NamedValues(("noError", 0), ("unknown", 1), ("noEntryInDatabase", 2), ("databaseConfigurationError", 3), ("deviceNameUnresolveable", 4), ("maxDevRegExceeded", 5), ("connectivityError", 6), ("initializationError", 7), ("deviceInitiatedReset", 8), ("callManagerReset", 9), ("deviceUnregistered", 10), ("malformedRegisterMsg", 11), ("sccpDeviceThrottling", 12), ("keepAliveTimeout", 13), ("configurationMismatch", 14), ("callManagerRestart", 15), ("duplicateRegistration", 16), ("callManagerApplyConfig", 17), ("deviceNoResponse", 18), ("emLoginLogout", 19), ("emccLoginLogout", 20), ("energywisePowerSavePlus", 21), ("callManagerForcedRestart", 22), ("sourceIPAddrChanged", 23), ("sourcePortChanged", 24), ("registrationSequenceError", 25), ("invalidCapabilities", 26), ("fallbackInitiated", 28), ("deviceSwitch", 29))
class CcmDeviceStatus(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))
namedValues = NamedValues(("unknown", 1), ("registered", 2), ("unregistered", 3), ("rejected", 4), ("partiallyregistered", 5))
class CcmPhoneProtocolType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3))
namedValues = NamedValues(("unknown", 1), ("sccp", 2), ("sip", 3))
class CcmDeviceLineStatus(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))
namedValues = NamedValues(("unknown", 1), ("registered", 2), ("unregistered", 3), ("rejected", 4))
class CcmSIPTransportProtocolType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))
namedValues = NamedValues(("unknown", 1), ("tcp", 2), ("udp", 3), ("tcpAndUdp", 4), ("tls", 5))
class CcmDeviceProductId(TextualConvention, Integer32):
status = 'obsolete'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(-2, -1, 1, 2, 3, 4, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 27, 43, 44, 45, 46, 47, 49, 52, 55, 58, 59, 62, 65, 66, 67, 68, 69, 70, 71, 72, 75, 76, 77, 80, 81, 90, 95, 10001, 20000, 20002, 30004, 30005, 30006, 30007, 30011, 30019, 30020))
namedValues = NamedValues(("other", -2), ("unknown", -1), ("gwyCiscoCat6KT1", 1), ("gwyCiscoCat6KE1", 2), ("gwyCiscoCat6KFXS", 3), ("gwyCiscoCat6KFXO", 4), ("gwyCiscoDT24Plus", 7), ("gwyCiscoDT30Plus", 8), ("gwyCiscoDT24", 9), ("gwyCiscoAT2", 10), ("gwyCiscoAT4", 11), ("gwyCiscoAT8", 12), ("gwyCiscoAS2", 13), ("gwyCiscoAS4", 14), ("gwyCiscoAS8", 15), ("h323Phone", 16), ("h323Trunk", 17), ("gwyCiscoMGCPFXOPort", 18), ("gwyCiscoMGCPFXSPort", 19), ("voiceMailUOnePort", 27), ("gwyCiscoVG200", 43), ("gwyCisco26XX", 44), ("gwyCisco362X", 45), ("gwyCisco364X", 46), ("gwyCisco366X", 47), ("h323AnonymousGatewy", 49), ("gwyCiscoMGCPT1Port", 52), ("gwyCiscoMGCPE1Port", 55), ("gwyCiscoCat4224VoiceGwySwitch", 58), ("gwyCiscoCat4000AccessGwyModule", 59), ("gwyCiscoIAD2400", 62), ("gwyCiscoVGCEndPoint", 65), ("gwyCiscoVG224AndV248", 66), ("gwyCiscoSlotVGCPort", 67), ("gwyCiscoVGCBox", 68), ("gwyCiscoATA186", 69), ("gwyCiscoICS77XXMRP2XX", 70), ("gwyCiscoICS77XXASI81", 71), ("gwyCiscoICS77XXASI160", 72), ("h323H225GKControlledTrunk", 75), ("h323ICTGKControlled", 76), ("h323ICTNonGKControlled", 77), ("gwyCiscoCat6000AVVIDServModule", 80), ("gwyCiscoWSX6600", 81), ("gwyCiscoMGCPBRIPort", 90), ("sipTrunk", 95), ("gwyCiscoWSSVCCMMMS", 10001), ("gwyCisco3745", 20000), ("gwyCisco3725", 20002), ("gwyCiscoICS77XXMRP3XX", 30004), ("gwyCiscoICS77XXMRP38FXS", 30005), ("gwyCiscoICS77XXMRP316FXS", 30006), ("gwyCiscoICS77XXMRP38FXOM1", 30007), ("gwyCisco269X", 30011), ("gwyCisco1760", 30019), ("gwyCisco1751", 30020))
ciscoCcmMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1))
ccmGeneralInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1))
ccmPhoneInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2))
ccmGatewayInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3))
ccmGatewayTrunkInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4))
ccmGlobalInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5))
ccmMediaDeviceInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6))
ccmGatekeeperInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7))
ccmCTIDeviceInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8))
ccmAlarmConfigInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9))
ccmNotificationsInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10))
ccmH323DeviceInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11))
ccmVoiceMailDeviceInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12))
ccmQualityReportAlarmConfigInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 13))
ccmSIPDeviceInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14))
ccmGroupTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1), )
if mibBuilder.loadTexts: ccmGroupTable.setStatus('current')
ccmGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmGroupIndex"))
if mibBuilder.loadTexts: ccmGroupEntry.setStatus('current')
ccmGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmGroupIndex.setStatus('current')
ccmGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGroupName.setStatus('current')
ccmGroupTftpDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1, 3), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGroupTftpDefault.setStatus('current')
ccmTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2), )
if mibBuilder.loadTexts: ccmTable.setStatus('current')
ccmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmIndex"))
if mibBuilder.loadTexts: ccmEntry.setStatus('current')
ccmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmIndex.setStatus('current')
ccmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmName.setStatus('current')
ccmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmDescription.setStatus('current')
ccmVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVersion.setStatus('current')
ccmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("up", 2), ("down", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmStatus.setStatus('current')
ccmInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 6), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInetAddressType.setStatus('current')
ccmInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 7), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInetAddress.setStatus('current')
ccmClusterId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 8), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmClusterId.setStatus('current')
ccmInetAddress2Type = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 9), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInetAddress2Type.setStatus('current')
ccmInetAddress2 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 10), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInetAddress2.setStatus('current')
ccmGroupMappingTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 3), )
if mibBuilder.loadTexts: ccmGroupMappingTable.setStatus('current')
ccmGroupMappingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 3, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmGroupIndex"), (0, "CISCO-CCM-MIB", "ccmIndex"))
if mibBuilder.loadTexts: ccmGroupMappingEntry.setStatus('current')
ccmCMGroupMappingCMPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 3, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCMGroupMappingCMPriority.setStatus('current')
ccmRegionTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4), )
if mibBuilder.loadTexts: ccmRegionTable.setStatus('current')
ccmRegionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmRegionIndex"))
if mibBuilder.loadTexts: ccmRegionEntry.setStatus('current')
ccmRegionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmRegionIndex.setStatus('current')
ccmRegionName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegionName.setStatus('current')
ccmRegionPairTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5), )
if mibBuilder.loadTexts: ccmRegionPairTable.setStatus('current')
ccmRegionPairEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmRegionSrcIndex"), (0, "CISCO-CCM-MIB", "ccmRegionDestIndex"))
if mibBuilder.loadTexts: ccmRegionPairEntry.setStatus('current')
ccmRegionSrcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmRegionSrcIndex.setStatus('current')
ccmRegionDestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1, 2), CcmIndex())
if mibBuilder.loadTexts: ccmRegionDestIndex.setStatus('current')
ccmRegionAvailableBandWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("bwG723", 3), ("bwG729", 4), ("bwG711", 5), ("bwGSM", 6), ("bwWideband", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegionAvailableBandWidth.setStatus('current')
ccmTimeZoneTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6), )
if mibBuilder.loadTexts: ccmTimeZoneTable.setStatus('current')
ccmTimeZoneEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmTimeZoneIndex"))
if mibBuilder.loadTexts: ccmTimeZoneEntry.setStatus('current')
ccmTimeZoneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmTimeZoneIndex.setStatus('current')
ccmTimeZoneName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmTimeZoneName.setStatus('current')
ccmTimeZoneOffset = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-12, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmTimeZoneOffset.setStatus('obsolete')
ccmTimeZoneOffsetHours = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-12, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmTimeZoneOffsetHours.setStatus('current')
ccmTimeZoneOffsetMinutes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-59, 59))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmTimeZoneOffsetMinutes.setStatus('current')
ccmDevicePoolTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7), )
if mibBuilder.loadTexts: ccmDevicePoolTable.setStatus('current')
ccmDevicePoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmDevicePoolIndex"))
if mibBuilder.loadTexts: ccmDevicePoolEntry.setStatus('current')
ccmDevicePoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmDevicePoolIndex.setStatus('current')
ccmDevicePoolName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmDevicePoolName.setStatus('current')
ccmDevicePoolRegionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 3), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmDevicePoolRegionIndex.setStatus('current')
ccmDevicePoolTimeZoneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 4), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmDevicePoolTimeZoneIndex.setStatus('current')
ccmDevicePoolGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 5), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmDevicePoolGroupIndex.setStatus('current')
ccmProductTypeTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8), )
if mibBuilder.loadTexts: ccmProductTypeTable.setStatus('current')
ccmProductTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmProductTypeIndex"))
if mibBuilder.loadTexts: ccmProductTypeEntry.setStatus('current')
ccmProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmProductTypeIndex.setStatus('current')
ccmProductType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 2), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmProductType.setStatus('current')
ccmProductName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmProductName.setStatus('current')
ccmProductCategory = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(-1, 0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("unknown", -1), ("notApplicable", 0), ("phone", 1), ("gateway", 2), ("h323Device", 3), ("ctiDevice", 4), ("voiceMailDevice", 5), ("mediaResourceDevice", 6), ("huntListDevice", 7), ("sipDevice", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmProductCategory.setStatus('current')
ccmPhoneTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1), )
if mibBuilder.loadTexts: ccmPhoneTable.setStatus('current')
ccmPhoneEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmPhoneIndex"))
if mibBuilder.loadTexts: ccmPhoneEntry.setStatus('current')
ccmPhoneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmPhoneIndex.setStatus('current')
ccmPhonePhysicalAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 2), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhonePhysicalAddress.setStatus('current')
ccmPhoneType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("cisco30SPplus", 3), ("cisco12SPplus", 4), ("cisco12SP", 5), ("cisco12S", 6), ("cisco30VIP", 7), ("ciscoTeleCasterBid", 8), ("ciscoTeleCasterMgr", 9), ("ciscoTeleCasterBusiness", 10), ("ciscoSoftPhone", 11), ("ciscoConferencePhone", 12), ("cisco7902", 13), ("cisco7905", 14), ("cisco7912", 15), ("cisco7970", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneType.setStatus('obsolete')
ccmPhoneDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneDescription.setStatus('current')
ccmPhoneUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 5), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneUserName.setStatus('current')
ccmPhoneIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 6), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneIpAddress.setStatus('obsolete')
ccmPhoneStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 7), CcmDeviceStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatus.setStatus('current')
ccmPhoneTimeLastRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 8), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneTimeLastRegistered.setStatus('current')
ccmPhoneE911Location = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 9), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneE911Location.setStatus('current')
ccmPhoneLoadID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 10), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneLoadID.setStatus('current')
ccmPhoneLastError = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneLastError.setStatus('obsolete')
ccmPhoneTimeLastError = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 12), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneTimeLastError.setStatus('obsolete')
ccmPhoneDevicePoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 13), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneDevicePoolIndex.setStatus('current')
ccmPhoneInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 14), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneInetAddressType.setStatus('deprecated')
ccmPhoneInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 15), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneInetAddress.setStatus('deprecated')
ccmPhoneStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 16), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusReason.setStatus('deprecated')
ccmPhoneTimeLastStatusUpdt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 17), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneTimeLastStatusUpdt.setStatus('current')
ccmPhoneProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 18), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneProductTypeIndex.setStatus('current')
ccmPhoneProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 19), CcmPhoneProtocolType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneProtocol.setStatus('current')
ccmPhoneName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 20), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneName.setStatus('current')
ccmPhoneInetAddressIPv4 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 21), InetAddressIPv4()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneInetAddressIPv4.setStatus('current')
ccmPhoneInetAddressIPv6 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 22), InetAddressIPv6()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneInetAddressIPv6.setStatus('current')
ccmPhoneIPv4Attribute = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("unknown", 0), ("adminOnly", 1), ("controlOnly", 2), ("adminAndControl", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneIPv4Attribute.setStatus('current')
ccmPhoneIPv6Attribute = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("unknown", 0), ("adminOnly", 1), ("controlOnly", 2), ("adminAndControl", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneIPv6Attribute.setStatus('current')
ccmPhoneActiveLoadID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 25), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneActiveLoadID.setStatus('current')
ccmPhoneUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 26), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneUnregReason.setStatus('current')
ccmPhoneRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 27), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneRegFailReason.setStatus('current')
ccmPhoneExtensionTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2), )
if mibBuilder.loadTexts: ccmPhoneExtensionTable.setStatus('obsolete')
ccmPhoneExtensionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmPhoneExtensionIndex"))
if mibBuilder.loadTexts: ccmPhoneExtensionEntry.setStatus('obsolete')
ccmPhoneExtensionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmPhoneExtensionIndex.setStatus('obsolete')
ccmPhoneExtension = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtension.setStatus('obsolete')
ccmPhoneExtensionIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtensionIpAddress.setStatus('obsolete')
ccmPhoneExtensionMultiLines = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 4), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtensionMultiLines.setStatus('obsolete')
ccmPhoneExtensionInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 5), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtensionInetAddressType.setStatus('obsolete')
ccmPhoneExtensionInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 6), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtensionInetAddress.setStatus('obsolete')
ccmPhoneFailedTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3), )
if mibBuilder.loadTexts: ccmPhoneFailedTable.setStatus('current')
ccmPhoneFailedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmPhoneFailedIndex"))
if mibBuilder.loadTexts: ccmPhoneFailedEntry.setStatus('current')
ccmPhoneFailedIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmPhoneFailedIndex.setStatus('current')
ccmPhoneFailedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 2), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedTime.setStatus('current')
ccmPhoneFailedName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedName.setStatus('obsolete')
ccmPhoneFailedInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 4), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedInetAddressType.setStatus('deprecated')
ccmPhoneFailedInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 5), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedInetAddress.setStatus('deprecated')
ccmPhoneFailCauseCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 6), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailCauseCode.setStatus('deprecated')
ccmPhoneFailedMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 7), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedMacAddress.setStatus('current')
ccmPhoneFailedInetAddressIPv4 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 8), InetAddressIPv4()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedInetAddressIPv4.setStatus('current')
ccmPhoneFailedInetAddressIPv6 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 9), InetAddressIPv6()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedInetAddressIPv6.setStatus('current')
ccmPhoneFailedIPv4Attribute = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("unknown", 0), ("adminOnly", 1), ("controlOnly", 2), ("adminAndControl", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedIPv4Attribute.setStatus('current')
ccmPhoneFailedIPv6Attribute = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("unknown", 0), ("adminOnly", 1), ("controlOnly", 2), ("adminAndControl", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedIPv6Attribute.setStatus('current')
ccmPhoneFailedRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 12), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneFailedRegFailReason.setStatus('current')
ccmPhoneStatusUpdateTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4), )
if mibBuilder.loadTexts: ccmPhoneStatusUpdateTable.setStatus('current')
ccmPhoneStatusUpdateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmPhoneStatusUpdateIndex"))
if mibBuilder.loadTexts: ccmPhoneStatusUpdateEntry.setStatus('current')
ccmPhoneStatusUpdateIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmPhoneStatusUpdateIndex.setStatus('current')
ccmPhoneStatusPhoneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 2), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusPhoneIndex.setStatus('current')
ccmPhoneStatusUpdateTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 3), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusUpdateTime.setStatus('current')
ccmPhoneStatusUpdateType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("phoneRegistered", 2), ("phoneUnregistered", 3), ("phonePartiallyregistered", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusUpdateType.setStatus('current')
ccmPhoneStatusUpdateReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 5), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusUpdateReason.setStatus('deprecated')
ccmPhoneStatusUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 6), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusUnregReason.setStatus('current')
ccmPhoneStatusRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 7), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusRegFailReason.setStatus('current')
ccmPhoneExtnTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5), )
if mibBuilder.loadTexts: ccmPhoneExtnTable.setStatus('current')
ccmPhoneExtnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmPhoneIndex"), (0, "CISCO-CCM-MIB", "ccmPhoneExtnIndex"))
if mibBuilder.loadTexts: ccmPhoneExtnEntry.setStatus('current')
ccmPhoneExtnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmPhoneExtnIndex.setStatus('current')
ccmPhoneExtn = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtn.setStatus('current')
ccmPhoneExtnMultiLines = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 3), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtnMultiLines.setStatus('current')
ccmPhoneExtnInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 4), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtnInetAddressType.setStatus('current')
ccmPhoneExtnInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 5), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtnInetAddress.setStatus('current')
ccmPhoneExtnStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 6), CcmDeviceLineStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtnStatus.setStatus('current')
ccmGatewayTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1), )
if mibBuilder.loadTexts: ccmGatewayTable.setStatus('current')
ccmGatewayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmGatewayIndex"))
if mibBuilder.loadTexts: ccmGatewayEntry.setStatus('current')
ccmGatewayIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmGatewayIndex.setStatus('current')
ccmGatewayName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayName.setStatus('current')
ccmGatewayType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("ciscoAnalogAccess", 3), ("ciscoDigitalAccessPRI", 4), ("ciscoDigitalAccessT1", 5), ("ciscoDigitalAccessPRIPlus", 6), ("ciscoDigitalAccessWSX6608E1", 7), ("ciscoDigitalAccessWSX6608T1", 8), ("ciscoAnalogAccessWSX6624", 9), ("ciscoMGCPStation", 10), ("ciscoDigitalAccessE1Plus", 11), ("ciscoDigitalAccessT1Plus", 12), ("ciscoDigitalAccessWSX6608PRI", 13), ("ciscoAnalogAccessWSX6612", 14), ("ciscoMGCPTrunk", 15), ("ciscoVG200", 16), ("cisco26XX", 17), ("cisco362X", 18), ("cisco364X", 19), ("cisco366X", 20), ("ciscoCat4224VoiceGatewaySwitch", 21), ("ciscoCat4000AccessGatewayModule", 22), ("ciscoIAD2400", 23), ("ciscoVGCEndPoint", 24), ("ciscoVG224VG248Gateway", 25), ("ciscoVGCBox", 26), ("ciscoATA186", 27), ("ciscoICS77XXMRP2XX", 28), ("ciscoICS77XXASI81", 29), ("ciscoICS77XXASI160", 30), ("ciscoSlotVGCPort", 31), ("ciscoCat6000AVVIDServModule", 32), ("ciscoWSX6600", 33), ("ciscoWSSVCCMMMS", 34), ("cisco3745", 35), ("cisco3725", 36), ("ciscoICS77XXMRP3XX", 37), ("ciscoICS77XXMRP38FXS", 38), ("ciscoICS77XXMRP316FXS", 39), ("ciscoICS77XXMRP38FXOM1", 40), ("cisco269X", 41), ("cisco1760", 42), ("cisco1751", 43), ("ciscoMGCPBRIPort", 44)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayType.setStatus('obsolete')
ccmGatewayDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayDescription.setStatus('current')
ccmGatewayStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 5), CcmDeviceStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayStatus.setStatus('current')
ccmGatewayDevicePoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 6), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayDevicePoolIndex.setStatus('current')
ccmGatewayInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 7), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayInetAddressType.setStatus('current')
ccmGatewayInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 8), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayInetAddress.setStatus('current')
ccmGatewayProductId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 9), CcmDeviceProductId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayProductId.setStatus('obsolete')
ccmGatewayStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 10), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayStatusReason.setStatus('deprecated')
ccmGatewayTimeLastStatusUpdt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 11), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayTimeLastStatusUpdt.setStatus('current')
ccmGatewayTimeLastRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 12), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayTimeLastRegistered.setStatus('current')
ccmGatewayDChannelStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("active", 1), ("inActive", 2), ("unknown", 3), ("notApplicable", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayDChannelStatus.setStatus('current')
ccmGatewayDChannelNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayDChannelNumber.setStatus('current')
ccmGatewayProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 15), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayProductTypeIndex.setStatus('current')
ccmGatewayUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 16), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayUnregReason.setStatus('current')
ccmGatewayRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 17), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayRegFailReason.setStatus('current')
ccmGatewayTrunkTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1), )
if mibBuilder.loadTexts: ccmGatewayTrunkTable.setStatus('obsolete')
ccmGatewayTrunkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmGatewayTrunkIndex"))
if mibBuilder.loadTexts: ccmGatewayTrunkEntry.setStatus('obsolete')
ccmGatewayTrunkIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmGatewayTrunkIndex.setStatus('obsolete')
ccmGatewayTrunkType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("trunkGroundStart", 3), ("trunkLoopStart", 4), ("trunkDID", 5), ("trunkPOTS", 6), ("trunkEM1", 7), ("trunkEM2", 8), ("trunkEM3", 9), ("trunkEM4", 10), ("trunkEM5", 11), ("analog", 12), ("pri", 13), ("bri", 14)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayTrunkType.setStatus('obsolete')
ccmGatewayTrunkName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayTrunkName.setStatus('obsolete')
ccmTrunkGatewayIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 4), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmTrunkGatewayIndex.setStatus('obsolete')
ccmGatewayTrunkStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("up", 2), ("busy", 3), ("down", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayTrunkStatus.setStatus('obsolete')
ccmActivePhones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmActivePhones.setStatus('obsolete')
ccmInActivePhones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInActivePhones.setStatus('obsolete')
ccmActiveGateways = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmActiveGateways.setStatus('obsolete')
ccmInActiveGateways = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInActiveGateways.setStatus('obsolete')
ccmRegisteredPhones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegisteredPhones.setStatus('current')
ccmUnregisteredPhones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmUnregisteredPhones.setStatus('current')
ccmRejectedPhones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRejectedPhones.setStatus('current')
ccmRegisteredGateways = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegisteredGateways.setStatus('current')
ccmUnregisteredGateways = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmUnregisteredGateways.setStatus('current')
ccmRejectedGateways = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRejectedGateways.setStatus('current')
ccmRegisteredMediaDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegisteredMediaDevices.setStatus('current')
ccmUnregisteredMediaDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmUnregisteredMediaDevices.setStatus('current')
ccmRejectedMediaDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRejectedMediaDevices.setStatus('current')
ccmRegisteredCTIDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegisteredCTIDevices.setStatus('current')
ccmUnregisteredCTIDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmUnregisteredCTIDevices.setStatus('current')
ccmRejectedCTIDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRejectedCTIDevices.setStatus('current')
ccmRegisteredVoiceMailDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRegisteredVoiceMailDevices.setStatus('current')
ccmUnregisteredVoiceMailDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmUnregisteredVoiceMailDevices.setStatus('current')
ccmRejectedVoiceMailDevices = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmRejectedVoiceMailDevices.setStatus('current')
ccmCallManagerStartTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 20), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCallManagerStartTime.setStatus('current')
ccmPhoneTableStateId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneTableStateId.setStatus('current')
ccmPhoneExtensionTableStateId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneExtensionTableStateId.setStatus('current')
ccmPhoneStatusUpdateTableStateId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhoneStatusUpdateTableStateId.setStatus('current')
ccmGatewayTableStateId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatewayTableStateId.setStatus('current')
ccmCTIDeviceTableStateId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceTableStateId.setStatus('current')
ccmCTIDeviceDirNumTableStateId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceDirNumTableStateId.setStatus('current')
ccmPhStatUpdtTblLastAddedIndex = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 27), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhStatUpdtTblLastAddedIndex.setStatus('current')
ccmPhFailedTblLastAddedIndex = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 28), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPhFailedTblLastAddedIndex.setStatus('current')
ccmSystemVersion = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 29), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSystemVersion.setStatus('current')
ccmInstallationId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 30), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmInstallationId.setStatus('current')
ccmPartiallyRegisteredPhones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 31), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmPartiallyRegisteredPhones.setStatus('current')
ccmH323TableEntries = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 32), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323TableEntries.setStatus('current')
ccmSIPTableEntries = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 33), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPTableEntries.setStatus('current')
ccmMediaDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1), )
if mibBuilder.loadTexts: ccmMediaDeviceTable.setStatus('current')
ccmMediaDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmMediaDeviceIndex"))
if mibBuilder.loadTexts: ccmMediaDeviceEntry.setStatus('current')
ccmMediaDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmMediaDeviceIndex.setStatus('current')
ccmMediaDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceName.setStatus('current')
ccmMediaDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("unknown", 1), ("ciscoMediaTerminPointWSX6608", 2), ("ciscoConfBridgeWSX6608", 3), ("ciscoSwMediaTerminationPoint", 4), ("ciscoSwConfBridge", 5), ("ciscoMusicOnHold", 6), ("ciscoToneAnnouncementPlayer", 7), ("ciscoConfBridgeWSSVCCMM", 8), ("ciscoMediaServerWSSVCCMMMS", 9), ("ciscoMTPWSSVCCMM", 10), ("ciscoIOSSWMTPHDV2", 11), ("ciscoIOSConfBridgeHDV2", 12), ("ciscoIOSMTPHDV2", 13), ("ciscoVCBIPVC35XX", 14)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceType.setStatus('obsolete')
ccmMediaDeviceDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceDescription.setStatus('current')
ccmMediaDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 5), CcmDeviceStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceStatus.setStatus('current')
ccmMediaDeviceDevicePoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 6), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceDevicePoolIndex.setStatus('current')
ccmMediaDeviceInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 7), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceInetAddressType.setStatus('deprecated')
ccmMediaDeviceInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 8), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceInetAddress.setStatus('deprecated')
ccmMediaDeviceStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 9), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceStatusReason.setStatus('deprecated')
ccmMediaDeviceTimeLastStatusUpdt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 10), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceTimeLastStatusUpdt.setStatus('current')
ccmMediaDeviceTimeLastRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 11), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceTimeLastRegistered.setStatus('current')
ccmMediaDeviceProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 12), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceProductTypeIndex.setStatus('current')
ccmMediaDeviceInetAddressIPv4 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 13), InetAddressIPv4()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceInetAddressIPv4.setStatus('current')
ccmMediaDeviceInetAddressIPv6 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 14), InetAddressIPv6()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceInetAddressIPv6.setStatus('current')
ccmMediaDeviceUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 15), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceUnregReason.setStatus('current')
ccmMediaDeviceRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 16), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmMediaDeviceRegFailReason.setStatus('current')
ccmGatekeeperTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1), )
if mibBuilder.loadTexts: ccmGatekeeperTable.setStatus('obsolete')
ccmGatekeeperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmGatekeeperIndex"))
if mibBuilder.loadTexts: ccmGatekeeperEntry.setStatus('obsolete')
ccmGatekeeperIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmGatekeeperIndex.setStatus('obsolete')
ccmGatekeeperName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperName.setStatus('obsolete')
ccmGatekeeperType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("terminal", 3), ("gateway", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperType.setStatus('obsolete')
ccmGatekeeperDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperDescription.setStatus('obsolete')
ccmGatekeeperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("registered", 2), ("unregistered", 3), ("rejected", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperStatus.setStatus('obsolete')
ccmGatekeeperDevicePoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 6), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperDevicePoolIndex.setStatus('obsolete')
ccmGatekeeperInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 7), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperInetAddressType.setStatus('obsolete')
ccmGatekeeperInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 8), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmGatekeeperInetAddress.setStatus('obsolete')
ccmCTIDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1), )
if mibBuilder.loadTexts: ccmCTIDeviceTable.setStatus('current')
ccmCTIDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmCTIDeviceIndex"))
if mibBuilder.loadTexts: ccmCTIDeviceEntry.setStatus('current')
ccmCTIDeviceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmCTIDeviceIndex.setStatus('current')
ccmCTIDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceName.setStatus('current')
ccmCTIDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("ctiRoutePoint", 3), ("ctiPort", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceType.setStatus('obsolete')
ccmCTIDeviceDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceDescription.setStatus('current')
ccmCTIDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 5), CcmDeviceStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceStatus.setStatus('current')
ccmCTIDevicePoolIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 6), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDevicePoolIndex.setStatus('current')
ccmCTIDeviceInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 7), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceInetAddressType.setStatus('deprecated')
ccmCTIDeviceInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 8), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceInetAddress.setStatus('deprecated')
ccmCTIDeviceAppInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 9), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceAppInfo.setStatus('obsolete')
ccmCTIDeviceStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 10), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceStatusReason.setStatus('deprecated')
ccmCTIDeviceTimeLastStatusUpdt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 11), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceTimeLastStatusUpdt.setStatus('current')
ccmCTIDeviceTimeLastRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 12), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceTimeLastRegistered.setStatus('current')
ccmCTIDeviceProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 13), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceProductTypeIndex.setStatus('current')
ccmCTIDeviceInetAddressIPv4 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 14), InetAddressIPv4()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceInetAddressIPv4.setStatus('current')
ccmCTIDeviceInetAddressIPv6 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 15), InetAddressIPv6()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceInetAddressIPv6.setStatus('current')
ccmCTIDeviceUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 16), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceUnregReason.setStatus('current')
ccmCTIDeviceRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 17), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceRegFailReason.setStatus('current')
ccmCTIDeviceDirNumTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2), )
if mibBuilder.loadTexts: ccmCTIDeviceDirNumTable.setStatus('current')
ccmCTIDeviceDirNumEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmCTIDeviceIndex"), (0, "CISCO-CCM-MIB", "ccmCTIDeviceDirNumIndex"))
if mibBuilder.loadTexts: ccmCTIDeviceDirNumEntry.setStatus('current')
ccmCTIDeviceDirNumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmCTIDeviceDirNumIndex.setStatus('current')
ccmCTIDeviceDirNum = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmCTIDeviceDirNum.setStatus('current')
ccmCallManagerAlarmEnable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmCallManagerAlarmEnable.setStatus('current')
ccmPhoneFailedAlarmInterval = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(30, 3600), ))).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmPhoneFailedAlarmInterval.setStatus('current')
ccmPhoneFailedStorePeriod = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1800, 3600)).clone(1800)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmPhoneFailedStorePeriod.setStatus('current')
ccmPhoneStatusUpdateAlarmInterv = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(30, 3600), ))).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmPhoneStatusUpdateAlarmInterv.setStatus('current')
ccmPhoneStatusUpdateStorePeriod = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1800, 3600)).clone(1800)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmPhoneStatusUpdateStorePeriod.setStatus('current')
ccmGatewayAlarmEnable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 6), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmGatewayAlarmEnable.setStatus('current')
ccmMaliciousCallAlarmEnable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 7), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmMaliciousCallAlarmEnable.setStatus('current')
ccmAlarmSeverity = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("emergency", 1), ("alert", 2), ("critical", 3), ("error", 4), ("warning", 5), ("notice", 6), ("informational", 7)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmAlarmSeverity.setStatus('current')
ccmFailCauseCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 1), ("heartBeatStopped", 2), ("routerThreadDied", 3), ("timerThreadDied", 4), ("criticalThreadDied", 5), ("deviceMgrInitFailed", 6), ("digitAnalysisInitFailed", 7), ("callControlInitFailed", 8), ("linkMgrInitFailed", 9), ("dbMgrInitFailed", 10), ("msgTranslatorInitFailed", 11), ("suppServicesInitFailed", 12)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmFailCauseCode.setStatus('current')
ccmPhoneFailures = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 3), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmPhoneFailures.setStatus('current')
ccmPhoneUpdates = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 4), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmPhoneUpdates.setStatus('current')
ccmGatewayFailCauseCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 5), CcmDevFailCauseCode()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmGatewayFailCauseCode.setStatus('deprecated')
ccmMediaResourceType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("mediaTerminationPoint", 2), ("transcoder", 3), ("conferenceBridge", 4), ("musicOnHold", 5)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMediaResourceType.setStatus('current')
ccmMediaResourceListName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 7), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMediaResourceListName.setStatus('current')
ccmRouteListName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 8), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmRouteListName.setStatus('current')
ccmGatewayPhysIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmGatewayPhysIfIndex.setStatus('current')
ccmGatewayPhysIfL2Status = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("unknown", 1), ("up", 2), ("down", 3)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmGatewayPhysIfL2Status.setStatus('current')
ccmMaliCallCalledPartyName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 11), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallCalledPartyName.setStatus('current')
ccmMaliCallCalledPartyNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 12), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallCalledPartyNumber.setStatus('current')
ccmMaliCallCalledDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 13), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallCalledDeviceName.setStatus('current')
ccmMaliCallCallingPartyName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 14), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallCallingPartyName.setStatus('current')
ccmMaliCallCallingPartyNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 15), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallCallingPartyNumber.setStatus('current')
ccmMaliCallCallingDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 16), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallCallingDeviceName.setStatus('current')
ccmMaliCallTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 17), DateAndTime()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmMaliCallTime.setStatus('current')
ccmQualityRprtSourceDevName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 18), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmQualityRprtSourceDevName.setStatus('current')
ccmQualityRprtClusterId = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 19), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmQualityRprtClusterId.setStatus('current')
ccmQualityRprtCategory = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 20), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmQualityRprtCategory.setStatus('current')
ccmQualityRprtReasonCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 21), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmQualityRprtReasonCode.setStatus('current')
ccmQualityRprtTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 22), DateAndTime()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmQualityRprtTime.setStatus('current')
ccmTLSDevName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 23), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmTLSDevName.setStatus('current')
ccmTLSDevInetAddressType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 24), InetAddressType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmTLSDevInetAddressType.setStatus('current')
ccmTLSDevInetAddress = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 25), InetAddress()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmTLSDevInetAddress.setStatus('current')
ccmTLSConnFailTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 26), DateAndTime()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmTLSConnFailTime.setStatus('current')
ccmTLSConnectionFailReasonCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("authenticationerror", 2), ("invalidx509nameincertificate", 3), ("invalidtlscipher", 4)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmTLSConnectionFailReasonCode.setStatus('current')
ccmGatewayRegFailCauseCode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 28), CcmDevRegFailCauseCode()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: ccmGatewayRegFailCauseCode.setStatus('current')
ccmH323DeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1), )
if mibBuilder.loadTexts: ccmH323DeviceTable.setStatus('current')
ccmH323DeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmH323DevIndex"))
if mibBuilder.loadTexts: ccmH323DeviceEntry.setStatus('current')
ccmH323DevIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmH323DevIndex.setStatus('current')
ccmH323DevName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevName.setStatus('current')
ccmH323DevProductId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 3), CcmDeviceProductId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevProductId.setStatus('obsolete')
ccmH323DevDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevDescription.setStatus('current')
ccmH323DevInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 5), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevInetAddressType.setStatus('current')
ccmH323DevInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 6), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevInetAddress.setStatus('current')
ccmH323DevCnfgGKInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 7), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevCnfgGKInetAddressType.setStatus('current')
ccmH323DevCnfgGKInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 8), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevCnfgGKInetAddress.setStatus('current')
ccmH323DevAltGK1InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 9), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK1InetAddressType.setStatus('current')
ccmH323DevAltGK1InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 10), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK1InetAddress.setStatus('current')
ccmH323DevAltGK2InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 11), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK2InetAddressType.setStatus('current')
ccmH323DevAltGK2InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 12), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK2InetAddress.setStatus('current')
ccmH323DevAltGK3InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 13), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK3InetAddressType.setStatus('current')
ccmH323DevAltGK3InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 14), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK3InetAddress.setStatus('current')
ccmH323DevAltGK4InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 15), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK4InetAddressType.setStatus('current')
ccmH323DevAltGK4InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 16), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK4InetAddress.setStatus('current')
ccmH323DevAltGK5InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 17), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK5InetAddressType.setStatus('current')
ccmH323DevAltGK5InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 18), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevAltGK5InetAddress.setStatus('current')
ccmH323DevActGKInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 19), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevActGKInetAddressType.setStatus('current')
ccmH323DevActGKInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 20), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevActGKInetAddress.setStatus('current')
ccmH323DevStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("notApplicable", 0), ("unknown", 1), ("registered", 2), ("unregistered", 3), ("rejected", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevStatus.setStatus('current')
ccmH323DevStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 22), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevStatusReason.setStatus('deprecated')
ccmH323DevTimeLastStatusUpdt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 23), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevTimeLastStatusUpdt.setStatus('current')
ccmH323DevTimeLastRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 24), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevTimeLastRegistered.setStatus('current')
ccmH323DevRmtCM1InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 25), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRmtCM1InetAddressType.setStatus('current')
ccmH323DevRmtCM1InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 26), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRmtCM1InetAddress.setStatus('current')
ccmH323DevRmtCM2InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 27), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRmtCM2InetAddressType.setStatus('current')
ccmH323DevRmtCM2InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 28), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRmtCM2InetAddress.setStatus('current')
ccmH323DevRmtCM3InetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 29), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRmtCM3InetAddressType.setStatus('current')
ccmH323DevRmtCM3InetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 30), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRmtCM3InetAddress.setStatus('current')
ccmH323DevProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 31), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevProductTypeIndex.setStatus('current')
ccmH323DevUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 32), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevUnregReason.setStatus('current')
ccmH323DevRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 33), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmH323DevRegFailReason.setStatus('current')
ccmVoiceMailDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1), )
if mibBuilder.loadTexts: ccmVoiceMailDeviceTable.setStatus('current')
ccmVoiceMailDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmVMailDevIndex"))
if mibBuilder.loadTexts: ccmVoiceMailDeviceEntry.setStatus('current')
ccmVMailDevIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmVMailDevIndex.setStatus('current')
ccmVMailDevName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevName.setStatus('current')
ccmVMailDevProductId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 3), CcmDeviceProductId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevProductId.setStatus('obsolete')
ccmVMailDevDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevDescription.setStatus('current')
ccmVMailDevStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 5), CcmDeviceStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevStatus.setStatus('current')
ccmVMailDevInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 6), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevInetAddressType.setStatus('current')
ccmVMailDevInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 7), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevInetAddress.setStatus('current')
ccmVMailDevStatusReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 8), CcmDevFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevStatusReason.setStatus('deprecated')
ccmVMailDevTimeLastStatusUpdt = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 9), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevTimeLastStatusUpdt.setStatus('current')
ccmVMailDevTimeLastRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 10), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevTimeLastRegistered.setStatus('current')
ccmVMailDevProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 11), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevProductTypeIndex.setStatus('current')
ccmVMailDevUnregReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 12), CcmDevUnregCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevUnregReason.setStatus('current')
ccmVMailDevRegFailReason = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 13), CcmDevRegFailCauseCode()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevRegFailReason.setStatus('current')
ccmVoiceMailDeviceDirNumTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2), )
if mibBuilder.loadTexts: ccmVoiceMailDeviceDirNumTable.setStatus('current')
ccmVoiceMailDeviceDirNumEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmVMailDevIndex"), (0, "CISCO-CCM-MIB", "ccmVMailDevDirNumIndex"))
if mibBuilder.loadTexts: ccmVoiceMailDeviceDirNumEntry.setStatus('current')
ccmVMailDevDirNumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmVMailDevDirNumIndex.setStatus('current')
ccmVMailDevDirNum = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmVMailDevDirNum.setStatus('current')
ccmQualityReportAlarmEnable = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 13, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ccmQualityReportAlarmEnable.setStatus('current')
ccmSIPDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1), )
if mibBuilder.loadTexts: ccmSIPDeviceTable.setStatus('current')
ccmSIPDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1), ).setIndexNames((0, "CISCO-CCM-MIB", "ccmSIPDevIndex"))
if mibBuilder.loadTexts: ccmSIPDeviceEntry.setStatus('current')
ccmSIPDevIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 1), CcmIndex())
if mibBuilder.loadTexts: ccmSIPDevIndex.setStatus('current')
ccmSIPDevName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevName.setStatus('current')
ccmSIPDevProductTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 3), CcmIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevProductTypeIndex.setStatus('current')
ccmSIPDevDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevDescription.setStatus('current')
ccmSIPDevInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 5), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevInetAddressType.setStatus('deprecated')
ccmSIPDevInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 6), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevInetAddress.setStatus('deprecated')
ccmSIPInTransportProtocolType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 7), CcmSIPTransportProtocolType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPInTransportProtocolType.setStatus('current')
ccmSIPInPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 8), InetPortNumber()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPInPortNumber.setStatus('current')
ccmSIPOutTransportProtocolType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 9), CcmSIPTransportProtocolType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPOutTransportProtocolType.setStatus('current')
ccmSIPOutPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 10), InetPortNumber()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPOutPortNumber.setStatus('current')
ccmSIPDevInetAddressIPv4 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 11), InetAddressIPv4()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevInetAddressIPv4.setStatus('current')
ccmSIPDevInetAddressIPv6 = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 12), InetAddressIPv6()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ccmSIPDevInetAddressIPv6.setStatus('current')
ccmMIBNotificationPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 2))
ccmMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0))
ccmCallManagerFailed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 1)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmFailCauseCode"))
if mibBuilder.loadTexts: ccmCallManagerFailed.setStatus('current')
ccmPhoneFailed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 2)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmPhoneFailures"))
if mibBuilder.loadTexts: ccmPhoneFailed.setStatus('current')
ccmPhoneStatusUpdate = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 3)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"))
if mibBuilder.loadTexts: ccmPhoneStatusUpdate.setStatus('current')
ccmGatewayFailed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 4)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmGatewayFailCauseCode"))
if mibBuilder.loadTexts: ccmGatewayFailed.setStatus('deprecated')
ccmMediaResourceListExhausted = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 5)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"))
if mibBuilder.loadTexts: ccmMediaResourceListExhausted.setStatus('current')
ccmRouteListExhausted = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 6)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmRouteListName"))
if mibBuilder.loadTexts: ccmRouteListExhausted.setStatus('current')
ccmGatewayLayer2Change = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 7)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"))
if mibBuilder.loadTexts: ccmGatewayLayer2Change.setStatus('current')
ccmMaliciousCall = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 8)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCalledDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCallingDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallTime"))
if mibBuilder.loadTexts: ccmMaliciousCall.setStatus('current')
ccmQualityReport = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 9)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmQualityRprtSourceDevName"), ("CISCO-CCM-MIB", "ccmQualityRprtClusterId"), ("CISCO-CCM-MIB", "ccmQualityRprtCategory"), ("CISCO-CCM-MIB", "ccmQualityRprtReasonCode"), ("CISCO-CCM-MIB", "ccmQualityRprtTime"))
if mibBuilder.loadTexts: ccmQualityReport.setStatus('current')
ccmTLSConnectionFailure = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 10)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmTLSDevName"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddressType"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddress"), ("CISCO-CCM-MIB", "ccmTLSConnectionFailReasonCode"), ("CISCO-CCM-MIB", "ccmTLSConnFailTime"))
if mibBuilder.loadTexts: ccmTLSConnectionFailure.setStatus('current')
ccmGatewayFailedReason = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 11)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmGatewayRegFailCauseCode"))
if mibBuilder.loadTexts: ccmGatewayFailedReason.setStatus('current')
ciscoCcmMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 3))
ciscoCcmMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1))
ciscoCcmMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2))
ciscoCcmMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 1)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroup"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroup"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBCompliance = ciscoCcmMIBCompliance.setStatus('obsolete')
ciscoCcmMIBComplianceRev1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 2)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroup"), ("CISCO-CCM-MIB", "ccmGatekeeperInfoGroup"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroup"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroup"), ("CISCO-CCM-MIB", "ccmNotificationsGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev1 = ciscoCcmMIBComplianceRev1.setStatus('obsolete')
ciscoCcmMIBComplianceRev2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 3)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmNotificationsGroup"), ("CISCO-CCM-MIB", "ccmH323DeviceInfoGroup"), ("CISCO-CCM-MIB", "ccmVoiceMailDeviceInfoGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev2 = ciscoCcmMIBComplianceRev2.setStatus('obsolete')
ciscoCcmMIBComplianceRev3 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 4)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmNotificationsGroupRev1"), ("CISCO-CCM-MIB", "ccmH323DeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmVoiceMailDeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmSIPDeviceInfoGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev3 = ciscoCcmMIBComplianceRev3.setStatus('obsolete')
ciscoCcmMIBComplianceRev4 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 5)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmNotificationsGroupRev2"), ("CISCO-CCM-MIB", "ccmH323DeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmVoiceMailDeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmSIPDeviceInfoGroupRev1"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev4 = ciscoCcmMIBComplianceRev4.setStatus('obsolete')
ciscoCcmMIBComplianceRev5 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 6)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev5"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmNotificationsGroupRev2"), ("CISCO-CCM-MIB", "ccmH323DeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmVoiceMailDeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmSIPDeviceInfoGroupRev2"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev5 = ciscoCcmMIBComplianceRev5.setStatus('deprecated')
ciscoCcmMIBComplianceRev6 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 7)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev5"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmNotificationsGroupRev2"), ("CISCO-CCM-MIB", "ccmH323DeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmVoiceMailDeviceInfoGroupRev1"), ("CISCO-CCM-MIB", "ccmSIPDeviceInfoGroupRev2"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev6 = ciscoCcmMIBComplianceRev6.setStatus('deprecated')
ciscoCcmMIBComplianceRev7 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 8)).setObjects(("CISCO-CCM-MIB", "ccmInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmPhoneInfoGroupRev6"), ("CISCO-CCM-MIB", "ccmGatewayInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmMediaDeviceInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmCTIDeviceInfoGroupRev4"), ("CISCO-CCM-MIB", "ccmNotificationsInfoGroupRev5"), ("CISCO-CCM-MIB", "ccmNotificationsGroupRev3"), ("CISCO-CCM-MIB", "ccmH323DeviceInfoGroupRev3"), ("CISCO-CCM-MIB", "ccmVoiceMailDeviceInfoGroupRev2"), ("CISCO-CCM-MIB", "ccmSIPDeviceInfoGroupRev2"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoCcmMIBComplianceRev7 = ciscoCcmMIBComplianceRev7.setStatus('current')
ccmInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 1)).setObjects(("CISCO-CCM-MIB", "ccmGroupName"), ("CISCO-CCM-MIB", "ccmGroupTftpDefault"), ("CISCO-CCM-MIB", "ccmName"), ("CISCO-CCM-MIB", "ccmDescription"), ("CISCO-CCM-MIB", "ccmVersion"), ("CISCO-CCM-MIB", "ccmStatus"), ("CISCO-CCM-MIB", "ccmCMGroupMappingCMPriority"), ("CISCO-CCM-MIB", "ccmRegionName"), ("CISCO-CCM-MIB", "ccmRegionAvailableBandWidth"), ("CISCO-CCM-MIB", "ccmTimeZoneName"), ("CISCO-CCM-MIB", "ccmTimeZoneOffset"), ("CISCO-CCM-MIB", "ccmDevicePoolName"), ("CISCO-CCM-MIB", "ccmDevicePoolRegionIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolTimeZoneIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolGroupIndex"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmInfoGroup = ccmInfoGroup.setStatus('obsolete')
ccmPhoneInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 2)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneType"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneIpAddress"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneLastError"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastError"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneExtension"), ("CISCO-CCM-MIB", "ccmPhoneExtensionIpAddress"), ("CISCO-CCM-MIB", "ccmPhoneExtensionMultiLines"), ("CISCO-CCM-MIB", "ccmActivePhones"), ("CISCO-CCM-MIB", "ccmInActivePhones"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroup = ccmPhoneInfoGroup.setStatus('obsolete')
ccmGatewayInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 3)).setObjects(("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayType"), ("CISCO-CCM-MIB", "ccmGatewayDescription"), ("CISCO-CCM-MIB", "ccmGatewayStatus"), ("CISCO-CCM-MIB", "ccmGatewayDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmGatewayTrunkType"), ("CISCO-CCM-MIB", "ccmGatewayTrunkName"), ("CISCO-CCM-MIB", "ccmTrunkGatewayIndex"), ("CISCO-CCM-MIB", "ccmGatewayTrunkStatus"), ("CISCO-CCM-MIB", "ccmActiveGateways"), ("CISCO-CCM-MIB", "ccmInActiveGateways"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmGatewayInfoGroup = ccmGatewayInfoGroup.setStatus('obsolete')
ccmInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 4)).setObjects(("CISCO-CCM-MIB", "ccmGroupName"), ("CISCO-CCM-MIB", "ccmGroupTftpDefault"), ("CISCO-CCM-MIB", "ccmName"), ("CISCO-CCM-MIB", "ccmDescription"), ("CISCO-CCM-MIB", "ccmVersion"), ("CISCO-CCM-MIB", "ccmStatus"), ("CISCO-CCM-MIB", "ccmInetAddressType"), ("CISCO-CCM-MIB", "ccmInetAddress"), ("CISCO-CCM-MIB", "ccmClusterId"), ("CISCO-CCM-MIB", "ccmCMGroupMappingCMPriority"), ("CISCO-CCM-MIB", "ccmRegionName"), ("CISCO-CCM-MIB", "ccmRegionAvailableBandWidth"), ("CISCO-CCM-MIB", "ccmTimeZoneName"), ("CISCO-CCM-MIB", "ccmTimeZoneOffset"), ("CISCO-CCM-MIB", "ccmDevicePoolName"), ("CISCO-CCM-MIB", "ccmDevicePoolRegionIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolTimeZoneIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolGroupIndex"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmInfoGroupRev1 = ccmInfoGroupRev1.setStatus('obsolete')
ccmPhoneInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 5)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneType"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneLastError"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastError"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneExtension"), ("CISCO-CCM-MIB", "ccmPhoneExtensionInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneExtensionInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneExtensionMultiLines"), ("CISCO-CCM-MIB", "ccmActivePhones"), ("CISCO-CCM-MIB", "ccmInActivePhones"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroupRev1 = ccmPhoneInfoGroupRev1.setStatus('obsolete')
ccmGatewayInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 6)).setObjects(("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayType"), ("CISCO-CCM-MIB", "ccmGatewayDescription"), ("CISCO-CCM-MIB", "ccmGatewayStatus"), ("CISCO-CCM-MIB", "ccmGatewayDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmActiveGateways"), ("CISCO-CCM-MIB", "ccmInActiveGateways"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmGatewayInfoGroupRev1 = ccmGatewayInfoGroupRev1.setStatus('obsolete')
ccmMediaDeviceInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 7)).setObjects(("CISCO-CCM-MIB", "ccmMediaDeviceName"), ("CISCO-CCM-MIB", "ccmMediaDeviceType"), ("CISCO-CCM-MIB", "ccmMediaDeviceDescription"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatus"), ("CISCO-CCM-MIB", "ccmMediaDeviceDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressType"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddress"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmMediaDeviceInfoGroup = ccmMediaDeviceInfoGroup.setStatus('obsolete')
ccmGatekeeperInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 8)).setObjects(("CISCO-CCM-MIB", "ccmGatekeeperName"), ("CISCO-CCM-MIB", "ccmGatekeeperType"), ("CISCO-CCM-MIB", "ccmGatekeeperDescription"), ("CISCO-CCM-MIB", "ccmGatekeeperStatus"), ("CISCO-CCM-MIB", "ccmGatekeeperDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmGatekeeperInetAddressType"), ("CISCO-CCM-MIB", "ccmGatekeeperInetAddress"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmGatekeeperInfoGroup = ccmGatekeeperInfoGroup.setStatus('obsolete')
ccmCTIDeviceInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 9)).setObjects(("CISCO-CCM-MIB", "ccmCTIDeviceName"), ("CISCO-CCM-MIB", "ccmCTIDeviceType"), ("CISCO-CCM-MIB", "ccmCTIDeviceDescription"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatus"), ("CISCO-CCM-MIB", "ccmCTIDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressType"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddress"), ("CISCO-CCM-MIB", "ccmCTIDeviceAppInfo"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNum"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmCTIDeviceInfoGroup = ccmCTIDeviceInfoGroup.setStatus('obsolete')
ccmNotificationsInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 10)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmCallManagerAlarmEnable"), ("CISCO-CCM-MIB", "ccmFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailures"), ("CISCO-CCM-MIB", "ccmPhoneFailedTime"), ("CISCO-CCM-MIB", "ccmPhoneFailedName"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedAlarmInterval"), ("CISCO-CCM-MIB", "ccmPhoneFailedStorePeriod"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"), ("CISCO-CCM-MIB", "ccmPhoneStatusPhoneIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTime"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateType"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateAlarmInterv"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateStorePeriod"), ("CISCO-CCM-MIB", "ccmGatewayAlarmEnable"), ("CISCO-CCM-MIB", "ccmGatewayFailCauseCode"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"), ("CISCO-CCM-MIB", "ccmRouteListName"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsInfoGroup = ccmNotificationsInfoGroup.setStatus('obsolete')
ccmNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 11)).setObjects(("CISCO-CCM-MIB", "ccmCallManagerFailed"), ("CISCO-CCM-MIB", "ccmPhoneFailed"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdate"), ("CISCO-CCM-MIB", "ccmGatewayFailed"), ("CISCO-CCM-MIB", "ccmMediaResourceListExhausted"), ("CISCO-CCM-MIB", "ccmRouteListExhausted"), ("CISCO-CCM-MIB", "ccmGatewayLayer2Change"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsGroup = ccmNotificationsGroup.setStatus('obsolete')
ccmInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 12)).setObjects(("CISCO-CCM-MIB", "ccmGroupName"), ("CISCO-CCM-MIB", "ccmGroupTftpDefault"), ("CISCO-CCM-MIB", "ccmName"), ("CISCO-CCM-MIB", "ccmDescription"), ("CISCO-CCM-MIB", "ccmVersion"), ("CISCO-CCM-MIB", "ccmStatus"), ("CISCO-CCM-MIB", "ccmInetAddressType"), ("CISCO-CCM-MIB", "ccmInetAddress"), ("CISCO-CCM-MIB", "ccmClusterId"), ("CISCO-CCM-MIB", "ccmCMGroupMappingCMPriority"), ("CISCO-CCM-MIB", "ccmRegionName"), ("CISCO-CCM-MIB", "ccmRegionAvailableBandWidth"), ("CISCO-CCM-MIB", "ccmTimeZoneName"), ("CISCO-CCM-MIB", "ccmTimeZoneOffsetHours"), ("CISCO-CCM-MIB", "ccmTimeZoneOffsetMinutes"), ("CISCO-CCM-MIB", "ccmDevicePoolName"), ("CISCO-CCM-MIB", "ccmDevicePoolRegionIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolTimeZoneIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolGroupIndex"), ("CISCO-CCM-MIB", "ccmCallManagerStartTime"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmInfoGroupRev2 = ccmInfoGroupRev2.setStatus('obsolete')
ccmPhoneInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 13)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneType"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusReason"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmPhoneExtn"), ("CISCO-CCM-MIB", "ccmPhoneExtnMultiLines"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddress"), ("CISCO-CCM-MIB", "ccmRegisteredPhones"), ("CISCO-CCM-MIB", "ccmUnregisteredPhones"), ("CISCO-CCM-MIB", "ccmRejectedPhones"), ("CISCO-CCM-MIB", "ccmPhoneTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneExtensionTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroupRev2 = ccmPhoneInfoGroupRev2.setStatus('obsolete')
ccmGatewayInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 14)).setObjects(("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayType"), ("CISCO-CCM-MIB", "ccmGatewayDescription"), ("CISCO-CCM-MIB", "ccmGatewayStatus"), ("CISCO-CCM-MIB", "ccmGatewayDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmGatewayProductId"), ("CISCO-CCM-MIB", "ccmGatewayStatusReason"), ("CISCO-CCM-MIB", "ccmGatewayTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmGatewayTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmGatewayDChannelStatus"), ("CISCO-CCM-MIB", "ccmGatewayDChannelNumber"), ("CISCO-CCM-MIB", "ccmRegisteredGateways"), ("CISCO-CCM-MIB", "ccmUnregisteredGateways"), ("CISCO-CCM-MIB", "ccmRejectedGateways"), ("CISCO-CCM-MIB", "ccmGatewayTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmGatewayInfoGroupRev2 = ccmGatewayInfoGroupRev2.setStatus('obsolete')
ccmMediaDeviceInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 15)).setObjects(("CISCO-CCM-MIB", "ccmMediaDeviceName"), ("CISCO-CCM-MIB", "ccmMediaDeviceType"), ("CISCO-CCM-MIB", "ccmMediaDeviceDescription"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatus"), ("CISCO-CCM-MIB", "ccmMediaDeviceDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressType"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddress"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatusReason"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmRegisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmRejectedMediaDevices"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmMediaDeviceInfoGroupRev1 = ccmMediaDeviceInfoGroupRev1.setStatus('obsolete')
ccmCTIDeviceInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 16)).setObjects(("CISCO-CCM-MIB", "ccmCTIDeviceName"), ("CISCO-CCM-MIB", "ccmCTIDeviceType"), ("CISCO-CCM-MIB", "ccmCTIDeviceDescription"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatus"), ("CISCO-CCM-MIB", "ccmCTIDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressType"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddress"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatusReason"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmRejectedCTIDevices"), ("CISCO-CCM-MIB", "ccmCTIDeviceTableStateId"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNumTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmCTIDeviceInfoGroupRev1 = ccmCTIDeviceInfoGroupRev1.setStatus('obsolete')
ccmH323DeviceInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 17)).setObjects(("CISCO-CCM-MIB", "ccmH323DevName"), ("CISCO-CCM-MIB", "ccmH323DevProductId"), ("CISCO-CCM-MIB", "ccmH323DevDescription"), ("CISCO-CCM-MIB", "ccmH323DevInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevStatus"), ("CISCO-CCM-MIB", "ccmH323DevStatusReason"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddress"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmH323DeviceInfoGroup = ccmH323DeviceInfoGroup.setStatus('obsolete')
ccmVoiceMailDeviceInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 18)).setObjects(("CISCO-CCM-MIB", "ccmVMailDevName"), ("CISCO-CCM-MIB", "ccmVMailDevProductId"), ("CISCO-CCM-MIB", "ccmVMailDevDescription"), ("CISCO-CCM-MIB", "ccmVMailDevStatus"), ("CISCO-CCM-MIB", "ccmVMailDevInetAddressType"), ("CISCO-CCM-MIB", "ccmVMailDevInetAddress"), ("CISCO-CCM-MIB", "ccmVMailDevStatusReason"), ("CISCO-CCM-MIB", "ccmVMailDevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmVMailDevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmVMailDevDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmRejectedVoiceMailDevices"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmVoiceMailDeviceInfoGroup = ccmVoiceMailDeviceInfoGroup.setStatus('obsolete')
ccmNotificationsInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 19)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmCallManagerAlarmEnable"), ("CISCO-CCM-MIB", "ccmFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailures"), ("CISCO-CCM-MIB", "ccmPhoneFailedTime"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedMacAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailedAlarmInterval"), ("CISCO-CCM-MIB", "ccmPhoneFailedStorePeriod"), ("CISCO-CCM-MIB", "ccmPhFailedTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"), ("CISCO-CCM-MIB", "ccmPhoneStatusPhoneIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTime"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateType"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateReason"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateAlarmInterv"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateStorePeriod"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTableStateId"), ("CISCO-CCM-MIB", "ccmPhStatUpdtTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmGatewayAlarmEnable"), ("CISCO-CCM-MIB", "ccmGatewayFailCauseCode"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"), ("CISCO-CCM-MIB", "ccmRouteListName"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsInfoGroupRev1 = ccmNotificationsInfoGroupRev1.setStatus('obsolete')
ccmInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 20)).setObjects(("CISCO-CCM-MIB", "ccmGroupName"), ("CISCO-CCM-MIB", "ccmGroupTftpDefault"), ("CISCO-CCM-MIB", "ccmName"), ("CISCO-CCM-MIB", "ccmDescription"), ("CISCO-CCM-MIB", "ccmVersion"), ("CISCO-CCM-MIB", "ccmStatus"), ("CISCO-CCM-MIB", "ccmInetAddressType"), ("CISCO-CCM-MIB", "ccmInetAddress"), ("CISCO-CCM-MIB", "ccmClusterId"), ("CISCO-CCM-MIB", "ccmCMGroupMappingCMPriority"), ("CISCO-CCM-MIB", "ccmRegionName"), ("CISCO-CCM-MIB", "ccmRegionAvailableBandWidth"), ("CISCO-CCM-MIB", "ccmTimeZoneName"), ("CISCO-CCM-MIB", "ccmTimeZoneOffsetHours"), ("CISCO-CCM-MIB", "ccmTimeZoneOffsetMinutes"), ("CISCO-CCM-MIB", "ccmDevicePoolName"), ("CISCO-CCM-MIB", "ccmDevicePoolRegionIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolTimeZoneIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolGroupIndex"), ("CISCO-CCM-MIB", "ccmProductType"), ("CISCO-CCM-MIB", "ccmProductName"), ("CISCO-CCM-MIB", "ccmProductCategory"), ("CISCO-CCM-MIB", "ccmCallManagerStartTime"), ("CISCO-CCM-MIB", "ccmSystemVersion"), ("CISCO-CCM-MIB", "ccmInstallationId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmInfoGroupRev3 = ccmInfoGroupRev3.setStatus('obsolete')
ccmNotificationsInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 21)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmCallManagerAlarmEnable"), ("CISCO-CCM-MIB", "ccmFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailures"), ("CISCO-CCM-MIB", "ccmPhoneFailedTime"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedMacAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailedAlarmInterval"), ("CISCO-CCM-MIB", "ccmPhoneFailedStorePeriod"), ("CISCO-CCM-MIB", "ccmPhFailedTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"), ("CISCO-CCM-MIB", "ccmPhoneStatusPhoneIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTime"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateType"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateReason"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateAlarmInterv"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateStorePeriod"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTableStateId"), ("CISCO-CCM-MIB", "ccmPhStatUpdtTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmGatewayAlarmEnable"), ("CISCO-CCM-MIB", "ccmGatewayFailCauseCode"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"), ("CISCO-CCM-MIB", "ccmRouteListName"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"), ("CISCO-CCM-MIB", "ccmMaliciousCallAlarmEnable"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCalledDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCallingDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallTime"), ("CISCO-CCM-MIB", "ccmQualityReportAlarmEnable"), ("CISCO-CCM-MIB", "ccmQualityRprtSourceDevName"), ("CISCO-CCM-MIB", "ccmQualityRprtClusterId"), ("CISCO-CCM-MIB", "ccmQualityRprtCategory"), ("CISCO-CCM-MIB", "ccmQualityRprtReasonCode"), ("CISCO-CCM-MIB", "ccmQualityRprtTime"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsInfoGroupRev2 = ccmNotificationsInfoGroupRev2.setStatus('obsolete')
ccmNotificationsGroupRev1 = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 22)).setObjects(("CISCO-CCM-MIB", "ccmCallManagerFailed"), ("CISCO-CCM-MIB", "ccmPhoneFailed"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdate"), ("CISCO-CCM-MIB", "ccmGatewayFailed"), ("CISCO-CCM-MIB", "ccmMediaResourceListExhausted"), ("CISCO-CCM-MIB", "ccmRouteListExhausted"), ("CISCO-CCM-MIB", "ccmGatewayLayer2Change"), ("CISCO-CCM-MIB", "ccmMaliciousCall"), ("CISCO-CCM-MIB", "ccmQualityReport"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsGroupRev1 = ccmNotificationsGroupRev1.setStatus('obsolete')
ccmSIPDeviceInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 23)).setObjects(("CISCO-CCM-MIB", "ccmSIPDevName"), ("CISCO-CCM-MIB", "ccmSIPDevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmSIPDevDescription"), ("CISCO-CCM-MIB", "ccmSIPDevInetAddressType"), ("CISCO-CCM-MIB", "ccmSIPDevInetAddress"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmSIPDeviceInfoGroup = ccmSIPDeviceInfoGroup.setStatus('obsolete')
ccmPhoneInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 24)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusReason"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmPhoneProductTypeIndex"), ("CISCO-CCM-MIB", "ccmPhoneExtn"), ("CISCO-CCM-MIB", "ccmPhoneExtnMultiLines"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddress"), ("CISCO-CCM-MIB", "ccmRegisteredPhones"), ("CISCO-CCM-MIB", "ccmUnregisteredPhones"), ("CISCO-CCM-MIB", "ccmRejectedPhones"), ("CISCO-CCM-MIB", "ccmPhoneTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneExtensionTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroupRev3 = ccmPhoneInfoGroupRev3.setStatus('obsolete')
ccmGatewayInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 25)).setObjects(("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayDescription"), ("CISCO-CCM-MIB", "ccmGatewayStatus"), ("CISCO-CCM-MIB", "ccmGatewayDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmGatewayStatusReason"), ("CISCO-CCM-MIB", "ccmGatewayTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmGatewayTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmGatewayDChannelStatus"), ("CISCO-CCM-MIB", "ccmGatewayDChannelNumber"), ("CISCO-CCM-MIB", "ccmGatewayProductTypeIndex"), ("CISCO-CCM-MIB", "ccmRegisteredGateways"), ("CISCO-CCM-MIB", "ccmUnregisteredGateways"), ("CISCO-CCM-MIB", "ccmRejectedGateways"), ("CISCO-CCM-MIB", "ccmGatewayTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmGatewayInfoGroupRev3 = ccmGatewayInfoGroupRev3.setStatus('deprecated')
ccmMediaDeviceInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 26)).setObjects(("CISCO-CCM-MIB", "ccmMediaDeviceName"), ("CISCO-CCM-MIB", "ccmMediaDeviceDescription"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatus"), ("CISCO-CCM-MIB", "ccmMediaDeviceDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressType"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddress"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatusReason"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmMediaDeviceProductTypeIndex"), ("CISCO-CCM-MIB", "ccmRegisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmRejectedMediaDevices"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmMediaDeviceInfoGroupRev2 = ccmMediaDeviceInfoGroupRev2.setStatus('deprecated')
ccmCTIDeviceInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 27)).setObjects(("CISCO-CCM-MIB", "ccmCTIDeviceName"), ("CISCO-CCM-MIB", "ccmCTIDeviceDescription"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatus"), ("CISCO-CCM-MIB", "ccmCTIDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressType"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddress"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatusReason"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmCTIDeviceProductTypeIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmRejectedCTIDevices"), ("CISCO-CCM-MIB", "ccmCTIDeviceTableStateId"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNumTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmCTIDeviceInfoGroupRev2 = ccmCTIDeviceInfoGroupRev2.setStatus('deprecated')
ccmH323DeviceInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 28)).setObjects(("CISCO-CCM-MIB", "ccmH323DevName"), ("CISCO-CCM-MIB", "ccmH323DevDescription"), ("CISCO-CCM-MIB", "ccmH323DevInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevStatus"), ("CISCO-CCM-MIB", "ccmH323DevStatusReason"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevProductTypeIndex"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmH323DeviceInfoGroupRev1 = ccmH323DeviceInfoGroupRev1.setStatus('obsolete')
ccmVoiceMailDeviceInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 29)).setObjects(("CISCO-CCM-MIB", "ccmVMailDevName"), ("CISCO-CCM-MIB", "ccmVMailDevDescription"), ("CISCO-CCM-MIB", "ccmVMailDevStatus"), ("CISCO-CCM-MIB", "ccmVMailDevInetAddressType"), ("CISCO-CCM-MIB", "ccmVMailDevInetAddress"), ("CISCO-CCM-MIB", "ccmVMailDevStatusReason"), ("CISCO-CCM-MIB", "ccmVMailDevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmVMailDevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmVMailDevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmVMailDevDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmRejectedVoiceMailDevices"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmVoiceMailDeviceInfoGroupRev1 = ccmVoiceMailDeviceInfoGroupRev1.setStatus('deprecated')
ccmPhoneInfoGroupRev4 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 30)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusReason"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmPhoneProductTypeIndex"), ("CISCO-CCM-MIB", "ccmPhoneProtocol"), ("CISCO-CCM-MIB", "ccmPhoneName"), ("CISCO-CCM-MIB", "ccmPhoneExtn"), ("CISCO-CCM-MIB", "ccmPhoneExtnMultiLines"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneExtnStatus"), ("CISCO-CCM-MIB", "ccmRegisteredPhones"), ("CISCO-CCM-MIB", "ccmUnregisteredPhones"), ("CISCO-CCM-MIB", "ccmRejectedPhones"), ("CISCO-CCM-MIB", "ccmPartiallyRegisteredPhones"), ("CISCO-CCM-MIB", "ccmPhoneTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneExtensionTableStateId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroupRev4 = ccmPhoneInfoGroupRev4.setStatus('deprecated')
ccmSIPDeviceInfoGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 31)).setObjects(("CISCO-CCM-MIB", "ccmSIPDevName"), ("CISCO-CCM-MIB", "ccmSIPDevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmSIPDevDescription"), ("CISCO-CCM-MIB", "ccmSIPDevInetAddressType"), ("CISCO-CCM-MIB", "ccmSIPDevInetAddress"), ("CISCO-CCM-MIB", "ccmSIPInTransportProtocolType"), ("CISCO-CCM-MIB", "ccmSIPInPortNumber"), ("CISCO-CCM-MIB", "ccmSIPOutTransportProtocolType"), ("CISCO-CCM-MIB", "ccmSIPOutPortNumber"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmSIPDeviceInfoGroupRev1 = ccmSIPDeviceInfoGroupRev1.setStatus('deprecated')
ccmNotificationsInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 32)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmCallManagerAlarmEnable"), ("CISCO-CCM-MIB", "ccmFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailures"), ("CISCO-CCM-MIB", "ccmPhoneFailedTime"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedMacAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailedAlarmInterval"), ("CISCO-CCM-MIB", "ccmPhoneFailedStorePeriod"), ("CISCO-CCM-MIB", "ccmPhFailedTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"), ("CISCO-CCM-MIB", "ccmPhoneStatusPhoneIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTime"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateType"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateReason"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateAlarmInterv"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateStorePeriod"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTableStateId"), ("CISCO-CCM-MIB", "ccmPhStatUpdtTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmGatewayAlarmEnable"), ("CISCO-CCM-MIB", "ccmGatewayFailCauseCode"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"), ("CISCO-CCM-MIB", "ccmRouteListName"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"), ("CISCO-CCM-MIB", "ccmMaliciousCallAlarmEnable"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCalledDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCallingDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallTime"), ("CISCO-CCM-MIB", "ccmQualityReportAlarmEnable"), ("CISCO-CCM-MIB", "ccmQualityRprtSourceDevName"), ("CISCO-CCM-MIB", "ccmQualityRprtClusterId"), ("CISCO-CCM-MIB", "ccmQualityRprtCategory"), ("CISCO-CCM-MIB", "ccmQualityRprtReasonCode"), ("CISCO-CCM-MIB", "ccmQualityRprtTime"), ("CISCO-CCM-MIB", "ccmTLSDevName"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddressType"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddress"), ("CISCO-CCM-MIB", "ccmTLSConnFailTime"), ("CISCO-CCM-MIB", "ccmTLSConnectionFailReasonCode"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsInfoGroupRev3 = ccmNotificationsInfoGroupRev3.setStatus('deprecated')
ccmNotificationsGroupRev2 = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 33)).setObjects(("CISCO-CCM-MIB", "ccmCallManagerFailed"), ("CISCO-CCM-MIB", "ccmPhoneFailed"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdate"), ("CISCO-CCM-MIB", "ccmGatewayFailed"), ("CISCO-CCM-MIB", "ccmMediaResourceListExhausted"), ("CISCO-CCM-MIB", "ccmRouteListExhausted"), ("CISCO-CCM-MIB", "ccmGatewayLayer2Change"), ("CISCO-CCM-MIB", "ccmMaliciousCall"), ("CISCO-CCM-MIB", "ccmQualityReport"), ("CISCO-CCM-MIB", "ccmTLSConnectionFailure"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsGroupRev2 = ccmNotificationsGroupRev2.setStatus('deprecated')
ccmInfoGroupRev4 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 34)).setObjects(("CISCO-CCM-MIB", "ccmGroupName"), ("CISCO-CCM-MIB", "ccmGroupTftpDefault"), ("CISCO-CCM-MIB", "ccmName"), ("CISCO-CCM-MIB", "ccmDescription"), ("CISCO-CCM-MIB", "ccmVersion"), ("CISCO-CCM-MIB", "ccmStatus"), ("CISCO-CCM-MIB", "ccmInetAddressType"), ("CISCO-CCM-MIB", "ccmInetAddress"), ("CISCO-CCM-MIB", "ccmClusterId"), ("CISCO-CCM-MIB", "ccmCMGroupMappingCMPriority"), ("CISCO-CCM-MIB", "ccmRegionName"), ("CISCO-CCM-MIB", "ccmRegionAvailableBandWidth"), ("CISCO-CCM-MIB", "ccmTimeZoneName"), ("CISCO-CCM-MIB", "ccmTimeZoneOffsetHours"), ("CISCO-CCM-MIB", "ccmTimeZoneOffsetMinutes"), ("CISCO-CCM-MIB", "ccmDevicePoolName"), ("CISCO-CCM-MIB", "ccmDevicePoolRegionIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolTimeZoneIndex"), ("CISCO-CCM-MIB", "ccmDevicePoolGroupIndex"), ("CISCO-CCM-MIB", "ccmProductType"), ("CISCO-CCM-MIB", "ccmProductName"), ("CISCO-CCM-MIB", "ccmProductCategory"), ("CISCO-CCM-MIB", "ccmCallManagerStartTime"), ("CISCO-CCM-MIB", "ccmSystemVersion"), ("CISCO-CCM-MIB", "ccmInstallationId"), ("CISCO-CCM-MIB", "ccmInetAddress2Type"), ("CISCO-CCM-MIB", "ccmInetAddress2"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmInfoGroupRev4 = ccmInfoGroupRev4.setStatus('current')
ccmPhoneInfoGroupRev5 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 35)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusReason"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmPhoneProductTypeIndex"), ("CISCO-CCM-MIB", "ccmPhoneProtocol"), ("CISCO-CCM-MIB", "ccmPhoneName"), ("CISCO-CCM-MIB", "ccmPhoneExtn"), ("CISCO-CCM-MIB", "ccmPhoneExtnMultiLines"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneExtnStatus"), ("CISCO-CCM-MIB", "ccmRegisteredPhones"), ("CISCO-CCM-MIB", "ccmUnregisteredPhones"), ("CISCO-CCM-MIB", "ccmRejectedPhones"), ("CISCO-CCM-MIB", "ccmPartiallyRegisteredPhones"), ("CISCO-CCM-MIB", "ccmPhoneTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneExtensionTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmPhoneIPv4Attribute"), ("CISCO-CCM-MIB", "ccmPhoneIPv6Attribute"), ("CISCO-CCM-MIB", "ccmPhoneActiveLoadID"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroupRev5 = ccmPhoneInfoGroupRev5.setStatus('deprecated')
ccmMediaDeviceInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 36)).setObjects(("CISCO-CCM-MIB", "ccmMediaDeviceName"), ("CISCO-CCM-MIB", "ccmMediaDeviceDescription"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatus"), ("CISCO-CCM-MIB", "ccmMediaDeviceDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatusReason"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmMediaDeviceProductTypeIndex"), ("CISCO-CCM-MIB", "ccmRegisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmRejectedMediaDevices"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressIPv6"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmMediaDeviceInfoGroupRev3 = ccmMediaDeviceInfoGroupRev3.setStatus('deprecated')
ccmSIPDeviceInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 37)).setObjects(("CISCO-CCM-MIB", "ccmSIPDevName"), ("CISCO-CCM-MIB", "ccmSIPDevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmSIPDevDescription"), ("CISCO-CCM-MIB", "ccmSIPInTransportProtocolType"), ("CISCO-CCM-MIB", "ccmSIPInPortNumber"), ("CISCO-CCM-MIB", "ccmSIPOutTransportProtocolType"), ("CISCO-CCM-MIB", "ccmSIPOutPortNumber"), ("CISCO-CCM-MIB", "ccmSIPDevInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmSIPDevInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmSIPTableEntries"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmSIPDeviceInfoGroupRev2 = ccmSIPDeviceInfoGroupRev2.setStatus('current')
ccmNotificationsInfoGroupRev4 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 38)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmCallManagerAlarmEnable"), ("CISCO-CCM-MIB", "ccmFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailures"), ("CISCO-CCM-MIB", "ccmPhoneFailedTime"), ("CISCO-CCM-MIB", "ccmPhoneFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedMacAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailedAlarmInterval"), ("CISCO-CCM-MIB", "ccmPhoneFailedStorePeriod"), ("CISCO-CCM-MIB", "ccmPhFailedTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"), ("CISCO-CCM-MIB", "ccmPhoneStatusPhoneIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTime"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateType"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateReason"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateAlarmInterv"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateStorePeriod"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTableStateId"), ("CISCO-CCM-MIB", "ccmPhStatUpdtTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmGatewayAlarmEnable"), ("CISCO-CCM-MIB", "ccmGatewayFailCauseCode"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"), ("CISCO-CCM-MIB", "ccmRouteListName"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"), ("CISCO-CCM-MIB", "ccmMaliciousCallAlarmEnable"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCalledDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCallingDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallTime"), ("CISCO-CCM-MIB", "ccmQualityReportAlarmEnable"), ("CISCO-CCM-MIB", "ccmQualityRprtSourceDevName"), ("CISCO-CCM-MIB", "ccmQualityRprtClusterId"), ("CISCO-CCM-MIB", "ccmQualityRprtCategory"), ("CISCO-CCM-MIB", "ccmQualityRprtReasonCode"), ("CISCO-CCM-MIB", "ccmQualityRprtTime"), ("CISCO-CCM-MIB", "ccmTLSDevName"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddressType"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddress"), ("CISCO-CCM-MIB", "ccmTLSConnFailTime"), ("CISCO-CCM-MIB", "ccmTLSConnectionFailReasonCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmPhoneFailedIPv4Attribute"), ("CISCO-CCM-MIB", "ccmPhoneFailedIPv6Attribute"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsInfoGroupRev4 = ccmNotificationsInfoGroupRev4.setStatus('deprecated')
ccmH323DeviceInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 39)).setObjects(("CISCO-CCM-MIB", "ccmH323DevName"), ("CISCO-CCM-MIB", "ccmH323DevDescription"), ("CISCO-CCM-MIB", "ccmH323DevInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevStatus"), ("CISCO-CCM-MIB", "ccmH323DevStatusReason"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmH323TableEntries"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmH323DeviceInfoGroupRev2 = ccmH323DeviceInfoGroupRev2.setStatus('deprecated')
ccmCTIDeviceInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 40)).setObjects(("CISCO-CCM-MIB", "ccmCTIDeviceName"), ("CISCO-CCM-MIB", "ccmCTIDeviceDescription"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatus"), ("CISCO-CCM-MIB", "ccmCTIDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatusReason"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmCTIDeviceProductTypeIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmRejectedCTIDevices"), ("CISCO-CCM-MIB", "ccmCTIDeviceTableStateId"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNumTableStateId"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressIPv6"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmCTIDeviceInfoGroupRev3 = ccmCTIDeviceInfoGroupRev3.setStatus('deprecated')
ccmPhoneInfoGroupRev6 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 41)).setObjects(("CISCO-CCM-MIB", "ccmPhonePhysicalAddress"), ("CISCO-CCM-MIB", "ccmPhoneDescription"), ("CISCO-CCM-MIB", "ccmPhoneUserName"), ("CISCO-CCM-MIB", "ccmPhoneStatus"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmPhoneE911Location"), ("CISCO-CCM-MIB", "ccmPhoneLoadID"), ("CISCO-CCM-MIB", "ccmPhoneDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmPhoneTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmPhoneProductTypeIndex"), ("CISCO-CCM-MIB", "ccmPhoneProtocol"), ("CISCO-CCM-MIB", "ccmPhoneName"), ("CISCO-CCM-MIB", "ccmPhoneExtn"), ("CISCO-CCM-MIB", "ccmPhoneExtnMultiLines"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddressType"), ("CISCO-CCM-MIB", "ccmPhoneExtnInetAddress"), ("CISCO-CCM-MIB", "ccmPhoneExtnStatus"), ("CISCO-CCM-MIB", "ccmRegisteredPhones"), ("CISCO-CCM-MIB", "ccmUnregisteredPhones"), ("CISCO-CCM-MIB", "ccmRejectedPhones"), ("CISCO-CCM-MIB", "ccmPartiallyRegisteredPhones"), ("CISCO-CCM-MIB", "ccmPhoneTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneExtensionTableStateId"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmPhoneInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmPhoneIPv4Attribute"), ("CISCO-CCM-MIB", "ccmPhoneIPv6Attribute"), ("CISCO-CCM-MIB", "ccmPhoneActiveLoadID"), ("CISCO-CCM-MIB", "ccmPhoneUnregReason"), ("CISCO-CCM-MIB", "ccmPhoneRegFailReason"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmPhoneInfoGroupRev6 = ccmPhoneInfoGroupRev6.setStatus('current')
ccmNotificationsInfoGroupRev5 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 42)).setObjects(("CISCO-CCM-MIB", "ccmAlarmSeverity"), ("CISCO-CCM-MIB", "ccmCallManagerAlarmEnable"), ("CISCO-CCM-MIB", "ccmFailCauseCode"), ("CISCO-CCM-MIB", "ccmPhoneFailures"), ("CISCO-CCM-MIB", "ccmPhoneFailedTime"), ("CISCO-CCM-MIB", "ccmPhoneFailedMacAddress"), ("CISCO-CCM-MIB", "ccmPhoneFailedAlarmInterval"), ("CISCO-CCM-MIB", "ccmPhoneFailedStorePeriod"), ("CISCO-CCM-MIB", "ccmPhFailedTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmPhoneUpdates"), ("CISCO-CCM-MIB", "ccmPhoneStatusPhoneIndex"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTime"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateType"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateAlarmInterv"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateStorePeriod"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdateTableStateId"), ("CISCO-CCM-MIB", "ccmPhStatUpdtTblLastAddedIndex"), ("CISCO-CCM-MIB", "ccmGatewayAlarmEnable"), ("CISCO-CCM-MIB", "ccmMediaResourceType"), ("CISCO-CCM-MIB", "ccmMediaResourceListName"), ("CISCO-CCM-MIB", "ccmRouteListName"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfIndex"), ("CISCO-CCM-MIB", "ccmGatewayPhysIfL2Status"), ("CISCO-CCM-MIB", "ccmMaliciousCallAlarmEnable"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCalledPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCalledDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyName"), ("CISCO-CCM-MIB", "ccmMaliCallCallingPartyNumber"), ("CISCO-CCM-MIB", "ccmMaliCallCallingDeviceName"), ("CISCO-CCM-MIB", "ccmMaliCallTime"), ("CISCO-CCM-MIB", "ccmQualityReportAlarmEnable"), ("CISCO-CCM-MIB", "ccmQualityRprtSourceDevName"), ("CISCO-CCM-MIB", "ccmQualityRprtClusterId"), ("CISCO-CCM-MIB", "ccmQualityRprtCategory"), ("CISCO-CCM-MIB", "ccmQualityRprtReasonCode"), ("CISCO-CCM-MIB", "ccmQualityRprtTime"), ("CISCO-CCM-MIB", "ccmTLSDevName"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddressType"), ("CISCO-CCM-MIB", "ccmTLSDevInetAddress"), ("CISCO-CCM-MIB", "ccmTLSConnFailTime"), ("CISCO-CCM-MIB", "ccmTLSConnectionFailReasonCode"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmPhoneFailedInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmPhoneFailedIPv4Attribute"), ("CISCO-CCM-MIB", "ccmPhoneFailedIPv6Attribute"), ("CISCO-CCM-MIB", "ccmPhoneFailedRegFailReason"), ("CISCO-CCM-MIB", "ccmPhoneStatusUnregReason"), ("CISCO-CCM-MIB", "ccmPhoneStatusRegFailReason"), ("CISCO-CCM-MIB", "ccmGatewayRegFailCauseCode"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsInfoGroupRev5 = ccmNotificationsInfoGroupRev5.setStatus('current')
ccmGatewayInfoGroupRev4 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 43)).setObjects(("CISCO-CCM-MIB", "ccmGatewayName"), ("CISCO-CCM-MIB", "ccmGatewayDescription"), ("CISCO-CCM-MIB", "ccmGatewayStatus"), ("CISCO-CCM-MIB", "ccmGatewayDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmGatewayInetAddressType"), ("CISCO-CCM-MIB", "ccmGatewayInetAddress"), ("CISCO-CCM-MIB", "ccmGatewayTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmGatewayTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmGatewayDChannelStatus"), ("CISCO-CCM-MIB", "ccmGatewayDChannelNumber"), ("CISCO-CCM-MIB", "ccmGatewayProductTypeIndex"), ("CISCO-CCM-MIB", "ccmRegisteredGateways"), ("CISCO-CCM-MIB", "ccmUnregisteredGateways"), ("CISCO-CCM-MIB", "ccmRejectedGateways"), ("CISCO-CCM-MIB", "ccmGatewayTableStateId"), ("CISCO-CCM-MIB", "ccmGatewayUnregReason"), ("CISCO-CCM-MIB", "ccmGatewayRegFailReason"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmGatewayInfoGroupRev4 = ccmGatewayInfoGroupRev4.setStatus('current')
ccmMediaDeviceInfoGroupRev4 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 44)).setObjects(("CISCO-CCM-MIB", "ccmMediaDeviceName"), ("CISCO-CCM-MIB", "ccmMediaDeviceDescription"), ("CISCO-CCM-MIB", "ccmMediaDeviceStatus"), ("CISCO-CCM-MIB", "ccmMediaDeviceDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmMediaDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmMediaDeviceProductTypeIndex"), ("CISCO-CCM-MIB", "ccmRegisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredMediaDevices"), ("CISCO-CCM-MIB", "ccmRejectedMediaDevices"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmMediaDeviceInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmMediaDeviceUnregReason"), ("CISCO-CCM-MIB", "ccmMediaDeviceRegFailReason"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmMediaDeviceInfoGroupRev4 = ccmMediaDeviceInfoGroupRev4.setStatus('current')
ccmCTIDeviceInfoGroupRev4 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 45)).setObjects(("CISCO-CCM-MIB", "ccmCTIDeviceName"), ("CISCO-CCM-MIB", "ccmCTIDeviceDescription"), ("CISCO-CCM-MIB", "ccmCTIDeviceStatus"), ("CISCO-CCM-MIB", "ccmCTIDevicePoolIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmCTIDeviceTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmCTIDeviceProductTypeIndex"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredCTIDevices"), ("CISCO-CCM-MIB", "ccmRejectedCTIDevices"), ("CISCO-CCM-MIB", "ccmCTIDeviceTableStateId"), ("CISCO-CCM-MIB", "ccmCTIDeviceDirNumTableStateId"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressIPv4"), ("CISCO-CCM-MIB", "ccmCTIDeviceInetAddressIPv6"), ("CISCO-CCM-MIB", "ccmCTIDeviceUnregReason"), ("CISCO-CCM-MIB", "ccmCTIDeviceRegFailReason"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmCTIDeviceInfoGroupRev4 = ccmCTIDeviceInfoGroupRev4.setStatus('current')
ccmH323DeviceInfoGroupRev3 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 46)).setObjects(("CISCO-CCM-MIB", "ccmH323DevName"), ("CISCO-CCM-MIB", "ccmH323DevDescription"), ("CISCO-CCM-MIB", "ccmH323DevInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevCnfgGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK4InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevAltGK5InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevActGKInetAddress"), ("CISCO-CCM-MIB", "ccmH323DevStatus"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmH323DevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM1InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM2InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddressType"), ("CISCO-CCM-MIB", "ccmH323DevRmtCM3InetAddress"), ("CISCO-CCM-MIB", "ccmH323DevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmH323TableEntries"), ("CISCO-CCM-MIB", "ccmH323DevUnregReason"), ("CISCO-CCM-MIB", "ccmH323DevRegFailReason"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmH323DeviceInfoGroupRev3 = ccmH323DeviceInfoGroupRev3.setStatus('current')
ccmVoiceMailDeviceInfoGroupRev2 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 47)).setObjects(("CISCO-CCM-MIB", "ccmVMailDevName"), ("CISCO-CCM-MIB", "ccmVMailDevDescription"), ("CISCO-CCM-MIB", "ccmVMailDevStatus"), ("CISCO-CCM-MIB", "ccmVMailDevInetAddressType"), ("CISCO-CCM-MIB", "ccmVMailDevInetAddress"), ("CISCO-CCM-MIB", "ccmVMailDevTimeLastStatusUpdt"), ("CISCO-CCM-MIB", "ccmVMailDevTimeLastRegistered"), ("CISCO-CCM-MIB", "ccmVMailDevProductTypeIndex"), ("CISCO-CCM-MIB", "ccmVMailDevDirNum"), ("CISCO-CCM-MIB", "ccmRegisteredVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmUnregisteredVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmRejectedVoiceMailDevices"), ("CISCO-CCM-MIB", "ccmVMailDevUnregReason"), ("CISCO-CCM-MIB", "ccmVMailDevRegFailReason"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmVoiceMailDeviceInfoGroupRev2 = ccmVoiceMailDeviceInfoGroupRev2.setStatus('current')
ccmNotificationsGroupRev3 = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 48)).setObjects(("CISCO-CCM-MIB", "ccmCallManagerFailed"), ("CISCO-CCM-MIB", "ccmPhoneFailed"), ("CISCO-CCM-MIB", "ccmPhoneStatusUpdate"), ("CISCO-CCM-MIB", "ccmGatewayFailedReason"), ("CISCO-CCM-MIB", "ccmMediaResourceListExhausted"), ("CISCO-CCM-MIB", "ccmRouteListExhausted"), ("CISCO-CCM-MIB", "ccmGatewayLayer2Change"), ("CISCO-CCM-MIB", "ccmMaliciousCall"), ("CISCO-CCM-MIB", "ccmQualityReport"), ("CISCO-CCM-MIB", "ccmTLSConnectionFailure"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccmNotificationsGroupRev3 = ccmNotificationsGroupRev3.setStatus('current')
mibBuilder.exportSymbols("CISCO-CCM-MIB", ccmPhoneExtnInetAddress=ccmPhoneExtnInetAddress, ccmPhoneInfo=ccmPhoneInfo, ccmH323DevAltGK3InetAddress=ccmH323DevAltGK3InetAddress, ccmDevicePoolRegionIndex=ccmDevicePoolRegionIndex, ccmMediaDeviceInetAddress=ccmMediaDeviceInetAddress, ccmPhoneStatusRegFailReason=ccmPhoneStatusRegFailReason, ccmPhoneFailedInetAddressIPv6=ccmPhoneFailedInetAddressIPv6, ccmVoiceMailDeviceDirNumEntry=ccmVoiceMailDeviceDirNumEntry, ccmUnregisteredPhones=ccmUnregisteredPhones, ccmCTIDeviceTable=ccmCTIDeviceTable, ccmGatewayProductId=ccmGatewayProductId, ccmGroupMappingEntry=ccmGroupMappingEntry, ccmGatekeeperIndex=ccmGatekeeperIndex, ccmPhoneUpdates=ccmPhoneUpdates, ccmRegionDestIndex=ccmRegionDestIndex, ccmRegisteredVoiceMailDevices=ccmRegisteredVoiceMailDevices, ccmMediaDeviceProductTypeIndex=ccmMediaDeviceProductTypeIndex, ccmH323DevAltGK2InetAddressType=ccmH323DevAltGK2InetAddressType, ccmH323DevStatusReason=ccmH323DevStatusReason, ccmTLSDevName=ccmTLSDevName, ccmGatekeeperEntry=ccmGatekeeperEntry, ccmPhoneInetAddress=ccmPhoneInetAddress, ccmRegionAvailableBandWidth=ccmRegionAvailableBandWidth, CcmDeviceStatus=CcmDeviceStatus, ccmPhoneTimeLastRegistered=ccmPhoneTimeLastRegistered, ccmNotificationsInfo=ccmNotificationsInfo, ccmRejectedPhones=ccmRejectedPhones, ccmSIPDevIndex=ccmSIPDevIndex, ccmPhoneUnregReason=ccmPhoneUnregReason, ccmUnregisteredCTIDevices=ccmUnregisteredCTIDevices, ccmSystemVersion=ccmSystemVersion, ccmAlarmConfigInfo=ccmAlarmConfigInfo, ccmMediaDeviceDescription=ccmMediaDeviceDescription, ccmQualityRprtTime=ccmQualityRprtTime, ciscoCcmMIBCompliances=ciscoCcmMIBCompliances, ccmCTIDeviceStatusReason=ccmCTIDeviceStatusReason, ccmPhoneExtensionInetAddress=ccmPhoneExtensionInetAddress, ccmGatewayInfoGroup=ccmGatewayInfoGroup, ccmGatekeeperTable=ccmGatekeeperTable, ccmH323DevAltGK1InetAddress=ccmH323DevAltGK1InetAddress, ccmGatewayInfoGroupRev3=ccmGatewayInfoGroupRev3, ccmGatewayTrunkEntry=ccmGatewayTrunkEntry, ccmMaliCallCalledPartyNumber=ccmMaliCallCalledPartyNumber, ccmCallManagerFailed=ccmCallManagerFailed, ccmTLSDevInetAddressType=ccmTLSDevInetAddressType, ccmPhoneFailedName=ccmPhoneFailedName, ccmTimeZoneIndex=ccmTimeZoneIndex, CcmDevUnregCauseCode=CcmDevUnregCauseCode, ccmMediaDeviceInfoGroupRev1=ccmMediaDeviceInfoGroupRev1, ccmTimeZoneName=ccmTimeZoneName, ccmPhoneFailedInetAddressIPv4=ccmPhoneFailedInetAddressIPv4, ccmGatekeeperInetAddress=ccmGatekeeperInetAddress, ccmCTIDeviceInfoGroupRev1=ccmCTIDeviceInfoGroupRev1, ccmH323DevAltGK5InetAddressType=ccmH323DevAltGK5InetAddressType, ccmMaliCallCalledDeviceName=ccmMaliCallCalledDeviceName, ccmPhoneTable=ccmPhoneTable, CcmIndexOrZero=CcmIndexOrZero, ccmPhoneFailures=ccmPhoneFailures, ccmRegionName=ccmRegionName, ccmGatewayFailed=ccmGatewayFailed, ccmMediaDeviceStatus=ccmMediaDeviceStatus, ccmH323DeviceInfoGroup=ccmH323DeviceInfoGroup, ccmH323DevCnfgGKInetAddress=ccmH323DevCnfgGKInetAddress, ciscoCcmMIBComplianceRev2=ciscoCcmMIBComplianceRev2, ccmGatewayDChannelStatus=ccmGatewayDChannelStatus, ccmCTIDeviceTimeLastStatusUpdt=ccmCTIDeviceTimeLastStatusUpdt, ccmSIPDevInetAddress=ccmSIPDevInetAddress, ccmH323TableEntries=ccmH323TableEntries, ccmRejectedMediaDevices=ccmRejectedMediaDevices, ccmGatewayIndex=ccmGatewayIndex, ccmH323DevCnfgGKInetAddressType=ccmH323DevCnfgGKInetAddressType, ccmInetAddress2Type=ccmInetAddress2Type, ccmMediaDeviceInfoGroupRev4=ccmMediaDeviceInfoGroupRev4, ccmRouteListExhausted=ccmRouteListExhausted, ccmPhoneEntry=ccmPhoneEntry, ccmGatewayTable=ccmGatewayTable, ccmVMailDevInetAddressType=ccmVMailDevInetAddressType, ccmGatewayPhysIfL2Status=ccmGatewayPhysIfL2Status, ccmPhoneIpAddress=ccmPhoneIpAddress, ccmPhoneIndex=ccmPhoneIndex, ccmRejectedGateways=ccmRejectedGateways, ccmMediaDeviceUnregReason=ccmMediaDeviceUnregReason, ccmCTIDeviceTimeLastRegistered=ccmCTIDeviceTimeLastRegistered, ccmMaliciousCall=ccmMaliciousCall, ccmPhoneInfoGroupRev5=ccmPhoneInfoGroupRev5, ccmNotificationsInfoGroupRev5=ccmNotificationsInfoGroupRev5, ccmH323DevAltGK4InetAddress=ccmH323DevAltGK4InetAddress, ccmVoiceMailDeviceInfoGroupRev1=ccmVoiceMailDeviceInfoGroupRev1, ccmPhoneDevicePoolIndex=ccmPhoneDevicePoolIndex, ccmVoiceMailDeviceInfoGroup=ccmVoiceMailDeviceInfoGroup, ccmDevicePoolName=ccmDevicePoolName, ccmMediaResourceType=ccmMediaResourceType, ciscoCcmMIB=ciscoCcmMIB, CcmSIPTransportProtocolType=CcmSIPTransportProtocolType, ccmSIPTableEntries=ccmSIPTableEntries, ccmTable=ccmTable, ccmGatewayInfoGroupRev1=ccmGatewayInfoGroupRev1, ccmGatewayTrunkTable=ccmGatewayTrunkTable, ccmSIPInPortNumber=ccmSIPInPortNumber, ccmPhoneFailedIPv4Attribute=ccmPhoneFailedIPv4Attribute, ccmH323DevTimeLastStatusUpdt=ccmH323DevTimeLastStatusUpdt, ccmMaliCallCalledPartyName=ccmMaliCallCalledPartyName, ccmGatewayTableStateId=ccmGatewayTableStateId, ccmPhoneFailedStorePeriod=ccmPhoneFailedStorePeriod, ccmPhoneFailedIPv6Attribute=ccmPhoneFailedIPv6Attribute, ccmProductTypeTable=ccmProductTypeTable, ciscoCcmMIBCompliance=ciscoCcmMIBCompliance, ccmPhoneFailedRegFailReason=ccmPhoneFailedRegFailReason, ccmTLSConnectionFailure=ccmTLSConnectionFailure, ccmDevicePoolGroupIndex=ccmDevicePoolGroupIndex, ccmVersion=ccmVersion, ccmCTIDeviceProductTypeIndex=ccmCTIDeviceProductTypeIndex, ccmSIPDeviceTable=ccmSIPDeviceTable, ccmH323DeviceInfoGroupRev3=ccmH323DeviceInfoGroupRev3, ccmPhoneExtensionEntry=ccmPhoneExtensionEntry, ccmStatus=ccmStatus, ccmVMailDevDescription=ccmVMailDevDescription, ccmAlarmSeverity=ccmAlarmSeverity, ccmPhoneTimeLastError=ccmPhoneTimeLastError, ccmVMailDevStatus=ccmVMailDevStatus, ccmGatekeeperName=ccmGatekeeperName, ccmTimeZoneEntry=ccmTimeZoneEntry, ccmTimeZoneOffsetHours=ccmTimeZoneOffsetHours, ccmMediaDeviceTimeLastStatusUpdt=ccmMediaDeviceTimeLastStatusUpdt, ccmPhonePhysicalAddress=ccmPhonePhysicalAddress, ccmH323DevRmtCM1InetAddressType=ccmH323DevRmtCM1InetAddressType, ccmPhoneName=ccmPhoneName, ccmGatewayFailCauseCode=ccmGatewayFailCauseCode, ccmPhoneFailedTime=ccmPhoneFailedTime, ccmH323DevAltGK4InetAddressType=ccmH323DevAltGK4InetAddressType, ccmPhoneExtensionIpAddress=ccmPhoneExtensionIpAddress, ccmPhoneDescription=ccmPhoneDescription, ccmPhoneFailedTable=ccmPhoneFailedTable, ccmVMailDevDirNum=ccmVMailDevDirNum, ccmGatewayInfo=ccmGatewayInfo, ccmPhoneLastError=ccmPhoneLastError, ccmPhoneInfoGroupRev1=ccmPhoneInfoGroupRev1, ccmPhoneExtnMultiLines=ccmPhoneExtnMultiLines, ccmCTIDeviceIndex=ccmCTIDeviceIndex, ccmH323DeviceInfo=ccmH323DeviceInfo, ccmSIPDeviceInfo=ccmSIPDeviceInfo, ciscoCcmMIBConformance=ciscoCcmMIBConformance, ccmMediaDeviceTable=ccmMediaDeviceTable, ccmGatekeeperDescription=ccmGatekeeperDescription, ccmH323DevTimeLastRegistered=ccmH323DevTimeLastRegistered, ccmPhoneExtn=ccmPhoneExtn, ciscoCcmMIBComplianceRev7=ciscoCcmMIBComplianceRev7, ccmPhoneStatus=ccmPhoneStatus, ccmGatewayAlarmEnable=ccmGatewayAlarmEnable, PYSNMP_MODULE_ID=ciscoCcmMIB, ccmPhoneStatusUpdateReason=ccmPhoneStatusUpdateReason, ccmGatewayTrunkName=ccmGatewayTrunkName, ccmGatewayTrunkIndex=ccmGatewayTrunkIndex, ciscoCcmMIBComplianceRev3=ciscoCcmMIBComplianceRev3, ccmPhoneStatusUpdateTableStateId=ccmPhoneStatusUpdateTableStateId, ccmQualityReportAlarmConfigInfo=ccmQualityReportAlarmConfigInfo, ccmGatewayRegFailCauseCode=ccmGatewayRegFailCauseCode, ccmRegisteredGateways=ccmRegisteredGateways, ccmH323DeviceInfoGroupRev1=ccmH323DeviceInfoGroupRev1, ccmTimeZoneOffset=ccmTimeZoneOffset, ccmGroupTftpDefault=ccmGroupTftpDefault, ccmPhoneUserName=ccmPhoneUserName, ccmH323DeviceTable=ccmH323DeviceTable, ccmGatewayName=ccmGatewayName, ccmCTIDeviceDirNumEntry=ccmCTIDeviceDirNumEntry, ccmGeneralInfo=ccmGeneralInfo, ccmVMailDevStatusReason=ccmVMailDevStatusReason, ccmGatewayRegFailReason=ccmGatewayRegFailReason, ccmMediaDeviceRegFailReason=ccmMediaDeviceRegFailReason, ccmMaliCallCallingPartyNumber=ccmMaliCallCallingPartyNumber, ccmPhoneExtnStatus=ccmPhoneExtnStatus, ccmSIPInTransportProtocolType=ccmSIPInTransportProtocolType, ccmH323DevRmtCM1InetAddress=ccmH323DevRmtCM1InetAddress, ccmUnregisteredVoiceMailDevices=ccmUnregisteredVoiceMailDevices, ccmMaliCallCallingDeviceName=ccmMaliCallCallingDeviceName, ccmDevicePoolIndex=ccmDevicePoolIndex, ccmActivePhones=ccmActivePhones, ccmInfoGroupRev1=ccmInfoGroupRev1, ccmH323DevAltGK2InetAddress=ccmH323DevAltGK2InetAddress, ccmNotificationsGroupRev1=ccmNotificationsGroupRev1, ccmGatewayFailedReason=ccmGatewayFailedReason, ccmQualityRprtCategory=ccmQualityRprtCategory, ccmInfoGroupRev2=ccmInfoGroupRev2, ccmCTIDeviceInetAddress=ccmCTIDeviceInetAddress, ccmVMailDevName=ccmVMailDevName, ccmRegionTable=ccmRegionTable, ciscoCcmMIBObjects=ciscoCcmMIBObjects, ccmGatewayDescription=ccmGatewayDescription, ccmGatewayUnregReason=ccmGatewayUnregReason, ccmTLSDevInetAddress=ccmTLSDevInetAddress, ccmDescription=ccmDescription, ccmCTIDeviceInfoGroupRev3=ccmCTIDeviceInfoGroupRev3, ccmPhoneTableStateId=ccmPhoneTableStateId, ccmH323DevUnregReason=ccmH323DevUnregReason, ccmVoiceMailDeviceInfoGroupRev2=ccmVoiceMailDeviceInfoGroupRev2, ccmH323DevActGKInetAddress=ccmH323DevActGKInetAddress, ccmGatewayInfoGroupRev4=ccmGatewayInfoGroupRev4, ccmSIPDevProductTypeIndex=ccmSIPDevProductTypeIndex, ccmInActivePhones=ccmInActivePhones, CcmDeviceLineStatus=CcmDeviceLineStatus, ccmRejectedVoiceMailDevices=ccmRejectedVoiceMailDevices, ccmSIPDevInetAddressIPv4=ccmSIPDevInetAddressIPv4, ccmCTIDeviceEntry=ccmCTIDeviceEntry, ccmNotificationsInfoGroupRev2=ccmNotificationsInfoGroupRev2, CcmDeviceProductId=CcmDeviceProductId, CcmPhoneProtocolType=CcmPhoneProtocolType, ccmGatewayInetAddressType=ccmGatewayInetAddressType, ccmMediaDeviceInetAddressIPv4=ccmMediaDeviceInetAddressIPv4, ccmCTIDeviceInfo=ccmCTIDeviceInfo, ccmSIPDeviceEntry=ccmSIPDeviceEntry, ccmRegisteredCTIDevices=ccmRegisteredCTIDevices, ccmCTIDeviceDirNumTable=ccmCTIDeviceDirNumTable, ccmGatewayDevicePoolIndex=ccmGatewayDevicePoolIndex, ccmRegionIndex=ccmRegionIndex, ccmDevicePoolTable=ccmDevicePoolTable, ccmPhoneFailedMacAddress=ccmPhoneFailedMacAddress, ccmCTIDevicePoolIndex=ccmCTIDevicePoolIndex, ccmMaliCallCallingPartyName=ccmMaliCallCallingPartyName, ccmPhoneActiveLoadID=ccmPhoneActiveLoadID, ccmVoiceMailDeviceDirNumTable=ccmVoiceMailDeviceDirNumTable, ccmCTIDeviceDescription=ccmCTIDeviceDescription, ccmMediaDeviceInfoGroupRev3=ccmMediaDeviceInfoGroupRev3, ccmPhoneInetAddressType=ccmPhoneInetAddressType, ccmInstallationId=ccmInstallationId, ccmGlobalInfo=ccmGlobalInfo, ccmCallManagerStartTime=ccmCallManagerStartTime, ccmGatewayTrunkType=ccmGatewayTrunkType, ccmPhoneInfoGroup=ccmPhoneInfoGroup, ccmPhoneInetAddressIPv6=ccmPhoneInetAddressIPv6, ccmVMailDevRegFailReason=ccmVMailDevRegFailReason, ccmGatekeeperType=ccmGatekeeperType, ccmGatewayProductTypeIndex=ccmGatewayProductTypeIndex, ccmVMailDevInetAddress=ccmVMailDevInetAddress, ccmH323DevInetAddressType=ccmH323DevInetAddressType, ccmGatewayLayer2Change=ccmGatewayLayer2Change, ccmVoiceMailDeviceEntry=ccmVoiceMailDeviceEntry, ccmPhoneFailedAlarmInterval=ccmPhoneFailedAlarmInterval, ccmH323DevRmtCM2InetAddressType=ccmH323DevRmtCM2InetAddressType, ccmPhoneIPv6Attribute=ccmPhoneIPv6Attribute, ccmPhoneExtensionTable=ccmPhoneExtensionTable, ccmNotificationsInfoGroupRev1=ccmNotificationsInfoGroupRev1, ccmH323DevProductId=ccmH323DevProductId, ccmRegionSrcIndex=ccmRegionSrcIndex, ccmGatekeeperStatus=ccmGatekeeperStatus, ccmPhoneInfoGroupRev3=ccmPhoneInfoGroupRev3, ccmPhoneExtnTable=ccmPhoneExtnTable, ccmPhoneStatusUpdateIndex=ccmPhoneStatusUpdateIndex, ccmInetAddress=ccmInetAddress, ccmUnregisteredGateways=ccmUnregisteredGateways, ccmEntry=ccmEntry, ccmNotificationsGroupRev2=ccmNotificationsGroupRev2, ccmH323DevInetAddress=ccmH323DevInetAddress, ccmPhoneFailedIndex=ccmPhoneFailedIndex, ccmGatewayEntry=ccmGatewayEntry)
mibBuilder.exportSymbols("CISCO-CCM-MIB", ccmQualityReport=ccmQualityReport, ccmGatekeeperInfo=ccmGatekeeperInfo, ccmPhoneExtnEntry=ccmPhoneExtnEntry, ccmCTIDeviceInfoGroupRev4=ccmCTIDeviceInfoGroupRev4, ccmMaliciousCallAlarmEnable=ccmMaliciousCallAlarmEnable, ccmCTIDeviceStatus=ccmCTIDeviceStatus, ccmGatewayTrunkInfo=ccmGatewayTrunkInfo, ccmFailCauseCode=ccmFailCauseCode, ciscoCcmMIBComplianceRev5=ciscoCcmMIBComplianceRev5, ccmPhoneInetAddressIPv4=ccmPhoneInetAddressIPv4, ccmProductName=ccmProductName, ccmPhoneRegFailReason=ccmPhoneRegFailReason, ccmGatewayTimeLastStatusUpdt=ccmGatewayTimeLastStatusUpdt, ccmMaliCallTime=ccmMaliCallTime, ccmInetAddressType=ccmInetAddressType, ccmQualityRprtReasonCode=ccmQualityRprtReasonCode, ccmMediaDeviceType=ccmMediaDeviceType, ccmPhFailedTblLastAddedIndex=ccmPhFailedTblLastAddedIndex, ccmGatekeeperInetAddressType=ccmGatekeeperInetAddressType, ccmMediaDeviceStatusReason=ccmMediaDeviceStatusReason, ccmGroupEntry=ccmGroupEntry, ccmPhoneInfoGroupRev6=ccmPhoneInfoGroupRev6, ccmTLSConnFailTime=ccmTLSConnFailTime, ccmH323DevName=ccmH323DevName, ccmGatewayInetAddress=ccmGatewayInetAddress, ccmMediaResourceListName=ccmMediaResourceListName, ccmGroupMappingTable=ccmGroupMappingTable, ccmRegisteredPhones=ccmRegisteredPhones, ccmSIPDevInetAddressType=ccmSIPDevInetAddressType, ccmH323DeviceEntry=ccmH323DeviceEntry, ccmSIPDeviceInfoGroup=ccmSIPDeviceInfoGroup, ccmGatewayStatusReason=ccmGatewayStatusReason, ccmMediaResourceListExhausted=ccmMediaResourceListExhausted, ccmRegionPairTable=ccmRegionPairTable, ccmMediaDeviceIndex=ccmMediaDeviceIndex, ccmSIPOutPortNumber=ccmSIPOutPortNumber, ccmPhoneStatusPhoneIndex=ccmPhoneStatusPhoneIndex, ccmCTIDeviceUnregReason=ccmCTIDeviceUnregReason, ccmPhStatUpdtTblLastAddedIndex=ccmPhStatUpdtTblLastAddedIndex, ccmVMailDevUnregReason=ccmVMailDevUnregReason, ccmPhoneStatusUpdateType=ccmPhoneStatusUpdateType, ccmMediaDeviceInetAddressIPv6=ccmMediaDeviceInetAddressIPv6, ccmPhoneFailedEntry=ccmPhoneFailedEntry, ccmRegisteredMediaDevices=ccmRegisteredMediaDevices, ccmPhoneExtensionMultiLines=ccmPhoneExtensionMultiLines, ccmPartiallyRegisteredPhones=ccmPartiallyRegisteredPhones, ccmH323DevIndex=ccmH323DevIndex, ccmNotificationsGroup=ccmNotificationsGroup, ccmGatekeeperDevicePoolIndex=ccmGatekeeperDevicePoolIndex, ccmH323DevStatus=ccmH323DevStatus, ccmPhoneFailedInetAddress=ccmPhoneFailedInetAddress, ccmRegionEntry=ccmRegionEntry, ccmClusterId=ccmClusterId, ccmPhoneStatusUnregReason=ccmPhoneStatusUnregReason, ccmSIPDeviceInfoGroupRev1=ccmSIPDeviceInfoGroupRev1, ccmSIPDeviceInfoGroupRev2=ccmSIPDeviceInfoGroupRev2, ciscoCcmMIBComplianceRev4=ciscoCcmMIBComplianceRev4, ccmH323DevAltGK3InetAddressType=ccmH323DevAltGK3InetAddressType, ccmGatewayTimeLastRegistered=ccmGatewayTimeLastRegistered, ccmPhoneE911Location=ccmPhoneE911Location, ccmGatewayInfoGroupRev2=ccmGatewayInfoGroupRev2, ccmProductCategory=ccmProductCategory, ciscoCcmMIBComplianceRev6=ciscoCcmMIBComplianceRev6, CcmDevFailCauseCode=CcmDevFailCauseCode, ccmUnregisteredMediaDevices=ccmUnregisteredMediaDevices, ccmTrunkGatewayIndex=ccmTrunkGatewayIndex, ccmPhoneStatusUpdateTable=ccmPhoneStatusUpdateTable, ccmPhoneStatusUpdateTime=ccmPhoneStatusUpdateTime, ccmSIPDevDescription=ccmSIPDevDescription, ccmNotificationsInfoGroup=ccmNotificationsInfoGroup, ccmH323DevDescription=ccmH323DevDescription, ccmMediaDeviceEntry=ccmMediaDeviceEntry, ccmCallManagerAlarmEnable=ccmCallManagerAlarmEnable, ccmName=ccmName, ccmCTIDeviceDirNum=ccmCTIDeviceDirNum, ccmSIPDevInetAddressIPv6=ccmSIPDevInetAddressIPv6, ccmGroupTable=ccmGroupTable, ccmCTIDeviceType=ccmCTIDeviceType, ccmCTIDeviceRegFailReason=ccmCTIDeviceRegFailReason, ccmPhoneTimeLastStatusUpdt=ccmPhoneTimeLastStatusUpdt, ccmCTIDeviceTableStateId=ccmCTIDeviceTableStateId, ccmPhoneExtension=ccmPhoneExtension, ccmPhoneStatusUpdateEntry=ccmPhoneStatusUpdateEntry, ccmPhoneStatusReason=ccmPhoneStatusReason, ccmH323DevProductTypeIndex=ccmH323DevProductTypeIndex, ccmRouteListName=ccmRouteListName, ccmVMailDevProductTypeIndex=ccmVMailDevProductTypeIndex, ccmCMGroupMappingCMPriority=ccmCMGroupMappingCMPriority, ccmNotificationsInfoGroupRev4=ccmNotificationsInfoGroupRev4, ccmVoiceMailDeviceTable=ccmVoiceMailDeviceTable, ccmGroupName=ccmGroupName, ccmIndex=ccmIndex, ccmPhoneIPv4Attribute=ccmPhoneIPv4Attribute, ccmMIBNotifications=ccmMIBNotifications, ccmRegionPairEntry=ccmRegionPairEntry, ccmTimeZoneTable=ccmTimeZoneTable, ccmQualityRprtSourceDevName=ccmQualityRprtSourceDevName, ccmH323DevAltGK5InetAddress=ccmH323DevAltGK5InetAddress, ccmSIPOutTransportProtocolType=ccmSIPOutTransportProtocolType, ccmGatewayTrunkStatus=ccmGatewayTrunkStatus, ccmCTIDeviceInetAddressIPv4=ccmCTIDeviceInetAddressIPv4, ccmCTIDeviceDirNumTableStateId=ccmCTIDeviceDirNumTableStateId, ccmProductType=ccmProductType, ccmVMailDevDirNumIndex=ccmVMailDevDirNumIndex, ccmTLSConnectionFailReasonCode=ccmTLSConnectionFailReasonCode, ccmH323DevAltGK1InetAddressType=ccmH323DevAltGK1InetAddressType, ccmVoiceMailDeviceInfo=ccmVoiceMailDeviceInfo, ccmPhoneFailed=ccmPhoneFailed, CcmIndex=CcmIndex, ccmInActiveGateways=ccmInActiveGateways, ccmH323DevActGKInetAddressType=ccmH323DevActGKInetAddressType, ccmMediaDeviceInfoGroupRev2=ccmMediaDeviceInfoGroupRev2, ccmProductTypeIndex=ccmProductTypeIndex, ccmPhoneExtnIndex=ccmPhoneExtnIndex, ccmVMailDevProductId=ccmVMailDevProductId, ccmMediaDeviceInfoGroup=ccmMediaDeviceInfoGroup, ccmPhoneType=ccmPhoneType, ccmCTIDeviceInetAddressType=ccmCTIDeviceInetAddressType, ccmPhoneStatusUpdateAlarmInterv=ccmPhoneStatusUpdateAlarmInterv, ccmDevicePoolTimeZoneIndex=ccmDevicePoolTimeZoneIndex, ccmMediaDeviceName=ccmMediaDeviceName, ccmMediaDeviceTimeLastRegistered=ccmMediaDeviceTimeLastRegistered, ccmQualityRprtClusterId=ccmQualityRprtClusterId, ccmPhoneStatusUpdateStorePeriod=ccmPhoneStatusUpdateStorePeriod, ccmCTIDeviceDirNumIndex=ccmCTIDeviceDirNumIndex, ccmDevicePoolEntry=ccmDevicePoolEntry, ccmMIBNotificationPrefix=ccmMIBNotificationPrefix, ccmRejectedCTIDevices=ccmRejectedCTIDevices, ccmNotificationsGroupRev3=ccmNotificationsGroupRev3, ccmMediaDeviceInfo=ccmMediaDeviceInfo, ccmCTIDeviceAppInfo=ccmCTIDeviceAppInfo, ccmCTIDeviceInetAddressIPv6=ccmCTIDeviceInetAddressIPv6, ccmPhoneExtnInetAddressType=ccmPhoneExtnInetAddressType, ciscoCcmMIBComplianceRev1=ciscoCcmMIBComplianceRev1, ccmInfoGroup=ccmInfoGroup, ccmInfoGroupRev3=ccmInfoGroupRev3, ccmCTIDeviceInfoGroupRev2=ccmCTIDeviceInfoGroupRev2, ccmVMailDevIndex=ccmVMailDevIndex, ccmCTIDeviceName=ccmCTIDeviceName, ccmPhoneProductTypeIndex=ccmPhoneProductTypeIndex, ccmH323DevRmtCM3InetAddress=ccmH323DevRmtCM3InetAddress, ccmPhoneInfoGroupRev2=ccmPhoneInfoGroupRev2, ccmInetAddress2=ccmInetAddress2, ccmMediaDeviceInetAddressType=ccmMediaDeviceInetAddressType, ccmH323DeviceInfoGroupRev2=ccmH323DeviceInfoGroupRev2, ccmTimeZoneOffsetMinutes=ccmTimeZoneOffsetMinutes, ccmPhoneExtensionInetAddressType=ccmPhoneExtensionInetAddressType, ccmQualityReportAlarmEnable=ccmQualityReportAlarmEnable, ccmGatewayDChannelNumber=ccmGatewayDChannelNumber, ccmSIPDevName=ccmSIPDevName, ccmGatewayPhysIfIndex=ccmGatewayPhysIfIndex, ccmInfoGroupRev4=ccmInfoGroupRev4, ccmH323DevRmtCM2InetAddress=ccmH323DevRmtCM2InetAddress, ccmMediaDeviceDevicePoolIndex=ccmMediaDeviceDevicePoolIndex, ccmPhoneFailCauseCode=ccmPhoneFailCauseCode, ccmPhoneExtensionTableStateId=ccmPhoneExtensionTableStateId, ccmPhoneExtensionIndex=ccmPhoneExtensionIndex, ccmCTIDeviceInfoGroup=ccmCTIDeviceInfoGroup, ccmActiveGateways=ccmActiveGateways, ccmH323DevRmtCM3InetAddressType=ccmH323DevRmtCM3InetAddressType, ccmPhoneFailedInetAddressType=ccmPhoneFailedInetAddressType, CcmDevRegFailCauseCode=CcmDevRegFailCauseCode, ccmGatekeeperInfoGroup=ccmGatekeeperInfoGroup, ccmPhoneStatusUpdate=ccmPhoneStatusUpdate, ccmGroupIndex=ccmGroupIndex, ccmPhoneLoadID=ccmPhoneLoadID, ccmProductTypeEntry=ccmProductTypeEntry, ccmVMailDevTimeLastRegistered=ccmVMailDevTimeLastRegistered, ciscoCcmMIBGroups=ciscoCcmMIBGroups, ccmGatewayStatus=ccmGatewayStatus, ccmPhoneProtocol=ccmPhoneProtocol, ccmGatewayType=ccmGatewayType, ccmNotificationsInfoGroupRev3=ccmNotificationsInfoGroupRev3, ccmVMailDevTimeLastStatusUpdt=ccmVMailDevTimeLastStatusUpdt, ccmH323DevRegFailReason=ccmH323DevRegFailReason, ccmPhoneInfoGroupRev4=ccmPhoneInfoGroupRev4)
| (object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, value_range_constraint, constraints_union, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection')
(cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt')
(inet_address, inet_address_i_pv4, inet_address_type, inet_port_number, inet_address_i_pv6) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressIPv4', 'InetAddressType', 'InetPortNumber', 'InetAddressIPv6')
(snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString')
(object_group, notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'NotificationGroup', 'ModuleCompliance')
(module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, unsigned32, ip_address, integer32, notification_type, gauge32, object_identity, time_ticks, iso, mib_identifier, counter32, bits, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Unsigned32', 'IpAddress', 'Integer32', 'NotificationType', 'Gauge32', 'ObjectIdentity', 'TimeTicks', 'iso', 'MibIdentifier', 'Counter32', 'Bits', 'Counter64')
(mac_address, display_string, truth_value, textual_convention, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'MacAddress', 'DisplayString', 'TruthValue', 'TextualConvention', 'DateAndTime')
cisco_ccm_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 156))
ciscoCcmMIB.setRevisions(('2010-07-07 00:00', '2009-12-03 00:00', '2008-08-21 00:00', '2008-02-12 00:00', '2005-09-14 00:00', '2005-05-09 00:00', '2004-08-02 00:00', '2003-08-25 00:00', '2003-05-08 00:00', '2002-01-11 00:00', '2000-12-01 00:00', '2000-03-10 00:00'))
if mibBuilder.loadTexts:
ciscoCcmMIB.setLastUpdated('201007070000Z')
if mibBuilder.loadTexts:
ciscoCcmMIB.setOrganization('Cisco Systems, Inc.')
class Ccmindex(TextualConvention, Unsigned32):
status = 'current'
display_hint = 'd'
subtype_spec = Unsigned32.subtypeSpec + value_range_constraint(1, 4294967295)
class Ccmindexorzero(TextualConvention, Unsigned32):
status = 'current'
display_hint = 'd'
subtype_spec = Unsigned32.subtypeSpec + value_range_constraint(0, 4294967295)
class Ccmdevfailcausecode(TextualConvention, Integer32):
status = 'deprecated'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))
named_values = named_values(('noError', 0), ('unknown', 1), ('noEntryInDatabase', 2), ('databaseConfigurationError', 3), ('deviceNameUnresolveable', 4), ('maxDevRegReached', 5), ('connectivityError', 6), ('initializationError', 7), ('deviceInitiatedReset', 8), ('callManagerReset', 9), ('authenticationError', 10), ('invalidX509NameInCertificate', 11), ('invalidTLSCipher', 12), ('directoryNumberMismatch', 13), ('malformedRegisterMsg', 14))
class Ccmdevregfailcausecode(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 23, 25, 26, 27, 28, 29, 30, 31, 32, 33))
named_values = named_values(('noError', 0), ('unknown', 1), ('noEntryInDatabase', 2), ('databaseConfigurationError', 3), ('deviceNameUnresolveable', 4), ('maxDevRegExceeded', 5), ('connectivityError', 6), ('initializationError', 7), ('deviceInitiatedReset', 8), ('callManagerReset', 9), ('authenticationError', 10), ('invalidX509NameInCertificate', 11), ('invalidTLSCipher', 12), ('directoryNumberMismatch', 13), ('malformedRegisterMsg', 14), ('protocolMismatch', 15), ('deviceNotActive', 16), ('authenticatedDeviceAlreadyExists', 17), ('obsoleteProtocolVersion', 18), ('databaseTimeout', 23), ('registrationSequenceError', 25), ('invalidCapabilities', 26), ('capabilityResponseTimeout', 27), ('securityMismatch', 28), ('autoRegisterDBError', 29), ('dbAccessError', 30), ('autoRegisterDBConfigTimeout', 31), ('deviceTypeMismatch', 32), ('addressingModeMismatch', 33))
class Ccmdevunregcausecode(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 28, 29))
named_values = named_values(('noError', 0), ('unknown', 1), ('noEntryInDatabase', 2), ('databaseConfigurationError', 3), ('deviceNameUnresolveable', 4), ('maxDevRegExceeded', 5), ('connectivityError', 6), ('initializationError', 7), ('deviceInitiatedReset', 8), ('callManagerReset', 9), ('deviceUnregistered', 10), ('malformedRegisterMsg', 11), ('sccpDeviceThrottling', 12), ('keepAliveTimeout', 13), ('configurationMismatch', 14), ('callManagerRestart', 15), ('duplicateRegistration', 16), ('callManagerApplyConfig', 17), ('deviceNoResponse', 18), ('emLoginLogout', 19), ('emccLoginLogout', 20), ('energywisePowerSavePlus', 21), ('callManagerForcedRestart', 22), ('sourceIPAddrChanged', 23), ('sourcePortChanged', 24), ('registrationSequenceError', 25), ('invalidCapabilities', 26), ('fallbackInitiated', 28), ('deviceSwitch', 29))
class Ccmdevicestatus(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5))
named_values = named_values(('unknown', 1), ('registered', 2), ('unregistered', 3), ('rejected', 4), ('partiallyregistered', 5))
class Ccmphoneprotocoltype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3))
named_values = named_values(('unknown', 1), ('sccp', 2), ('sip', 3))
class Ccmdevicelinestatus(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4))
named_values = named_values(('unknown', 1), ('registered', 2), ('unregistered', 3), ('rejected', 4))
class Ccmsiptransportprotocoltype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5))
named_values = named_values(('unknown', 1), ('tcp', 2), ('udp', 3), ('tcpAndUdp', 4), ('tls', 5))
class Ccmdeviceproductid(TextualConvention, Integer32):
status = 'obsolete'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(-2, -1, 1, 2, 3, 4, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 27, 43, 44, 45, 46, 47, 49, 52, 55, 58, 59, 62, 65, 66, 67, 68, 69, 70, 71, 72, 75, 76, 77, 80, 81, 90, 95, 10001, 20000, 20002, 30004, 30005, 30006, 30007, 30011, 30019, 30020))
named_values = named_values(('other', -2), ('unknown', -1), ('gwyCiscoCat6KT1', 1), ('gwyCiscoCat6KE1', 2), ('gwyCiscoCat6KFXS', 3), ('gwyCiscoCat6KFXO', 4), ('gwyCiscoDT24Plus', 7), ('gwyCiscoDT30Plus', 8), ('gwyCiscoDT24', 9), ('gwyCiscoAT2', 10), ('gwyCiscoAT4', 11), ('gwyCiscoAT8', 12), ('gwyCiscoAS2', 13), ('gwyCiscoAS4', 14), ('gwyCiscoAS8', 15), ('h323Phone', 16), ('h323Trunk', 17), ('gwyCiscoMGCPFXOPort', 18), ('gwyCiscoMGCPFXSPort', 19), ('voiceMailUOnePort', 27), ('gwyCiscoVG200', 43), ('gwyCisco26XX', 44), ('gwyCisco362X', 45), ('gwyCisco364X', 46), ('gwyCisco366X', 47), ('h323AnonymousGatewy', 49), ('gwyCiscoMGCPT1Port', 52), ('gwyCiscoMGCPE1Port', 55), ('gwyCiscoCat4224VoiceGwySwitch', 58), ('gwyCiscoCat4000AccessGwyModule', 59), ('gwyCiscoIAD2400', 62), ('gwyCiscoVGCEndPoint', 65), ('gwyCiscoVG224AndV248', 66), ('gwyCiscoSlotVGCPort', 67), ('gwyCiscoVGCBox', 68), ('gwyCiscoATA186', 69), ('gwyCiscoICS77XXMRP2XX', 70), ('gwyCiscoICS77XXASI81', 71), ('gwyCiscoICS77XXASI160', 72), ('h323H225GKControlledTrunk', 75), ('h323ICTGKControlled', 76), ('h323ICTNonGKControlled', 77), ('gwyCiscoCat6000AVVIDServModule', 80), ('gwyCiscoWSX6600', 81), ('gwyCiscoMGCPBRIPort', 90), ('sipTrunk', 95), ('gwyCiscoWSSVCCMMMS', 10001), ('gwyCisco3745', 20000), ('gwyCisco3725', 20002), ('gwyCiscoICS77XXMRP3XX', 30004), ('gwyCiscoICS77XXMRP38FXS', 30005), ('gwyCiscoICS77XXMRP316FXS', 30006), ('gwyCiscoICS77XXMRP38FXOM1', 30007), ('gwyCisco269X', 30011), ('gwyCisco1760', 30019), ('gwyCisco1751', 30020))
cisco_ccm_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1))
ccm_general_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1))
ccm_phone_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2))
ccm_gateway_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3))
ccm_gateway_trunk_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4))
ccm_global_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5))
ccm_media_device_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6))
ccm_gatekeeper_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7))
ccm_cti_device_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8))
ccm_alarm_config_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9))
ccm_notifications_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10))
ccm_h323_device_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11))
ccm_voice_mail_device_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12))
ccm_quality_report_alarm_config_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 13))
ccm_sip_device_info = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14))
ccm_group_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1))
if mibBuilder.loadTexts:
ccmGroupTable.setStatus('current')
ccm_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmGroupIndex'))
if mibBuilder.loadTexts:
ccmGroupEntry.setStatus('current')
ccm_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmGroupIndex.setStatus('current')
ccm_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGroupName.setStatus('current')
ccm_group_tftp_default = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 1, 1, 3), truth_value()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGroupTftpDefault.setStatus('current')
ccm_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2))
if mibBuilder.loadTexts:
ccmTable.setStatus('current')
ccm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmIndex'))
if mibBuilder.loadTexts:
ccmEntry.setStatus('current')
ccm_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmIndex.setStatus('current')
ccm_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmName.setStatus('current')
ccm_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmDescription.setStatus('current')
ccm_version = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 24))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVersion.setStatus('current')
ccm_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('up', 2), ('down', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmStatus.setStatus('current')
ccm_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 6), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInetAddressType.setStatus('current')
ccm_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 7), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInetAddress.setStatus('current')
ccm_cluster_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 8), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmClusterId.setStatus('current')
ccm_inet_address2_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 9), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInetAddress2Type.setStatus('current')
ccm_inet_address2 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 2, 1, 10), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInetAddress2.setStatus('current')
ccm_group_mapping_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 3))
if mibBuilder.loadTexts:
ccmGroupMappingTable.setStatus('current')
ccm_group_mapping_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 3, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmGroupIndex'), (0, 'CISCO-CCM-MIB', 'ccmIndex'))
if mibBuilder.loadTexts:
ccmGroupMappingEntry.setStatus('current')
ccm_cm_group_mapping_cm_priority = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 3, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCMGroupMappingCMPriority.setStatus('current')
ccm_region_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4))
if mibBuilder.loadTexts:
ccmRegionTable.setStatus('current')
ccm_region_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmRegionIndex'))
if mibBuilder.loadTexts:
ccmRegionEntry.setStatus('current')
ccm_region_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmRegionIndex.setStatus('current')
ccm_region_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 4, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegionName.setStatus('current')
ccm_region_pair_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5))
if mibBuilder.loadTexts:
ccmRegionPairTable.setStatus('current')
ccm_region_pair_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmRegionSrcIndex'), (0, 'CISCO-CCM-MIB', 'ccmRegionDestIndex'))
if mibBuilder.loadTexts:
ccmRegionPairEntry.setStatus('current')
ccm_region_src_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmRegionSrcIndex.setStatus('current')
ccm_region_dest_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1, 2), ccm_index())
if mibBuilder.loadTexts:
ccmRegionDestIndex.setStatus('current')
ccm_region_available_band_width = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 5, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('bwG723', 3), ('bwG729', 4), ('bwG711', 5), ('bwGSM', 6), ('bwWideband', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegionAvailableBandWidth.setStatus('current')
ccm_time_zone_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6))
if mibBuilder.loadTexts:
ccmTimeZoneTable.setStatus('current')
ccm_time_zone_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmTimeZoneIndex'))
if mibBuilder.loadTexts:
ccmTimeZoneEntry.setStatus('current')
ccm_time_zone_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmTimeZoneIndex.setStatus('current')
ccm_time_zone_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmTimeZoneName.setStatus('current')
ccm_time_zone_offset = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(-12, 12))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmTimeZoneOffset.setStatus('obsolete')
ccm_time_zone_offset_hours = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(-12, 12))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmTimeZoneOffsetHours.setStatus('current')
ccm_time_zone_offset_minutes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 6, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(-59, 59))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmTimeZoneOffsetMinutes.setStatus('current')
ccm_device_pool_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7))
if mibBuilder.loadTexts:
ccmDevicePoolTable.setStatus('current')
ccm_device_pool_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmDevicePoolIndex'))
if mibBuilder.loadTexts:
ccmDevicePoolEntry.setStatus('current')
ccm_device_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmDevicePoolIndex.setStatus('current')
ccm_device_pool_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmDevicePoolName.setStatus('current')
ccm_device_pool_region_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 3), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmDevicePoolRegionIndex.setStatus('current')
ccm_device_pool_time_zone_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 4), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmDevicePoolTimeZoneIndex.setStatus('current')
ccm_device_pool_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 7, 1, 5), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmDevicePoolGroupIndex.setStatus('current')
ccm_product_type_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8))
if mibBuilder.loadTexts:
ccmProductTypeTable.setStatus('current')
ccm_product_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmProductTypeIndex'))
if mibBuilder.loadTexts:
ccmProductTypeEntry.setStatus('current')
ccm_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmProductTypeIndex.setStatus('current')
ccm_product_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 2), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmProductType.setStatus('current')
ccm_product_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmProductName.setStatus('current')
ccm_product_category = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 1, 8, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(-1, 0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('unknown', -1), ('notApplicable', 0), ('phone', 1), ('gateway', 2), ('h323Device', 3), ('ctiDevice', 4), ('voiceMailDevice', 5), ('mediaResourceDevice', 6), ('huntListDevice', 7), ('sipDevice', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmProductCategory.setStatus('current')
ccm_phone_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1))
if mibBuilder.loadTexts:
ccmPhoneTable.setStatus('current')
ccm_phone_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmPhoneIndex'))
if mibBuilder.loadTexts:
ccmPhoneEntry.setStatus('current')
ccm_phone_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmPhoneIndex.setStatus('current')
ccm_phone_physical_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 2), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhonePhysicalAddress.setStatus('current')
ccm_phone_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('cisco30SPplus', 3), ('cisco12SPplus', 4), ('cisco12SP', 5), ('cisco12S', 6), ('cisco30VIP', 7), ('ciscoTeleCasterBid', 8), ('ciscoTeleCasterMgr', 9), ('ciscoTeleCasterBusiness', 10), ('ciscoSoftPhone', 11), ('ciscoConferencePhone', 12), ('cisco7902', 13), ('cisco7905', 14), ('cisco7912', 15), ('cisco7970', 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneType.setStatus('obsolete')
ccm_phone_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneDescription.setStatus('current')
ccm_phone_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 5), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneUserName.setStatus('current')
ccm_phone_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 6), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneIpAddress.setStatus('obsolete')
ccm_phone_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 7), ccm_device_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatus.setStatus('current')
ccm_phone_time_last_registered = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 8), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneTimeLastRegistered.setStatus('current')
ccm_phone_e911_location = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 9), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneE911Location.setStatus('current')
ccm_phone_load_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 10), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneLoadID.setStatus('current')
ccm_phone_last_error = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(-1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneLastError.setStatus('obsolete')
ccm_phone_time_last_error = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 12), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneTimeLastError.setStatus('obsolete')
ccm_phone_device_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 13), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneDevicePoolIndex.setStatus('current')
ccm_phone_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 14), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneInetAddressType.setStatus('deprecated')
ccm_phone_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 15), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneInetAddress.setStatus('deprecated')
ccm_phone_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 16), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusReason.setStatus('deprecated')
ccm_phone_time_last_status_updt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 17), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneTimeLastStatusUpdt.setStatus('current')
ccm_phone_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 18), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneProductTypeIndex.setStatus('current')
ccm_phone_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 19), ccm_phone_protocol_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneProtocol.setStatus('current')
ccm_phone_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 20), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneName.setStatus('current')
ccm_phone_inet_address_i_pv4 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 21), inet_address_i_pv4()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneInetAddressIPv4.setStatus('current')
ccm_phone_inet_address_i_pv6 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 22), inet_address_i_pv6()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneInetAddressIPv6.setStatus('current')
ccm_phone_i_pv4_attribute = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('unknown', 0), ('adminOnly', 1), ('controlOnly', 2), ('adminAndControl', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneIPv4Attribute.setStatus('current')
ccm_phone_i_pv6_attribute = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 24), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('unknown', 0), ('adminOnly', 1), ('controlOnly', 2), ('adminAndControl', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneIPv6Attribute.setStatus('current')
ccm_phone_active_load_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 25), snmp_admin_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneActiveLoadID.setStatus('current')
ccm_phone_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 26), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneUnregReason.setStatus('current')
ccm_phone_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 1, 1, 27), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneRegFailReason.setStatus('current')
ccm_phone_extension_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2))
if mibBuilder.loadTexts:
ccmPhoneExtensionTable.setStatus('obsolete')
ccm_phone_extension_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmPhoneExtensionIndex'))
if mibBuilder.loadTexts:
ccmPhoneExtensionEntry.setStatus('obsolete')
ccm_phone_extension_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmPhoneExtensionIndex.setStatus('obsolete')
ccm_phone_extension = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 24))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtension.setStatus('obsolete')
ccm_phone_extension_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtensionIpAddress.setStatus('obsolete')
ccm_phone_extension_multi_lines = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 4), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtensionMultiLines.setStatus('obsolete')
ccm_phone_extension_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 5), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtensionInetAddressType.setStatus('obsolete')
ccm_phone_extension_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 2, 1, 6), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtensionInetAddress.setStatus('obsolete')
ccm_phone_failed_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3))
if mibBuilder.loadTexts:
ccmPhoneFailedTable.setStatus('current')
ccm_phone_failed_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmPhoneFailedIndex'))
if mibBuilder.loadTexts:
ccmPhoneFailedEntry.setStatus('current')
ccm_phone_failed_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmPhoneFailedIndex.setStatus('current')
ccm_phone_failed_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 2), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedTime.setStatus('current')
ccm_phone_failed_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedName.setStatus('obsolete')
ccm_phone_failed_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 4), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedInetAddressType.setStatus('deprecated')
ccm_phone_failed_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 5), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedInetAddress.setStatus('deprecated')
ccm_phone_fail_cause_code = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 6), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailCauseCode.setStatus('deprecated')
ccm_phone_failed_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 7), mac_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedMacAddress.setStatus('current')
ccm_phone_failed_inet_address_i_pv4 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 8), inet_address_i_pv4()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedInetAddressIPv4.setStatus('current')
ccm_phone_failed_inet_address_i_pv6 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 9), inet_address_i_pv6()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedInetAddressIPv6.setStatus('current')
ccm_phone_failed_i_pv4_attribute = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('unknown', 0), ('adminOnly', 1), ('controlOnly', 2), ('adminAndControl', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedIPv4Attribute.setStatus('current')
ccm_phone_failed_i_pv6_attribute = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('unknown', 0), ('adminOnly', 1), ('controlOnly', 2), ('adminAndControl', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedIPv6Attribute.setStatus('current')
ccm_phone_failed_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 3, 1, 12), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneFailedRegFailReason.setStatus('current')
ccm_phone_status_update_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4))
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateTable.setStatus('current')
ccm_phone_status_update_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmPhoneStatusUpdateIndex'))
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateEntry.setStatus('current')
ccm_phone_status_update_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateIndex.setStatus('current')
ccm_phone_status_phone_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 2), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusPhoneIndex.setStatus('current')
ccm_phone_status_update_time = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 3), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateTime.setStatus('current')
ccm_phone_status_update_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('phoneRegistered', 2), ('phoneUnregistered', 3), ('phonePartiallyregistered', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateType.setStatus('current')
ccm_phone_status_update_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 5), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateReason.setStatus('deprecated')
ccm_phone_status_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 6), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusUnregReason.setStatus('current')
ccm_phone_status_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 4, 1, 7), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusRegFailReason.setStatus('current')
ccm_phone_extn_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5))
if mibBuilder.loadTexts:
ccmPhoneExtnTable.setStatus('current')
ccm_phone_extn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmPhoneIndex'), (0, 'CISCO-CCM-MIB', 'ccmPhoneExtnIndex'))
if mibBuilder.loadTexts:
ccmPhoneExtnEntry.setStatus('current')
ccm_phone_extn_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmPhoneExtnIndex.setStatus('current')
ccm_phone_extn = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 24))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtn.setStatus('current')
ccm_phone_extn_multi_lines = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 3), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtnMultiLines.setStatus('current')
ccm_phone_extn_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 4), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtnInetAddressType.setStatus('current')
ccm_phone_extn_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 5), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtnInetAddress.setStatus('current')
ccm_phone_extn_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 2, 5, 1, 6), ccm_device_line_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtnStatus.setStatus('current')
ccm_gateway_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1))
if mibBuilder.loadTexts:
ccmGatewayTable.setStatus('current')
ccm_gateway_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmGatewayIndex'))
if mibBuilder.loadTexts:
ccmGatewayEntry.setStatus('current')
ccm_gateway_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmGatewayIndex.setStatus('current')
ccm_gateway_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayName.setStatus('current')
ccm_gateway_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('ciscoAnalogAccess', 3), ('ciscoDigitalAccessPRI', 4), ('ciscoDigitalAccessT1', 5), ('ciscoDigitalAccessPRIPlus', 6), ('ciscoDigitalAccessWSX6608E1', 7), ('ciscoDigitalAccessWSX6608T1', 8), ('ciscoAnalogAccessWSX6624', 9), ('ciscoMGCPStation', 10), ('ciscoDigitalAccessE1Plus', 11), ('ciscoDigitalAccessT1Plus', 12), ('ciscoDigitalAccessWSX6608PRI', 13), ('ciscoAnalogAccessWSX6612', 14), ('ciscoMGCPTrunk', 15), ('ciscoVG200', 16), ('cisco26XX', 17), ('cisco362X', 18), ('cisco364X', 19), ('cisco366X', 20), ('ciscoCat4224VoiceGatewaySwitch', 21), ('ciscoCat4000AccessGatewayModule', 22), ('ciscoIAD2400', 23), ('ciscoVGCEndPoint', 24), ('ciscoVG224VG248Gateway', 25), ('ciscoVGCBox', 26), ('ciscoATA186', 27), ('ciscoICS77XXMRP2XX', 28), ('ciscoICS77XXASI81', 29), ('ciscoICS77XXASI160', 30), ('ciscoSlotVGCPort', 31), ('ciscoCat6000AVVIDServModule', 32), ('ciscoWSX6600', 33), ('ciscoWSSVCCMMMS', 34), ('cisco3745', 35), ('cisco3725', 36), ('ciscoICS77XXMRP3XX', 37), ('ciscoICS77XXMRP38FXS', 38), ('ciscoICS77XXMRP316FXS', 39), ('ciscoICS77XXMRP38FXOM1', 40), ('cisco269X', 41), ('cisco1760', 42), ('cisco1751', 43), ('ciscoMGCPBRIPort', 44)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayType.setStatus('obsolete')
ccm_gateway_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayDescription.setStatus('current')
ccm_gateway_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 5), ccm_device_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayStatus.setStatus('current')
ccm_gateway_device_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 6), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayDevicePoolIndex.setStatus('current')
ccm_gateway_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 7), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayInetAddressType.setStatus('current')
ccm_gateway_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 8), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayInetAddress.setStatus('current')
ccm_gateway_product_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 9), ccm_device_product_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayProductId.setStatus('obsolete')
ccm_gateway_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 10), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayStatusReason.setStatus('deprecated')
ccm_gateway_time_last_status_updt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 11), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayTimeLastStatusUpdt.setStatus('current')
ccm_gateway_time_last_registered = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 12), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayTimeLastRegistered.setStatus('current')
ccm_gateway_d_channel_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('active', 1), ('inActive', 2), ('unknown', 3), ('notApplicable', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayDChannelStatus.setStatus('current')
ccm_gateway_d_channel_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(-1, 24))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayDChannelNumber.setStatus('current')
ccm_gateway_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 15), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayProductTypeIndex.setStatus('current')
ccm_gateway_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 16), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayUnregReason.setStatus('current')
ccm_gateway_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 3, 1, 1, 17), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayRegFailReason.setStatus('current')
ccm_gateway_trunk_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1))
if mibBuilder.loadTexts:
ccmGatewayTrunkTable.setStatus('obsolete')
ccm_gateway_trunk_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmGatewayTrunkIndex'))
if mibBuilder.loadTexts:
ccmGatewayTrunkEntry.setStatus('obsolete')
ccm_gateway_trunk_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmGatewayTrunkIndex.setStatus('obsolete')
ccm_gateway_trunk_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('trunkGroundStart', 3), ('trunkLoopStart', 4), ('trunkDID', 5), ('trunkPOTS', 6), ('trunkEM1', 7), ('trunkEM2', 8), ('trunkEM3', 9), ('trunkEM4', 10), ('trunkEM5', 11), ('analog', 12), ('pri', 13), ('bri', 14)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayTrunkType.setStatus('obsolete')
ccm_gateway_trunk_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayTrunkName.setStatus('obsolete')
ccm_trunk_gateway_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 4), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmTrunkGatewayIndex.setStatus('obsolete')
ccm_gateway_trunk_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 4, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('up', 2), ('busy', 3), ('down', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayTrunkStatus.setStatus('obsolete')
ccm_active_phones = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmActivePhones.setStatus('obsolete')
ccm_in_active_phones = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInActivePhones.setStatus('obsolete')
ccm_active_gateways = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmActiveGateways.setStatus('obsolete')
ccm_in_active_gateways = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInActiveGateways.setStatus('obsolete')
ccm_registered_phones = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegisteredPhones.setStatus('current')
ccm_unregistered_phones = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmUnregisteredPhones.setStatus('current')
ccm_rejected_phones = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRejectedPhones.setStatus('current')
ccm_registered_gateways = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegisteredGateways.setStatus('current')
ccm_unregistered_gateways = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmUnregisteredGateways.setStatus('current')
ccm_rejected_gateways = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRejectedGateways.setStatus('current')
ccm_registered_media_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegisteredMediaDevices.setStatus('current')
ccm_unregistered_media_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmUnregisteredMediaDevices.setStatus('current')
ccm_rejected_media_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRejectedMediaDevices.setStatus('current')
ccm_registered_cti_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegisteredCTIDevices.setStatus('current')
ccm_unregistered_cti_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmUnregisteredCTIDevices.setStatus('current')
ccm_rejected_cti_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRejectedCTIDevices.setStatus('current')
ccm_registered_voice_mail_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 17), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRegisteredVoiceMailDevices.setStatus('current')
ccm_unregistered_voice_mail_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 18), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmUnregisteredVoiceMailDevices.setStatus('current')
ccm_rejected_voice_mail_devices = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmRejectedVoiceMailDevices.setStatus('current')
ccm_call_manager_start_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 20), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCallManagerStartTime.setStatus('current')
ccm_phone_table_state_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 21), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneTableStateId.setStatus('current')
ccm_phone_extension_table_state_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 22), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneExtensionTableStateId.setStatus('current')
ccm_phone_status_update_table_state_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 23), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateTableStateId.setStatus('current')
ccm_gateway_table_state_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 24), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatewayTableStateId.setStatus('current')
ccm_cti_device_table_state_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 25), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceTableStateId.setStatus('current')
ccm_cti_device_dir_num_table_state_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 26), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceDirNumTableStateId.setStatus('current')
ccm_ph_stat_updt_tbl_last_added_index = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 27), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhStatUpdtTblLastAddedIndex.setStatus('current')
ccm_ph_failed_tbl_last_added_index = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 28), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPhFailedTblLastAddedIndex.setStatus('current')
ccm_system_version = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 29), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSystemVersion.setStatus('current')
ccm_installation_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 30), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmInstallationId.setStatus('current')
ccm_partially_registered_phones = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 31), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmPartiallyRegisteredPhones.setStatus('current')
ccm_h323_table_entries = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 32), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323TableEntries.setStatus('current')
ccm_sip_table_entries = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 5, 33), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPTableEntries.setStatus('current')
ccm_media_device_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1))
if mibBuilder.loadTexts:
ccmMediaDeviceTable.setStatus('current')
ccm_media_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmMediaDeviceIndex'))
if mibBuilder.loadTexts:
ccmMediaDeviceEntry.setStatus('current')
ccm_media_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmMediaDeviceIndex.setStatus('current')
ccm_media_device_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceName.setStatus('current')
ccm_media_device_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=named_values(('unknown', 1), ('ciscoMediaTerminPointWSX6608', 2), ('ciscoConfBridgeWSX6608', 3), ('ciscoSwMediaTerminationPoint', 4), ('ciscoSwConfBridge', 5), ('ciscoMusicOnHold', 6), ('ciscoToneAnnouncementPlayer', 7), ('ciscoConfBridgeWSSVCCMM', 8), ('ciscoMediaServerWSSVCCMMMS', 9), ('ciscoMTPWSSVCCMM', 10), ('ciscoIOSSWMTPHDV2', 11), ('ciscoIOSConfBridgeHDV2', 12), ('ciscoIOSMTPHDV2', 13), ('ciscoVCBIPVC35XX', 14)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceType.setStatus('obsolete')
ccm_media_device_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceDescription.setStatus('current')
ccm_media_device_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 5), ccm_device_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceStatus.setStatus('current')
ccm_media_device_device_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 6), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceDevicePoolIndex.setStatus('current')
ccm_media_device_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 7), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceInetAddressType.setStatus('deprecated')
ccm_media_device_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 8), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceInetAddress.setStatus('deprecated')
ccm_media_device_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 9), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceStatusReason.setStatus('deprecated')
ccm_media_device_time_last_status_updt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 10), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceTimeLastStatusUpdt.setStatus('current')
ccm_media_device_time_last_registered = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 11), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceTimeLastRegistered.setStatus('current')
ccm_media_device_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 12), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceProductTypeIndex.setStatus('current')
ccm_media_device_inet_address_i_pv4 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 13), inet_address_i_pv4()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceInetAddressIPv4.setStatus('current')
ccm_media_device_inet_address_i_pv6 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 14), inet_address_i_pv6()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceInetAddressIPv6.setStatus('current')
ccm_media_device_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 15), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceUnregReason.setStatus('current')
ccm_media_device_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 6, 1, 1, 16), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmMediaDeviceRegFailReason.setStatus('current')
ccm_gatekeeper_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1))
if mibBuilder.loadTexts:
ccmGatekeeperTable.setStatus('obsolete')
ccm_gatekeeper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmGatekeeperIndex'))
if mibBuilder.loadTexts:
ccmGatekeeperEntry.setStatus('obsolete')
ccm_gatekeeper_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmGatekeeperIndex.setStatus('obsolete')
ccm_gatekeeper_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperName.setStatus('obsolete')
ccm_gatekeeper_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('terminal', 3), ('gateway', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperType.setStatus('obsolete')
ccm_gatekeeper_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperDescription.setStatus('obsolete')
ccm_gatekeeper_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('registered', 2), ('unregistered', 3), ('rejected', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperStatus.setStatus('obsolete')
ccm_gatekeeper_device_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 6), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperDevicePoolIndex.setStatus('obsolete')
ccm_gatekeeper_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 7), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperInetAddressType.setStatus('obsolete')
ccm_gatekeeper_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 7, 1, 1, 8), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmGatekeeperInetAddress.setStatus('obsolete')
ccm_cti_device_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1))
if mibBuilder.loadTexts:
ccmCTIDeviceTable.setStatus('current')
ccm_cti_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmCTIDeviceIndex'))
if mibBuilder.loadTexts:
ccmCTIDeviceEntry.setStatus('current')
ccm_cti_device_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmCTIDeviceIndex.setStatus('current')
ccm_cti_device_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceName.setStatus('current')
ccm_cti_device_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('other', 2), ('ctiRoutePoint', 3), ('ctiPort', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceType.setStatus('obsolete')
ccm_cti_device_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceDescription.setStatus('current')
ccm_cti_device_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 5), ccm_device_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceStatus.setStatus('current')
ccm_cti_device_pool_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 6), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDevicePoolIndex.setStatus('current')
ccm_cti_device_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 7), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceInetAddressType.setStatus('deprecated')
ccm_cti_device_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 8), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceInetAddress.setStatus('deprecated')
ccm_cti_device_app_info = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 9), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceAppInfo.setStatus('obsolete')
ccm_cti_device_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 10), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceStatusReason.setStatus('deprecated')
ccm_cti_device_time_last_status_updt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 11), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceTimeLastStatusUpdt.setStatus('current')
ccm_cti_device_time_last_registered = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 12), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceTimeLastRegistered.setStatus('current')
ccm_cti_device_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 13), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceProductTypeIndex.setStatus('current')
ccm_cti_device_inet_address_i_pv4 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 14), inet_address_i_pv4()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceInetAddressIPv4.setStatus('current')
ccm_cti_device_inet_address_i_pv6 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 15), inet_address_i_pv6()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceInetAddressIPv6.setStatus('current')
ccm_cti_device_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 16), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceUnregReason.setStatus('current')
ccm_cti_device_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 1, 1, 17), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceRegFailReason.setStatus('current')
ccm_cti_device_dir_num_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2))
if mibBuilder.loadTexts:
ccmCTIDeviceDirNumTable.setStatus('current')
ccm_cti_device_dir_num_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmCTIDeviceIndex'), (0, 'CISCO-CCM-MIB', 'ccmCTIDeviceDirNumIndex'))
if mibBuilder.loadTexts:
ccmCTIDeviceDirNumEntry.setStatus('current')
ccm_cti_device_dir_num_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmCTIDeviceDirNumIndex.setStatus('current')
ccm_cti_device_dir_num = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 8, 2, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 24))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmCTIDeviceDirNum.setStatus('current')
ccm_call_manager_alarm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 1), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmCallManagerAlarmEnable.setStatus('current')
ccm_phone_failed_alarm_interval = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(30, 3600)))).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmPhoneFailedAlarmInterval.setStatus('current')
ccm_phone_failed_store_period = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 3), integer32().subtype(subtypeSpec=value_range_constraint(1800, 3600)).clone(1800)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmPhoneFailedStorePeriod.setStatus('current')
ccm_phone_status_update_alarm_interv = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 4), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(30, 3600)))).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateAlarmInterv.setStatus('current')
ccm_phone_status_update_store_period = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 5), integer32().subtype(subtypeSpec=value_range_constraint(1800, 3600)).clone(1800)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmPhoneStatusUpdateStorePeriod.setStatus('current')
ccm_gateway_alarm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 6), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmGatewayAlarmEnable.setStatus('current')
ccm_malicious_call_alarm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 9, 7), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmMaliciousCallAlarmEnable.setStatus('current')
ccm_alarm_severity = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('emergency', 1), ('alert', 2), ('critical', 3), ('error', 4), ('warning', 5), ('notice', 6), ('informational', 7)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmAlarmSeverity.setStatus('current')
ccm_fail_cause_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('unknown', 1), ('heartBeatStopped', 2), ('routerThreadDied', 3), ('timerThreadDied', 4), ('criticalThreadDied', 5), ('deviceMgrInitFailed', 6), ('digitAnalysisInitFailed', 7), ('callControlInitFailed', 8), ('linkMgrInitFailed', 9), ('dbMgrInitFailed', 10), ('msgTranslatorInitFailed', 11), ('suppServicesInitFailed', 12)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmFailCauseCode.setStatus('current')
ccm_phone_failures = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 3), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmPhoneFailures.setStatus('current')
ccm_phone_updates = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 4), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmPhoneUpdates.setStatus('current')
ccm_gateway_fail_cause_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 5), ccm_dev_fail_cause_code()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmGatewayFailCauseCode.setStatus('deprecated')
ccm_media_resource_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('unknown', 1), ('mediaTerminationPoint', 2), ('transcoder', 3), ('conferenceBridge', 4), ('musicOnHold', 5)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMediaResourceType.setStatus('current')
ccm_media_resource_list_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 7), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMediaResourceListName.setStatus('current')
ccm_route_list_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 8), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmRouteListName.setStatus('current')
ccm_gateway_phys_if_index = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 9), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmGatewayPhysIfIndex.setStatus('current')
ccm_gateway_phys_if_l2_status = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('unknown', 1), ('up', 2), ('down', 3)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmGatewayPhysIfL2Status.setStatus('current')
ccm_mali_call_called_party_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 11), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallCalledPartyName.setStatus('current')
ccm_mali_call_called_party_number = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 12), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallCalledPartyNumber.setStatus('current')
ccm_mali_call_called_device_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 13), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallCalledDeviceName.setStatus('current')
ccm_mali_call_calling_party_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 14), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallCallingPartyName.setStatus('current')
ccm_mali_call_calling_party_number = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 15), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallCallingPartyNumber.setStatus('current')
ccm_mali_call_calling_device_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 16), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallCallingDeviceName.setStatus('current')
ccm_mali_call_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 17), date_and_time()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmMaliCallTime.setStatus('current')
ccm_quality_rprt_source_dev_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 18), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmQualityRprtSourceDevName.setStatus('current')
ccm_quality_rprt_cluster_id = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 19), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmQualityRprtClusterId.setStatus('current')
ccm_quality_rprt_category = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 20), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmQualityRprtCategory.setStatus('current')
ccm_quality_rprt_reason_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 21), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmQualityRprtReasonCode.setStatus('current')
ccm_quality_rprt_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 22), date_and_time()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmQualityRprtTime.setStatus('current')
ccm_tls_dev_name = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 23), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmTLSDevName.setStatus('current')
ccm_tls_dev_inet_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 24), inet_address_type()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmTLSDevInetAddressType.setStatus('current')
ccm_tls_dev_inet_address = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 25), inet_address()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmTLSDevInetAddress.setStatus('current')
ccm_tls_conn_fail_time = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 26), date_and_time()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmTLSConnFailTime.setStatus('current')
ccm_tls_connection_fail_reason_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('unknown', 1), ('authenticationerror', 2), ('invalidx509nameincertificate', 3), ('invalidtlscipher', 4)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmTLSConnectionFailReasonCode.setStatus('current')
ccm_gateway_reg_fail_cause_code = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 10, 28), ccm_dev_reg_fail_cause_code()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
ccmGatewayRegFailCauseCode.setStatus('current')
ccm_h323_device_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1))
if mibBuilder.loadTexts:
ccmH323DeviceTable.setStatus('current')
ccm_h323_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmH323DevIndex'))
if mibBuilder.loadTexts:
ccmH323DeviceEntry.setStatus('current')
ccm_h323_dev_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmH323DevIndex.setStatus('current')
ccm_h323_dev_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevName.setStatus('current')
ccm_h323_dev_product_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 3), ccm_device_product_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevProductId.setStatus('obsolete')
ccm_h323_dev_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevDescription.setStatus('current')
ccm_h323_dev_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 5), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevInetAddressType.setStatus('current')
ccm_h323_dev_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 6), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevInetAddress.setStatus('current')
ccm_h323_dev_cnfg_gk_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 7), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevCnfgGKInetAddressType.setStatus('current')
ccm_h323_dev_cnfg_gk_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 8), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevCnfgGKInetAddress.setStatus('current')
ccm_h323_dev_alt_gk1_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 9), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK1InetAddressType.setStatus('current')
ccm_h323_dev_alt_gk1_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 10), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK1InetAddress.setStatus('current')
ccm_h323_dev_alt_gk2_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 11), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK2InetAddressType.setStatus('current')
ccm_h323_dev_alt_gk2_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 12), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK2InetAddress.setStatus('current')
ccm_h323_dev_alt_gk3_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 13), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK3InetAddressType.setStatus('current')
ccm_h323_dev_alt_gk3_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 14), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK3InetAddress.setStatus('current')
ccm_h323_dev_alt_gk4_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 15), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK4InetAddressType.setStatus('current')
ccm_h323_dev_alt_gk4_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 16), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK4InetAddress.setStatus('current')
ccm_h323_dev_alt_gk5_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 17), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK5InetAddressType.setStatus('current')
ccm_h323_dev_alt_gk5_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 18), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevAltGK5InetAddress.setStatus('current')
ccm_h323_dev_act_gk_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 19), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevActGKInetAddressType.setStatus('current')
ccm_h323_dev_act_gk_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 20), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevActGKInetAddress.setStatus('current')
ccm_h323_dev_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('notApplicable', 0), ('unknown', 1), ('registered', 2), ('unregistered', 3), ('rejected', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevStatus.setStatus('current')
ccm_h323_dev_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 22), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevStatusReason.setStatus('deprecated')
ccm_h323_dev_time_last_status_updt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 23), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevTimeLastStatusUpdt.setStatus('current')
ccm_h323_dev_time_last_registered = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 24), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevTimeLastRegistered.setStatus('current')
ccm_h323_dev_rmt_cm1_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 25), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRmtCM1InetAddressType.setStatus('current')
ccm_h323_dev_rmt_cm1_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 26), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRmtCM1InetAddress.setStatus('current')
ccm_h323_dev_rmt_cm2_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 27), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRmtCM2InetAddressType.setStatus('current')
ccm_h323_dev_rmt_cm2_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 28), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRmtCM2InetAddress.setStatus('current')
ccm_h323_dev_rmt_cm3_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 29), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRmtCM3InetAddressType.setStatus('current')
ccm_h323_dev_rmt_cm3_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 30), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRmtCM3InetAddress.setStatus('current')
ccm_h323_dev_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 31), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevProductTypeIndex.setStatus('current')
ccm_h323_dev_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 32), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevUnregReason.setStatus('current')
ccm_h323_dev_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 11, 1, 1, 33), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmH323DevRegFailReason.setStatus('current')
ccm_voice_mail_device_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1))
if mibBuilder.loadTexts:
ccmVoiceMailDeviceTable.setStatus('current')
ccm_voice_mail_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmVMailDevIndex'))
if mibBuilder.loadTexts:
ccmVoiceMailDeviceEntry.setStatus('current')
ccm_v_mail_dev_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmVMailDevIndex.setStatus('current')
ccm_v_mail_dev_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevName.setStatus('current')
ccm_v_mail_dev_product_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 3), ccm_device_product_id()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevProductId.setStatus('obsolete')
ccm_v_mail_dev_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevDescription.setStatus('current')
ccm_v_mail_dev_status = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 5), ccm_device_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevStatus.setStatus('current')
ccm_v_mail_dev_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 6), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevInetAddressType.setStatus('current')
ccm_v_mail_dev_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 7), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevInetAddress.setStatus('current')
ccm_v_mail_dev_status_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 8), ccm_dev_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevStatusReason.setStatus('deprecated')
ccm_v_mail_dev_time_last_status_updt = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 9), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevTimeLastStatusUpdt.setStatus('current')
ccm_v_mail_dev_time_last_registered = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 10), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevTimeLastRegistered.setStatus('current')
ccm_v_mail_dev_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 11), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevProductTypeIndex.setStatus('current')
ccm_v_mail_dev_unreg_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 12), ccm_dev_unreg_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevUnregReason.setStatus('current')
ccm_v_mail_dev_reg_fail_reason = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 1, 1, 13), ccm_dev_reg_fail_cause_code()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevRegFailReason.setStatus('current')
ccm_voice_mail_device_dir_num_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2))
if mibBuilder.loadTexts:
ccmVoiceMailDeviceDirNumTable.setStatus('current')
ccm_voice_mail_device_dir_num_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmVMailDevIndex'), (0, 'CISCO-CCM-MIB', 'ccmVMailDevDirNumIndex'))
if mibBuilder.loadTexts:
ccmVoiceMailDeviceDirNumEntry.setStatus('current')
ccm_v_mail_dev_dir_num_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmVMailDevDirNumIndex.setStatus('current')
ccm_v_mail_dev_dir_num = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 12, 2, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 24))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmVMailDevDirNum.setStatus('current')
ccm_quality_report_alarm_enable = mib_scalar((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 13, 1), truth_value().clone('true')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ccmQualityReportAlarmEnable.setStatus('current')
ccm_sip_device_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1))
if mibBuilder.loadTexts:
ccmSIPDeviceTable.setStatus('current')
ccm_sip_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1)).setIndexNames((0, 'CISCO-CCM-MIB', 'ccmSIPDevIndex'))
if mibBuilder.loadTexts:
ccmSIPDeviceEntry.setStatus('current')
ccm_sip_dev_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 1), ccm_index())
if mibBuilder.loadTexts:
ccmSIPDevIndex.setStatus('current')
ccm_sip_dev_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevName.setStatus('current')
ccm_sip_dev_product_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 3), ccm_index_or_zero()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevProductTypeIndex.setStatus('current')
ccm_sip_dev_description = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevDescription.setStatus('current')
ccm_sip_dev_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 5), inet_address_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevInetAddressType.setStatus('deprecated')
ccm_sip_dev_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 6), inet_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevInetAddress.setStatus('deprecated')
ccm_sip_in_transport_protocol_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 7), ccm_sip_transport_protocol_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPInTransportProtocolType.setStatus('current')
ccm_sip_in_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 8), inet_port_number()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPInPortNumber.setStatus('current')
ccm_sip_out_transport_protocol_type = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 9), ccm_sip_transport_protocol_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPOutTransportProtocolType.setStatus('current')
ccm_sip_out_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 10), inet_port_number()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPOutPortNumber.setStatus('current')
ccm_sip_dev_inet_address_i_pv4 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 11), inet_address_i_pv4()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevInetAddressIPv4.setStatus('current')
ccm_sip_dev_inet_address_i_pv6 = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 156, 1, 14, 1, 1, 12), inet_address_i_pv6()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ccmSIPDevInetAddressIPv6.setStatus('current')
ccm_mib_notification_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 2))
ccm_mib_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0))
ccm_call_manager_failed = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 1)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'))
if mibBuilder.loadTexts:
ccmCallManagerFailed.setStatus('current')
ccm_phone_failed = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 2)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'))
if mibBuilder.loadTexts:
ccmPhoneFailed.setStatus('current')
ccm_phone_status_update = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 3)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'))
if mibBuilder.loadTexts:
ccmPhoneStatusUpdate.setStatus('current')
ccm_gateway_failed = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 4)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmGatewayFailCauseCode'))
if mibBuilder.loadTexts:
ccmGatewayFailed.setStatus('deprecated')
ccm_media_resource_list_exhausted = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 5)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'))
if mibBuilder.loadTexts:
ccmMediaResourceListExhausted.setStatus('current')
ccm_route_list_exhausted = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 6)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmRouteListName'))
if mibBuilder.loadTexts:
ccmRouteListExhausted.setStatus('current')
ccm_gateway_layer2_change = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 7)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'))
if mibBuilder.loadTexts:
ccmGatewayLayer2Change.setStatus('current')
ccm_malicious_call = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 8)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallTime'))
if mibBuilder.loadTexts:
ccmMaliciousCall.setStatus('current')
ccm_quality_report = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 9)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmQualityRprtSourceDevName'), ('CISCO-CCM-MIB', 'ccmQualityRprtClusterId'), ('CISCO-CCM-MIB', 'ccmQualityRprtCategory'), ('CISCO-CCM-MIB', 'ccmQualityRprtReasonCode'), ('CISCO-CCM-MIB', 'ccmQualityRprtTime'))
if mibBuilder.loadTexts:
ccmQualityReport.setStatus('current')
ccm_tls_connection_failure = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 10)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmTLSDevName'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddress'), ('CISCO-CCM-MIB', 'ccmTLSConnectionFailReasonCode'), ('CISCO-CCM-MIB', 'ccmTLSConnFailTime'))
if mibBuilder.loadTexts:
ccmTLSConnectionFailure.setStatus('current')
ccm_gateway_failed_reason = notification_type((1, 3, 6, 1, 4, 1, 9, 9, 156, 2, 0, 11)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmGatewayRegFailCauseCode'))
if mibBuilder.loadTexts:
ccmGatewayFailedReason.setStatus('current')
cisco_ccm_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 3))
cisco_ccm_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1))
cisco_ccm_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2))
cisco_ccm_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 1)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroup'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroup'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance = ciscoCcmMIBCompliance.setStatus('obsolete')
cisco_ccm_mib_compliance_rev1 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 2)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroup'), ('CISCO-CCM-MIB', 'ccmGatekeeperInfoGroup'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroup'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroup'), ('CISCO-CCM-MIB', 'ccmNotificationsGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev1 = ciscoCcmMIBComplianceRev1.setStatus('obsolete')
cisco_ccm_mib_compliance_rev2 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 3)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmNotificationsGroup'), ('CISCO-CCM-MIB', 'ccmH323DeviceInfoGroup'), ('CISCO-CCM-MIB', 'ccmVoiceMailDeviceInfoGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev2 = ciscoCcmMIBComplianceRev2.setStatus('obsolete')
cisco_ccm_mib_compliance_rev3 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 4)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmNotificationsGroupRev1'), ('CISCO-CCM-MIB', 'ccmH323DeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmVoiceMailDeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmSIPDeviceInfoGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev3 = ciscoCcmMIBComplianceRev3.setStatus('obsolete')
cisco_ccm_mib_compliance_rev4 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 5)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmNotificationsGroupRev2'), ('CISCO-CCM-MIB', 'ccmH323DeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmVoiceMailDeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmSIPDeviceInfoGroupRev1'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev4 = ciscoCcmMIBComplianceRev4.setStatus('obsolete')
cisco_ccm_mib_compliance_rev5 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 6)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev5'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmNotificationsGroupRev2'), ('CISCO-CCM-MIB', 'ccmH323DeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmVoiceMailDeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmSIPDeviceInfoGroupRev2'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev5 = ciscoCcmMIBComplianceRev5.setStatus('deprecated')
cisco_ccm_mib_compliance_rev6 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 7)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev5'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmNotificationsGroupRev2'), ('CISCO-CCM-MIB', 'ccmH323DeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmVoiceMailDeviceInfoGroupRev1'), ('CISCO-CCM-MIB', 'ccmSIPDeviceInfoGroupRev2'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev6 = ciscoCcmMIBComplianceRev6.setStatus('deprecated')
cisco_ccm_mib_compliance_rev7 = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 1, 8)).setObjects(('CISCO-CCM-MIB', 'ccmInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmPhoneInfoGroupRev6'), ('CISCO-CCM-MIB', 'ccmGatewayInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInfoGroupRev4'), ('CISCO-CCM-MIB', 'ccmNotificationsInfoGroupRev5'), ('CISCO-CCM-MIB', 'ccmNotificationsGroupRev3'), ('CISCO-CCM-MIB', 'ccmH323DeviceInfoGroupRev3'), ('CISCO-CCM-MIB', 'ccmVoiceMailDeviceInfoGroupRev2'), ('CISCO-CCM-MIB', 'ccmSIPDeviceInfoGroupRev2'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cisco_ccm_mib_compliance_rev7 = ciscoCcmMIBComplianceRev7.setStatus('current')
ccm_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 1)).setObjects(('CISCO-CCM-MIB', 'ccmGroupName'), ('CISCO-CCM-MIB', 'ccmGroupTftpDefault'), ('CISCO-CCM-MIB', 'ccmName'), ('CISCO-CCM-MIB', 'ccmDescription'), ('CISCO-CCM-MIB', 'ccmVersion'), ('CISCO-CCM-MIB', 'ccmStatus'), ('CISCO-CCM-MIB', 'ccmCMGroupMappingCMPriority'), ('CISCO-CCM-MIB', 'ccmRegionName'), ('CISCO-CCM-MIB', 'ccmRegionAvailableBandWidth'), ('CISCO-CCM-MIB', 'ccmTimeZoneName'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffset'), ('CISCO-CCM-MIB', 'ccmDevicePoolName'), ('CISCO-CCM-MIB', 'ccmDevicePoolRegionIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolTimeZoneIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolGroupIndex'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_info_group = ccmInfoGroup.setStatus('obsolete')
ccm_phone_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 2)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneType'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneIpAddress'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneLastError'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastError'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneExtension'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionIpAddress'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionMultiLines'), ('CISCO-CCM-MIB', 'ccmActivePhones'), ('CISCO-CCM-MIB', 'ccmInActivePhones'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group = ccmPhoneInfoGroup.setStatus('obsolete')
ccm_gateway_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 3)).setObjects(('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayType'), ('CISCO-CCM-MIB', 'ccmGatewayDescription'), ('CISCO-CCM-MIB', 'ccmGatewayStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmGatewayTrunkType'), ('CISCO-CCM-MIB', 'ccmGatewayTrunkName'), ('CISCO-CCM-MIB', 'ccmTrunkGatewayIndex'), ('CISCO-CCM-MIB', 'ccmGatewayTrunkStatus'), ('CISCO-CCM-MIB', 'ccmActiveGateways'), ('CISCO-CCM-MIB', 'ccmInActiveGateways'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_gateway_info_group = ccmGatewayInfoGroup.setStatus('obsolete')
ccm_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 4)).setObjects(('CISCO-CCM-MIB', 'ccmGroupName'), ('CISCO-CCM-MIB', 'ccmGroupTftpDefault'), ('CISCO-CCM-MIB', 'ccmName'), ('CISCO-CCM-MIB', 'ccmDescription'), ('CISCO-CCM-MIB', 'ccmVersion'), ('CISCO-CCM-MIB', 'ccmStatus'), ('CISCO-CCM-MIB', 'ccmInetAddressType'), ('CISCO-CCM-MIB', 'ccmInetAddress'), ('CISCO-CCM-MIB', 'ccmClusterId'), ('CISCO-CCM-MIB', 'ccmCMGroupMappingCMPriority'), ('CISCO-CCM-MIB', 'ccmRegionName'), ('CISCO-CCM-MIB', 'ccmRegionAvailableBandWidth'), ('CISCO-CCM-MIB', 'ccmTimeZoneName'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffset'), ('CISCO-CCM-MIB', 'ccmDevicePoolName'), ('CISCO-CCM-MIB', 'ccmDevicePoolRegionIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolTimeZoneIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolGroupIndex'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_info_group_rev1 = ccmInfoGroupRev1.setStatus('obsolete')
ccm_phone_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 5)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneType'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneLastError'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastError'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneExtension'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionMultiLines'), ('CISCO-CCM-MIB', 'ccmActivePhones'), ('CISCO-CCM-MIB', 'ccmInActivePhones'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group_rev1 = ccmPhoneInfoGroupRev1.setStatus('obsolete')
ccm_gateway_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 6)).setObjects(('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayType'), ('CISCO-CCM-MIB', 'ccmGatewayDescription'), ('CISCO-CCM-MIB', 'ccmGatewayStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmActiveGateways'), ('CISCO-CCM-MIB', 'ccmInActiveGateways'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_gateway_info_group_rev1 = ccmGatewayInfoGroupRev1.setStatus('obsolete')
ccm_media_device_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 7)).setObjects(('CISCO-CCM-MIB', 'ccmMediaDeviceName'), ('CISCO-CCM-MIB', 'ccmMediaDeviceType'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDescription'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatus'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressType'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddress'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_media_device_info_group = ccmMediaDeviceInfoGroup.setStatus('obsolete')
ccm_gatekeeper_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 8)).setObjects(('CISCO-CCM-MIB', 'ccmGatekeeperName'), ('CISCO-CCM-MIB', 'ccmGatekeeperType'), ('CISCO-CCM-MIB', 'ccmGatekeeperDescription'), ('CISCO-CCM-MIB', 'ccmGatekeeperStatus'), ('CISCO-CCM-MIB', 'ccmGatekeeperDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmGatekeeperInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatekeeperInetAddress'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_gatekeeper_info_group = ccmGatekeeperInfoGroup.setStatus('obsolete')
ccm_cti_device_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 9)).setObjects(('CISCO-CCM-MIB', 'ccmCTIDeviceName'), ('CISCO-CCM-MIB', 'ccmCTIDeviceType'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDescription'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatus'), ('CISCO-CCM-MIB', 'ccmCTIDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressType'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddress'), ('CISCO-CCM-MIB', 'ccmCTIDeviceAppInfo'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNum'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_cti_device_info_group = ccmCTIDeviceInfoGroup.setStatus('obsolete')
ccm_notifications_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 10)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmCallManagerAlarmEnable'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'), ('CISCO-CCM-MIB', 'ccmPhoneFailedTime'), ('CISCO-CCM-MIB', 'ccmPhoneFailedName'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedAlarmInterval'), ('CISCO-CCM-MIB', 'ccmPhoneFailedStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'), ('CISCO-CCM-MIB', 'ccmPhoneStatusPhoneIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTime'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateType'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateAlarmInterv'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateStorePeriod'), ('CISCO-CCM-MIB', 'ccmGatewayAlarmEnable'), ('CISCO-CCM-MIB', 'ccmGatewayFailCauseCode'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'), ('CISCO-CCM-MIB', 'ccmRouteListName'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_info_group = ccmNotificationsInfoGroup.setStatus('obsolete')
ccm_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 11)).setObjects(('CISCO-CCM-MIB', 'ccmCallManagerFailed'), ('CISCO-CCM-MIB', 'ccmPhoneFailed'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdate'), ('CISCO-CCM-MIB', 'ccmGatewayFailed'), ('CISCO-CCM-MIB', 'ccmMediaResourceListExhausted'), ('CISCO-CCM-MIB', 'ccmRouteListExhausted'), ('CISCO-CCM-MIB', 'ccmGatewayLayer2Change'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_group = ccmNotificationsGroup.setStatus('obsolete')
ccm_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 12)).setObjects(('CISCO-CCM-MIB', 'ccmGroupName'), ('CISCO-CCM-MIB', 'ccmGroupTftpDefault'), ('CISCO-CCM-MIB', 'ccmName'), ('CISCO-CCM-MIB', 'ccmDescription'), ('CISCO-CCM-MIB', 'ccmVersion'), ('CISCO-CCM-MIB', 'ccmStatus'), ('CISCO-CCM-MIB', 'ccmInetAddressType'), ('CISCO-CCM-MIB', 'ccmInetAddress'), ('CISCO-CCM-MIB', 'ccmClusterId'), ('CISCO-CCM-MIB', 'ccmCMGroupMappingCMPriority'), ('CISCO-CCM-MIB', 'ccmRegionName'), ('CISCO-CCM-MIB', 'ccmRegionAvailableBandWidth'), ('CISCO-CCM-MIB', 'ccmTimeZoneName'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffsetHours'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffsetMinutes'), ('CISCO-CCM-MIB', 'ccmDevicePoolName'), ('CISCO-CCM-MIB', 'ccmDevicePoolRegionIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolTimeZoneIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolGroupIndex'), ('CISCO-CCM-MIB', 'ccmCallManagerStartTime'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_info_group_rev2 = ccmInfoGroupRev2.setStatus('obsolete')
ccm_phone_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 13)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneType'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusReason'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmPhoneExtn'), ('CISCO-CCM-MIB', 'ccmPhoneExtnMultiLines'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddress'), ('CISCO-CCM-MIB', 'ccmRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmUnregisteredPhones'), ('CISCO-CCM-MIB', 'ccmRejectedPhones'), ('CISCO-CCM-MIB', 'ccmPhoneTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group_rev2 = ccmPhoneInfoGroupRev2.setStatus('obsolete')
ccm_gateway_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 14)).setObjects(('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayType'), ('CISCO-CCM-MIB', 'ccmGatewayDescription'), ('CISCO-CCM-MIB', 'ccmGatewayStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmGatewayProductId'), ('CISCO-CCM-MIB', 'ccmGatewayStatusReason'), ('CISCO-CCM-MIB', 'ccmGatewayTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmGatewayTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmGatewayDChannelStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDChannelNumber'), ('CISCO-CCM-MIB', 'ccmRegisteredGateways'), ('CISCO-CCM-MIB', 'ccmUnregisteredGateways'), ('CISCO-CCM-MIB', 'ccmRejectedGateways'), ('CISCO-CCM-MIB', 'ccmGatewayTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_gateway_info_group_rev2 = ccmGatewayInfoGroupRev2.setStatus('obsolete')
ccm_media_device_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 15)).setObjects(('CISCO-CCM-MIB', 'ccmMediaDeviceName'), ('CISCO-CCM-MIB', 'ccmMediaDeviceType'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDescription'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatus'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressType'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddress'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatusReason'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmRegisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmRejectedMediaDevices'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_media_device_info_group_rev1 = ccmMediaDeviceInfoGroupRev1.setStatus('obsolete')
ccm_cti_device_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 16)).setObjects(('CISCO-CCM-MIB', 'ccmCTIDeviceName'), ('CISCO-CCM-MIB', 'ccmCTIDeviceType'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDescription'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatus'), ('CISCO-CCM-MIB', 'ccmCTIDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressType'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddress'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatusReason'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmRejectedCTIDevices'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTableStateId'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNumTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_cti_device_info_group_rev1 = ccmCTIDeviceInfoGroupRev1.setStatus('obsolete')
ccm_h323_device_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 17)).setObjects(('CISCO-CCM-MIB', 'ccmH323DevName'), ('CISCO-CCM-MIB', 'ccmH323DevProductId'), ('CISCO-CCM-MIB', 'ccmH323DevDescription'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevStatus'), ('CISCO-CCM-MIB', 'ccmH323DevStatusReason'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddress'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_h323_device_info_group = ccmH323DeviceInfoGroup.setStatus('obsolete')
ccm_voice_mail_device_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 18)).setObjects(('CISCO-CCM-MIB', 'ccmVMailDevName'), ('CISCO-CCM-MIB', 'ccmVMailDevProductId'), ('CISCO-CCM-MIB', 'ccmVMailDevDescription'), ('CISCO-CCM-MIB', 'ccmVMailDevStatus'), ('CISCO-CCM-MIB', 'ccmVMailDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmVMailDevInetAddress'), ('CISCO-CCM-MIB', 'ccmVMailDevStatusReason'), ('CISCO-CCM-MIB', 'ccmVMailDevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmVMailDevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmVMailDevDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmRejectedVoiceMailDevices'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_voice_mail_device_info_group = ccmVoiceMailDeviceInfoGroup.setStatus('obsolete')
ccm_notifications_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 19)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmCallManagerAlarmEnable'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'), ('CISCO-CCM-MIB', 'ccmPhoneFailedTime'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedMacAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailedAlarmInterval'), ('CISCO-CCM-MIB', 'ccmPhoneFailedStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhFailedTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'), ('CISCO-CCM-MIB', 'ccmPhoneStatusPhoneIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTime'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateType'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateReason'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateAlarmInterv'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTableStateId'), ('CISCO-CCM-MIB', 'ccmPhStatUpdtTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmGatewayAlarmEnable'), ('CISCO-CCM-MIB', 'ccmGatewayFailCauseCode'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'), ('CISCO-CCM-MIB', 'ccmRouteListName'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_info_group_rev1 = ccmNotificationsInfoGroupRev1.setStatus('obsolete')
ccm_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 20)).setObjects(('CISCO-CCM-MIB', 'ccmGroupName'), ('CISCO-CCM-MIB', 'ccmGroupTftpDefault'), ('CISCO-CCM-MIB', 'ccmName'), ('CISCO-CCM-MIB', 'ccmDescription'), ('CISCO-CCM-MIB', 'ccmVersion'), ('CISCO-CCM-MIB', 'ccmStatus'), ('CISCO-CCM-MIB', 'ccmInetAddressType'), ('CISCO-CCM-MIB', 'ccmInetAddress'), ('CISCO-CCM-MIB', 'ccmClusterId'), ('CISCO-CCM-MIB', 'ccmCMGroupMappingCMPriority'), ('CISCO-CCM-MIB', 'ccmRegionName'), ('CISCO-CCM-MIB', 'ccmRegionAvailableBandWidth'), ('CISCO-CCM-MIB', 'ccmTimeZoneName'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffsetHours'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffsetMinutes'), ('CISCO-CCM-MIB', 'ccmDevicePoolName'), ('CISCO-CCM-MIB', 'ccmDevicePoolRegionIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolTimeZoneIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolGroupIndex'), ('CISCO-CCM-MIB', 'ccmProductType'), ('CISCO-CCM-MIB', 'ccmProductName'), ('CISCO-CCM-MIB', 'ccmProductCategory'), ('CISCO-CCM-MIB', 'ccmCallManagerStartTime'), ('CISCO-CCM-MIB', 'ccmSystemVersion'), ('CISCO-CCM-MIB', 'ccmInstallationId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_info_group_rev3 = ccmInfoGroupRev3.setStatus('obsolete')
ccm_notifications_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 21)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmCallManagerAlarmEnable'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'), ('CISCO-CCM-MIB', 'ccmPhoneFailedTime'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedMacAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailedAlarmInterval'), ('CISCO-CCM-MIB', 'ccmPhoneFailedStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhFailedTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'), ('CISCO-CCM-MIB', 'ccmPhoneStatusPhoneIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTime'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateType'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateReason'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateAlarmInterv'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTableStateId'), ('CISCO-CCM-MIB', 'ccmPhStatUpdtTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmGatewayAlarmEnable'), ('CISCO-CCM-MIB', 'ccmGatewayFailCauseCode'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'), ('CISCO-CCM-MIB', 'ccmRouteListName'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'), ('CISCO-CCM-MIB', 'ccmMaliciousCallAlarmEnable'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallTime'), ('CISCO-CCM-MIB', 'ccmQualityReportAlarmEnable'), ('CISCO-CCM-MIB', 'ccmQualityRprtSourceDevName'), ('CISCO-CCM-MIB', 'ccmQualityRprtClusterId'), ('CISCO-CCM-MIB', 'ccmQualityRprtCategory'), ('CISCO-CCM-MIB', 'ccmQualityRprtReasonCode'), ('CISCO-CCM-MIB', 'ccmQualityRprtTime'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_info_group_rev2 = ccmNotificationsInfoGroupRev2.setStatus('obsolete')
ccm_notifications_group_rev1 = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 22)).setObjects(('CISCO-CCM-MIB', 'ccmCallManagerFailed'), ('CISCO-CCM-MIB', 'ccmPhoneFailed'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdate'), ('CISCO-CCM-MIB', 'ccmGatewayFailed'), ('CISCO-CCM-MIB', 'ccmMediaResourceListExhausted'), ('CISCO-CCM-MIB', 'ccmRouteListExhausted'), ('CISCO-CCM-MIB', 'ccmGatewayLayer2Change'), ('CISCO-CCM-MIB', 'ccmMaliciousCall'), ('CISCO-CCM-MIB', 'ccmQualityReport'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_group_rev1 = ccmNotificationsGroupRev1.setStatus('obsolete')
ccm_sip_device_info_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 23)).setObjects(('CISCO-CCM-MIB', 'ccmSIPDevName'), ('CISCO-CCM-MIB', 'ccmSIPDevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmSIPDevDescription'), ('CISCO-CCM-MIB', 'ccmSIPDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmSIPDevInetAddress'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_sip_device_info_group = ccmSIPDeviceInfoGroup.setStatus('obsolete')
ccm_phone_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 24)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusReason'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmPhoneProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmPhoneExtn'), ('CISCO-CCM-MIB', 'ccmPhoneExtnMultiLines'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddress'), ('CISCO-CCM-MIB', 'ccmRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmUnregisteredPhones'), ('CISCO-CCM-MIB', 'ccmRejectedPhones'), ('CISCO-CCM-MIB', 'ccmPhoneTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group_rev3 = ccmPhoneInfoGroupRev3.setStatus('obsolete')
ccm_gateway_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 25)).setObjects(('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayDescription'), ('CISCO-CCM-MIB', 'ccmGatewayStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmGatewayStatusReason'), ('CISCO-CCM-MIB', 'ccmGatewayTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmGatewayTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmGatewayDChannelStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDChannelNumber'), ('CISCO-CCM-MIB', 'ccmGatewayProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmRegisteredGateways'), ('CISCO-CCM-MIB', 'ccmUnregisteredGateways'), ('CISCO-CCM-MIB', 'ccmRejectedGateways'), ('CISCO-CCM-MIB', 'ccmGatewayTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_gateway_info_group_rev3 = ccmGatewayInfoGroupRev3.setStatus('deprecated')
ccm_media_device_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 26)).setObjects(('CISCO-CCM-MIB', 'ccmMediaDeviceName'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDescription'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatus'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressType'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddress'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatusReason'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmMediaDeviceProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmRegisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmRejectedMediaDevices'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_media_device_info_group_rev2 = ccmMediaDeviceInfoGroupRev2.setStatus('deprecated')
ccm_cti_device_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 27)).setObjects(('CISCO-CCM-MIB', 'ccmCTIDeviceName'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDescription'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatus'), ('CISCO-CCM-MIB', 'ccmCTIDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressType'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddress'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatusReason'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmCTIDeviceProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmRejectedCTIDevices'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTableStateId'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNumTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_cti_device_info_group_rev2 = ccmCTIDeviceInfoGroupRev2.setStatus('deprecated')
ccm_h323_device_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 28)).setObjects(('CISCO-CCM-MIB', 'ccmH323DevName'), ('CISCO-CCM-MIB', 'ccmH323DevDescription'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevStatus'), ('CISCO-CCM-MIB', 'ccmH323DevStatusReason'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevProductTypeIndex'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_h323_device_info_group_rev1 = ccmH323DeviceInfoGroupRev1.setStatus('obsolete')
ccm_voice_mail_device_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 29)).setObjects(('CISCO-CCM-MIB', 'ccmVMailDevName'), ('CISCO-CCM-MIB', 'ccmVMailDevDescription'), ('CISCO-CCM-MIB', 'ccmVMailDevStatus'), ('CISCO-CCM-MIB', 'ccmVMailDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmVMailDevInetAddress'), ('CISCO-CCM-MIB', 'ccmVMailDevStatusReason'), ('CISCO-CCM-MIB', 'ccmVMailDevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmVMailDevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmVMailDevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmVMailDevDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmRejectedVoiceMailDevices'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_voice_mail_device_info_group_rev1 = ccmVoiceMailDeviceInfoGroupRev1.setStatus('deprecated')
ccm_phone_info_group_rev4 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 30)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusReason'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmPhoneProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmPhoneProtocol'), ('CISCO-CCM-MIB', 'ccmPhoneName'), ('CISCO-CCM-MIB', 'ccmPhoneExtn'), ('CISCO-CCM-MIB', 'ccmPhoneExtnMultiLines'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneExtnStatus'), ('CISCO-CCM-MIB', 'ccmRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmUnregisteredPhones'), ('CISCO-CCM-MIB', 'ccmRejectedPhones'), ('CISCO-CCM-MIB', 'ccmPartiallyRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmPhoneTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionTableStateId'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group_rev4 = ccmPhoneInfoGroupRev4.setStatus('deprecated')
ccm_sip_device_info_group_rev1 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 31)).setObjects(('CISCO-CCM-MIB', 'ccmSIPDevName'), ('CISCO-CCM-MIB', 'ccmSIPDevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmSIPDevDescription'), ('CISCO-CCM-MIB', 'ccmSIPDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmSIPDevInetAddress'), ('CISCO-CCM-MIB', 'ccmSIPInTransportProtocolType'), ('CISCO-CCM-MIB', 'ccmSIPInPortNumber'), ('CISCO-CCM-MIB', 'ccmSIPOutTransportProtocolType'), ('CISCO-CCM-MIB', 'ccmSIPOutPortNumber'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_sip_device_info_group_rev1 = ccmSIPDeviceInfoGroupRev1.setStatus('deprecated')
ccm_notifications_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 32)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmCallManagerAlarmEnable'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'), ('CISCO-CCM-MIB', 'ccmPhoneFailedTime'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedMacAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailedAlarmInterval'), ('CISCO-CCM-MIB', 'ccmPhoneFailedStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhFailedTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'), ('CISCO-CCM-MIB', 'ccmPhoneStatusPhoneIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTime'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateType'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateReason'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateAlarmInterv'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTableStateId'), ('CISCO-CCM-MIB', 'ccmPhStatUpdtTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmGatewayAlarmEnable'), ('CISCO-CCM-MIB', 'ccmGatewayFailCauseCode'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'), ('CISCO-CCM-MIB', 'ccmRouteListName'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'), ('CISCO-CCM-MIB', 'ccmMaliciousCallAlarmEnable'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallTime'), ('CISCO-CCM-MIB', 'ccmQualityReportAlarmEnable'), ('CISCO-CCM-MIB', 'ccmQualityRprtSourceDevName'), ('CISCO-CCM-MIB', 'ccmQualityRprtClusterId'), ('CISCO-CCM-MIB', 'ccmQualityRprtCategory'), ('CISCO-CCM-MIB', 'ccmQualityRprtReasonCode'), ('CISCO-CCM-MIB', 'ccmQualityRprtTime'), ('CISCO-CCM-MIB', 'ccmTLSDevName'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddress'), ('CISCO-CCM-MIB', 'ccmTLSConnFailTime'), ('CISCO-CCM-MIB', 'ccmTLSConnectionFailReasonCode'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_info_group_rev3 = ccmNotificationsInfoGroupRev3.setStatus('deprecated')
ccm_notifications_group_rev2 = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 33)).setObjects(('CISCO-CCM-MIB', 'ccmCallManagerFailed'), ('CISCO-CCM-MIB', 'ccmPhoneFailed'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdate'), ('CISCO-CCM-MIB', 'ccmGatewayFailed'), ('CISCO-CCM-MIB', 'ccmMediaResourceListExhausted'), ('CISCO-CCM-MIB', 'ccmRouteListExhausted'), ('CISCO-CCM-MIB', 'ccmGatewayLayer2Change'), ('CISCO-CCM-MIB', 'ccmMaliciousCall'), ('CISCO-CCM-MIB', 'ccmQualityReport'), ('CISCO-CCM-MIB', 'ccmTLSConnectionFailure'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_group_rev2 = ccmNotificationsGroupRev2.setStatus('deprecated')
ccm_info_group_rev4 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 34)).setObjects(('CISCO-CCM-MIB', 'ccmGroupName'), ('CISCO-CCM-MIB', 'ccmGroupTftpDefault'), ('CISCO-CCM-MIB', 'ccmName'), ('CISCO-CCM-MIB', 'ccmDescription'), ('CISCO-CCM-MIB', 'ccmVersion'), ('CISCO-CCM-MIB', 'ccmStatus'), ('CISCO-CCM-MIB', 'ccmInetAddressType'), ('CISCO-CCM-MIB', 'ccmInetAddress'), ('CISCO-CCM-MIB', 'ccmClusterId'), ('CISCO-CCM-MIB', 'ccmCMGroupMappingCMPriority'), ('CISCO-CCM-MIB', 'ccmRegionName'), ('CISCO-CCM-MIB', 'ccmRegionAvailableBandWidth'), ('CISCO-CCM-MIB', 'ccmTimeZoneName'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffsetHours'), ('CISCO-CCM-MIB', 'ccmTimeZoneOffsetMinutes'), ('CISCO-CCM-MIB', 'ccmDevicePoolName'), ('CISCO-CCM-MIB', 'ccmDevicePoolRegionIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolTimeZoneIndex'), ('CISCO-CCM-MIB', 'ccmDevicePoolGroupIndex'), ('CISCO-CCM-MIB', 'ccmProductType'), ('CISCO-CCM-MIB', 'ccmProductName'), ('CISCO-CCM-MIB', 'ccmProductCategory'), ('CISCO-CCM-MIB', 'ccmCallManagerStartTime'), ('CISCO-CCM-MIB', 'ccmSystemVersion'), ('CISCO-CCM-MIB', 'ccmInstallationId'), ('CISCO-CCM-MIB', 'ccmInetAddress2Type'), ('CISCO-CCM-MIB', 'ccmInetAddress2'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_info_group_rev4 = ccmInfoGroupRev4.setStatus('current')
ccm_phone_info_group_rev5 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 35)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusReason'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmPhoneProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmPhoneProtocol'), ('CISCO-CCM-MIB', 'ccmPhoneName'), ('CISCO-CCM-MIB', 'ccmPhoneExtn'), ('CISCO-CCM-MIB', 'ccmPhoneExtnMultiLines'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneExtnStatus'), ('CISCO-CCM-MIB', 'ccmRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmUnregisteredPhones'), ('CISCO-CCM-MIB', 'ccmRejectedPhones'), ('CISCO-CCM-MIB', 'ccmPartiallyRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmPhoneTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmPhoneIPv4Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneIPv6Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneActiveLoadID'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group_rev5 = ccmPhoneInfoGroupRev5.setStatus('deprecated')
ccm_media_device_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 36)).setObjects(('CISCO-CCM-MIB', 'ccmMediaDeviceName'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDescription'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatus'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatusReason'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmMediaDeviceProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmRegisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmRejectedMediaDevices'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressIPv6'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_media_device_info_group_rev3 = ccmMediaDeviceInfoGroupRev3.setStatus('deprecated')
ccm_sip_device_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 37)).setObjects(('CISCO-CCM-MIB', 'ccmSIPDevName'), ('CISCO-CCM-MIB', 'ccmSIPDevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmSIPDevDescription'), ('CISCO-CCM-MIB', 'ccmSIPInTransportProtocolType'), ('CISCO-CCM-MIB', 'ccmSIPInPortNumber'), ('CISCO-CCM-MIB', 'ccmSIPOutTransportProtocolType'), ('CISCO-CCM-MIB', 'ccmSIPOutPortNumber'), ('CISCO-CCM-MIB', 'ccmSIPDevInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmSIPDevInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmSIPTableEntries'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_sip_device_info_group_rev2 = ccmSIPDeviceInfoGroupRev2.setStatus('current')
ccm_notifications_info_group_rev4 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 38)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmCallManagerAlarmEnable'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'), ('CISCO-CCM-MIB', 'ccmPhoneFailedTime'), ('CISCO-CCM-MIB', 'ccmPhoneFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedMacAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailedAlarmInterval'), ('CISCO-CCM-MIB', 'ccmPhoneFailedStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhFailedTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'), ('CISCO-CCM-MIB', 'ccmPhoneStatusPhoneIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTime'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateType'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateReason'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateAlarmInterv'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTableStateId'), ('CISCO-CCM-MIB', 'ccmPhStatUpdtTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmGatewayAlarmEnable'), ('CISCO-CCM-MIB', 'ccmGatewayFailCauseCode'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'), ('CISCO-CCM-MIB', 'ccmRouteListName'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'), ('CISCO-CCM-MIB', 'ccmMaliciousCallAlarmEnable'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallTime'), ('CISCO-CCM-MIB', 'ccmQualityReportAlarmEnable'), ('CISCO-CCM-MIB', 'ccmQualityRprtSourceDevName'), ('CISCO-CCM-MIB', 'ccmQualityRprtClusterId'), ('CISCO-CCM-MIB', 'ccmQualityRprtCategory'), ('CISCO-CCM-MIB', 'ccmQualityRprtReasonCode'), ('CISCO-CCM-MIB', 'ccmQualityRprtTime'), ('CISCO-CCM-MIB', 'ccmTLSDevName'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddress'), ('CISCO-CCM-MIB', 'ccmTLSConnFailTime'), ('CISCO-CCM-MIB', 'ccmTLSConnectionFailReasonCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmPhoneFailedIPv4Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneFailedIPv6Attribute'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_info_group_rev4 = ccmNotificationsInfoGroupRev4.setStatus('deprecated')
ccm_h323_device_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 39)).setObjects(('CISCO-CCM-MIB', 'ccmH323DevName'), ('CISCO-CCM-MIB', 'ccmH323DevDescription'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevStatus'), ('CISCO-CCM-MIB', 'ccmH323DevStatusReason'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmH323TableEntries'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_h323_device_info_group_rev2 = ccmH323DeviceInfoGroupRev2.setStatus('deprecated')
ccm_cti_device_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 40)).setObjects(('CISCO-CCM-MIB', 'ccmCTIDeviceName'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDescription'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatus'), ('CISCO-CCM-MIB', 'ccmCTIDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatusReason'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmCTIDeviceProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmRejectedCTIDevices'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTableStateId'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNumTableStateId'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressIPv6'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_cti_device_info_group_rev3 = ccmCTIDeviceInfoGroupRev3.setStatus('deprecated')
ccm_phone_info_group_rev6 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 41)).setObjects(('CISCO-CCM-MIB', 'ccmPhonePhysicalAddress'), ('CISCO-CCM-MIB', 'ccmPhoneDescription'), ('CISCO-CCM-MIB', 'ccmPhoneUserName'), ('CISCO-CCM-MIB', 'ccmPhoneStatus'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmPhoneE911Location'), ('CISCO-CCM-MIB', 'ccmPhoneLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmPhoneTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmPhoneProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmPhoneProtocol'), ('CISCO-CCM-MIB', 'ccmPhoneName'), ('CISCO-CCM-MIB', 'ccmPhoneExtn'), ('CISCO-CCM-MIB', 'ccmPhoneExtnMultiLines'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddressType'), ('CISCO-CCM-MIB', 'ccmPhoneExtnInetAddress'), ('CISCO-CCM-MIB', 'ccmPhoneExtnStatus'), ('CISCO-CCM-MIB', 'ccmRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmUnregisteredPhones'), ('CISCO-CCM-MIB', 'ccmRejectedPhones'), ('CISCO-CCM-MIB', 'ccmPartiallyRegisteredPhones'), ('CISCO-CCM-MIB', 'ccmPhoneTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneExtensionTableStateId'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmPhoneInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmPhoneIPv4Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneIPv6Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneActiveLoadID'), ('CISCO-CCM-MIB', 'ccmPhoneUnregReason'), ('CISCO-CCM-MIB', 'ccmPhoneRegFailReason'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_phone_info_group_rev6 = ccmPhoneInfoGroupRev6.setStatus('current')
ccm_notifications_info_group_rev5 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 42)).setObjects(('CISCO-CCM-MIB', 'ccmAlarmSeverity'), ('CISCO-CCM-MIB', 'ccmCallManagerAlarmEnable'), ('CISCO-CCM-MIB', 'ccmFailCauseCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailures'), ('CISCO-CCM-MIB', 'ccmPhoneFailedTime'), ('CISCO-CCM-MIB', 'ccmPhoneFailedMacAddress'), ('CISCO-CCM-MIB', 'ccmPhoneFailedAlarmInterval'), ('CISCO-CCM-MIB', 'ccmPhoneFailedStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhFailedTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmPhoneUpdates'), ('CISCO-CCM-MIB', 'ccmPhoneStatusPhoneIndex'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTime'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateType'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateAlarmInterv'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateStorePeriod'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdateTableStateId'), ('CISCO-CCM-MIB', 'ccmPhStatUpdtTblLastAddedIndex'), ('CISCO-CCM-MIB', 'ccmGatewayAlarmEnable'), ('CISCO-CCM-MIB', 'ccmMediaResourceType'), ('CISCO-CCM-MIB', 'ccmMediaResourceListName'), ('CISCO-CCM-MIB', 'ccmRouteListName'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfIndex'), ('CISCO-CCM-MIB', 'ccmGatewayPhysIfL2Status'), ('CISCO-CCM-MIB', 'ccmMaliciousCallAlarmEnable'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCalledDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyName'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingPartyNumber'), ('CISCO-CCM-MIB', 'ccmMaliCallCallingDeviceName'), ('CISCO-CCM-MIB', 'ccmMaliCallTime'), ('CISCO-CCM-MIB', 'ccmQualityReportAlarmEnable'), ('CISCO-CCM-MIB', 'ccmQualityRprtSourceDevName'), ('CISCO-CCM-MIB', 'ccmQualityRprtClusterId'), ('CISCO-CCM-MIB', 'ccmQualityRprtCategory'), ('CISCO-CCM-MIB', 'ccmQualityRprtReasonCode'), ('CISCO-CCM-MIB', 'ccmQualityRprtTime'), ('CISCO-CCM-MIB', 'ccmTLSDevName'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmTLSDevInetAddress'), ('CISCO-CCM-MIB', 'ccmTLSConnFailTime'), ('CISCO-CCM-MIB', 'ccmTLSConnectionFailReasonCode'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmPhoneFailedInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmPhoneFailedIPv4Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneFailedIPv6Attribute'), ('CISCO-CCM-MIB', 'ccmPhoneFailedRegFailReason'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUnregReason'), ('CISCO-CCM-MIB', 'ccmPhoneStatusRegFailReason'), ('CISCO-CCM-MIB', 'ccmGatewayRegFailCauseCode'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_info_group_rev5 = ccmNotificationsInfoGroupRev5.setStatus('current')
ccm_gateway_info_group_rev4 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 43)).setObjects(('CISCO-CCM-MIB', 'ccmGatewayName'), ('CISCO-CCM-MIB', 'ccmGatewayDescription'), ('CISCO-CCM-MIB', 'ccmGatewayStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddressType'), ('CISCO-CCM-MIB', 'ccmGatewayInetAddress'), ('CISCO-CCM-MIB', 'ccmGatewayTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmGatewayTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmGatewayDChannelStatus'), ('CISCO-CCM-MIB', 'ccmGatewayDChannelNumber'), ('CISCO-CCM-MIB', 'ccmGatewayProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmRegisteredGateways'), ('CISCO-CCM-MIB', 'ccmUnregisteredGateways'), ('CISCO-CCM-MIB', 'ccmRejectedGateways'), ('CISCO-CCM-MIB', 'ccmGatewayTableStateId'), ('CISCO-CCM-MIB', 'ccmGatewayUnregReason'), ('CISCO-CCM-MIB', 'ccmGatewayRegFailReason'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_gateway_info_group_rev4 = ccmGatewayInfoGroupRev4.setStatus('current')
ccm_media_device_info_group_rev4 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 44)).setObjects(('CISCO-CCM-MIB', 'ccmMediaDeviceName'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDescription'), ('CISCO-CCM-MIB', 'ccmMediaDeviceStatus'), ('CISCO-CCM-MIB', 'ccmMediaDeviceDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmMediaDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmMediaDeviceProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmRegisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredMediaDevices'), ('CISCO-CCM-MIB', 'ccmRejectedMediaDevices'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmMediaDeviceInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmMediaDeviceUnregReason'), ('CISCO-CCM-MIB', 'ccmMediaDeviceRegFailReason'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_media_device_info_group_rev4 = ccmMediaDeviceInfoGroupRev4.setStatus('current')
ccm_cti_device_info_group_rev4 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 45)).setObjects(('CISCO-CCM-MIB', 'ccmCTIDeviceName'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDescription'), ('CISCO-CCM-MIB', 'ccmCTIDeviceStatus'), ('CISCO-CCM-MIB', 'ccmCTIDevicePoolIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmCTIDeviceProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredCTIDevices'), ('CISCO-CCM-MIB', 'ccmRejectedCTIDevices'), ('CISCO-CCM-MIB', 'ccmCTIDeviceTableStateId'), ('CISCO-CCM-MIB', 'ccmCTIDeviceDirNumTableStateId'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressIPv4'), ('CISCO-CCM-MIB', 'ccmCTIDeviceInetAddressIPv6'), ('CISCO-CCM-MIB', 'ccmCTIDeviceUnregReason'), ('CISCO-CCM-MIB', 'ccmCTIDeviceRegFailReason'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_cti_device_info_group_rev4 = ccmCTIDeviceInfoGroupRev4.setStatus('current')
ccm_h323_device_info_group_rev3 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 46)).setObjects(('CISCO-CCM-MIB', 'ccmH323DevName'), ('CISCO-CCM-MIB', 'ccmH323DevDescription'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevCnfgGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK4InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevAltGK5InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevActGKInetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevStatus'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmH323DevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM1InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM2InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddressType'), ('CISCO-CCM-MIB', 'ccmH323DevRmtCM3InetAddress'), ('CISCO-CCM-MIB', 'ccmH323DevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmH323TableEntries'), ('CISCO-CCM-MIB', 'ccmH323DevUnregReason'), ('CISCO-CCM-MIB', 'ccmH323DevRegFailReason'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_h323_device_info_group_rev3 = ccmH323DeviceInfoGroupRev3.setStatus('current')
ccm_voice_mail_device_info_group_rev2 = object_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 47)).setObjects(('CISCO-CCM-MIB', 'ccmVMailDevName'), ('CISCO-CCM-MIB', 'ccmVMailDevDescription'), ('CISCO-CCM-MIB', 'ccmVMailDevStatus'), ('CISCO-CCM-MIB', 'ccmVMailDevInetAddressType'), ('CISCO-CCM-MIB', 'ccmVMailDevInetAddress'), ('CISCO-CCM-MIB', 'ccmVMailDevTimeLastStatusUpdt'), ('CISCO-CCM-MIB', 'ccmVMailDevTimeLastRegistered'), ('CISCO-CCM-MIB', 'ccmVMailDevProductTypeIndex'), ('CISCO-CCM-MIB', 'ccmVMailDevDirNum'), ('CISCO-CCM-MIB', 'ccmRegisteredVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmUnregisteredVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmRejectedVoiceMailDevices'), ('CISCO-CCM-MIB', 'ccmVMailDevUnregReason'), ('CISCO-CCM-MIB', 'ccmVMailDevRegFailReason'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_voice_mail_device_info_group_rev2 = ccmVoiceMailDeviceInfoGroupRev2.setStatus('current')
ccm_notifications_group_rev3 = notification_group((1, 3, 6, 1, 4, 1, 9, 9, 156, 3, 2, 48)).setObjects(('CISCO-CCM-MIB', 'ccmCallManagerFailed'), ('CISCO-CCM-MIB', 'ccmPhoneFailed'), ('CISCO-CCM-MIB', 'ccmPhoneStatusUpdate'), ('CISCO-CCM-MIB', 'ccmGatewayFailedReason'), ('CISCO-CCM-MIB', 'ccmMediaResourceListExhausted'), ('CISCO-CCM-MIB', 'ccmRouteListExhausted'), ('CISCO-CCM-MIB', 'ccmGatewayLayer2Change'), ('CISCO-CCM-MIB', 'ccmMaliciousCall'), ('CISCO-CCM-MIB', 'ccmQualityReport'), ('CISCO-CCM-MIB', 'ccmTLSConnectionFailure'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ccm_notifications_group_rev3 = ccmNotificationsGroupRev3.setStatus('current')
mibBuilder.exportSymbols('CISCO-CCM-MIB', ccmPhoneExtnInetAddress=ccmPhoneExtnInetAddress, ccmPhoneInfo=ccmPhoneInfo, ccmH323DevAltGK3InetAddress=ccmH323DevAltGK3InetAddress, ccmDevicePoolRegionIndex=ccmDevicePoolRegionIndex, ccmMediaDeviceInetAddress=ccmMediaDeviceInetAddress, ccmPhoneStatusRegFailReason=ccmPhoneStatusRegFailReason, ccmPhoneFailedInetAddressIPv6=ccmPhoneFailedInetAddressIPv6, ccmVoiceMailDeviceDirNumEntry=ccmVoiceMailDeviceDirNumEntry, ccmUnregisteredPhones=ccmUnregisteredPhones, ccmCTIDeviceTable=ccmCTIDeviceTable, ccmGatewayProductId=ccmGatewayProductId, ccmGroupMappingEntry=ccmGroupMappingEntry, ccmGatekeeperIndex=ccmGatekeeperIndex, ccmPhoneUpdates=ccmPhoneUpdates, ccmRegionDestIndex=ccmRegionDestIndex, ccmRegisteredVoiceMailDevices=ccmRegisteredVoiceMailDevices, ccmMediaDeviceProductTypeIndex=ccmMediaDeviceProductTypeIndex, ccmH323DevAltGK2InetAddressType=ccmH323DevAltGK2InetAddressType, ccmH323DevStatusReason=ccmH323DevStatusReason, ccmTLSDevName=ccmTLSDevName, ccmGatekeeperEntry=ccmGatekeeperEntry, ccmPhoneInetAddress=ccmPhoneInetAddress, ccmRegionAvailableBandWidth=ccmRegionAvailableBandWidth, CcmDeviceStatus=CcmDeviceStatus, ccmPhoneTimeLastRegistered=ccmPhoneTimeLastRegistered, ccmNotificationsInfo=ccmNotificationsInfo, ccmRejectedPhones=ccmRejectedPhones, ccmSIPDevIndex=ccmSIPDevIndex, ccmPhoneUnregReason=ccmPhoneUnregReason, ccmUnregisteredCTIDevices=ccmUnregisteredCTIDevices, ccmSystemVersion=ccmSystemVersion, ccmAlarmConfigInfo=ccmAlarmConfigInfo, ccmMediaDeviceDescription=ccmMediaDeviceDescription, ccmQualityRprtTime=ccmQualityRprtTime, ciscoCcmMIBCompliances=ciscoCcmMIBCompliances, ccmCTIDeviceStatusReason=ccmCTIDeviceStatusReason, ccmPhoneExtensionInetAddress=ccmPhoneExtensionInetAddress, ccmGatewayInfoGroup=ccmGatewayInfoGroup, ccmGatekeeperTable=ccmGatekeeperTable, ccmH323DevAltGK1InetAddress=ccmH323DevAltGK1InetAddress, ccmGatewayInfoGroupRev3=ccmGatewayInfoGroupRev3, ccmGatewayTrunkEntry=ccmGatewayTrunkEntry, ccmMaliCallCalledPartyNumber=ccmMaliCallCalledPartyNumber, ccmCallManagerFailed=ccmCallManagerFailed, ccmTLSDevInetAddressType=ccmTLSDevInetAddressType, ccmPhoneFailedName=ccmPhoneFailedName, ccmTimeZoneIndex=ccmTimeZoneIndex, CcmDevUnregCauseCode=CcmDevUnregCauseCode, ccmMediaDeviceInfoGroupRev1=ccmMediaDeviceInfoGroupRev1, ccmTimeZoneName=ccmTimeZoneName, ccmPhoneFailedInetAddressIPv4=ccmPhoneFailedInetAddressIPv4, ccmGatekeeperInetAddress=ccmGatekeeperInetAddress, ccmCTIDeviceInfoGroupRev1=ccmCTIDeviceInfoGroupRev1, ccmH323DevAltGK5InetAddressType=ccmH323DevAltGK5InetAddressType, ccmMaliCallCalledDeviceName=ccmMaliCallCalledDeviceName, ccmPhoneTable=ccmPhoneTable, CcmIndexOrZero=CcmIndexOrZero, ccmPhoneFailures=ccmPhoneFailures, ccmRegionName=ccmRegionName, ccmGatewayFailed=ccmGatewayFailed, ccmMediaDeviceStatus=ccmMediaDeviceStatus, ccmH323DeviceInfoGroup=ccmH323DeviceInfoGroup, ccmH323DevCnfgGKInetAddress=ccmH323DevCnfgGKInetAddress, ciscoCcmMIBComplianceRev2=ciscoCcmMIBComplianceRev2, ccmGatewayDChannelStatus=ccmGatewayDChannelStatus, ccmCTIDeviceTimeLastStatusUpdt=ccmCTIDeviceTimeLastStatusUpdt, ccmSIPDevInetAddress=ccmSIPDevInetAddress, ccmH323TableEntries=ccmH323TableEntries, ccmRejectedMediaDevices=ccmRejectedMediaDevices, ccmGatewayIndex=ccmGatewayIndex, ccmH323DevCnfgGKInetAddressType=ccmH323DevCnfgGKInetAddressType, ccmInetAddress2Type=ccmInetAddress2Type, ccmMediaDeviceInfoGroupRev4=ccmMediaDeviceInfoGroupRev4, ccmRouteListExhausted=ccmRouteListExhausted, ccmPhoneEntry=ccmPhoneEntry, ccmGatewayTable=ccmGatewayTable, ccmVMailDevInetAddressType=ccmVMailDevInetAddressType, ccmGatewayPhysIfL2Status=ccmGatewayPhysIfL2Status, ccmPhoneIpAddress=ccmPhoneIpAddress, ccmPhoneIndex=ccmPhoneIndex, ccmRejectedGateways=ccmRejectedGateways, ccmMediaDeviceUnregReason=ccmMediaDeviceUnregReason, ccmCTIDeviceTimeLastRegistered=ccmCTIDeviceTimeLastRegistered, ccmMaliciousCall=ccmMaliciousCall, ccmPhoneInfoGroupRev5=ccmPhoneInfoGroupRev5, ccmNotificationsInfoGroupRev5=ccmNotificationsInfoGroupRev5, ccmH323DevAltGK4InetAddress=ccmH323DevAltGK4InetAddress, ccmVoiceMailDeviceInfoGroupRev1=ccmVoiceMailDeviceInfoGroupRev1, ccmPhoneDevicePoolIndex=ccmPhoneDevicePoolIndex, ccmVoiceMailDeviceInfoGroup=ccmVoiceMailDeviceInfoGroup, ccmDevicePoolName=ccmDevicePoolName, ccmMediaResourceType=ccmMediaResourceType, ciscoCcmMIB=ciscoCcmMIB, CcmSIPTransportProtocolType=CcmSIPTransportProtocolType, ccmSIPTableEntries=ccmSIPTableEntries, ccmTable=ccmTable, ccmGatewayInfoGroupRev1=ccmGatewayInfoGroupRev1, ccmGatewayTrunkTable=ccmGatewayTrunkTable, ccmSIPInPortNumber=ccmSIPInPortNumber, ccmPhoneFailedIPv4Attribute=ccmPhoneFailedIPv4Attribute, ccmH323DevTimeLastStatusUpdt=ccmH323DevTimeLastStatusUpdt, ccmMaliCallCalledPartyName=ccmMaliCallCalledPartyName, ccmGatewayTableStateId=ccmGatewayTableStateId, ccmPhoneFailedStorePeriod=ccmPhoneFailedStorePeriod, ccmPhoneFailedIPv6Attribute=ccmPhoneFailedIPv6Attribute, ccmProductTypeTable=ccmProductTypeTable, ciscoCcmMIBCompliance=ciscoCcmMIBCompliance, ccmPhoneFailedRegFailReason=ccmPhoneFailedRegFailReason, ccmTLSConnectionFailure=ccmTLSConnectionFailure, ccmDevicePoolGroupIndex=ccmDevicePoolGroupIndex, ccmVersion=ccmVersion, ccmCTIDeviceProductTypeIndex=ccmCTIDeviceProductTypeIndex, ccmSIPDeviceTable=ccmSIPDeviceTable, ccmH323DeviceInfoGroupRev3=ccmH323DeviceInfoGroupRev3, ccmPhoneExtensionEntry=ccmPhoneExtensionEntry, ccmStatus=ccmStatus, ccmVMailDevDescription=ccmVMailDevDescription, ccmAlarmSeverity=ccmAlarmSeverity, ccmPhoneTimeLastError=ccmPhoneTimeLastError, ccmVMailDevStatus=ccmVMailDevStatus, ccmGatekeeperName=ccmGatekeeperName, ccmTimeZoneEntry=ccmTimeZoneEntry, ccmTimeZoneOffsetHours=ccmTimeZoneOffsetHours, ccmMediaDeviceTimeLastStatusUpdt=ccmMediaDeviceTimeLastStatusUpdt, ccmPhonePhysicalAddress=ccmPhonePhysicalAddress, ccmH323DevRmtCM1InetAddressType=ccmH323DevRmtCM1InetAddressType, ccmPhoneName=ccmPhoneName, ccmGatewayFailCauseCode=ccmGatewayFailCauseCode, ccmPhoneFailedTime=ccmPhoneFailedTime, ccmH323DevAltGK4InetAddressType=ccmH323DevAltGK4InetAddressType, ccmPhoneExtensionIpAddress=ccmPhoneExtensionIpAddress, ccmPhoneDescription=ccmPhoneDescription, ccmPhoneFailedTable=ccmPhoneFailedTable, ccmVMailDevDirNum=ccmVMailDevDirNum, ccmGatewayInfo=ccmGatewayInfo, ccmPhoneLastError=ccmPhoneLastError, ccmPhoneInfoGroupRev1=ccmPhoneInfoGroupRev1, ccmPhoneExtnMultiLines=ccmPhoneExtnMultiLines, ccmCTIDeviceIndex=ccmCTIDeviceIndex, ccmH323DeviceInfo=ccmH323DeviceInfo, ccmSIPDeviceInfo=ccmSIPDeviceInfo, ciscoCcmMIBConformance=ciscoCcmMIBConformance, ccmMediaDeviceTable=ccmMediaDeviceTable, ccmGatekeeperDescription=ccmGatekeeperDescription, ccmH323DevTimeLastRegistered=ccmH323DevTimeLastRegistered, ccmPhoneExtn=ccmPhoneExtn, ciscoCcmMIBComplianceRev7=ciscoCcmMIBComplianceRev7, ccmPhoneStatus=ccmPhoneStatus, ccmGatewayAlarmEnable=ccmGatewayAlarmEnable, PYSNMP_MODULE_ID=ciscoCcmMIB, ccmPhoneStatusUpdateReason=ccmPhoneStatusUpdateReason, ccmGatewayTrunkName=ccmGatewayTrunkName, ccmGatewayTrunkIndex=ccmGatewayTrunkIndex, ciscoCcmMIBComplianceRev3=ciscoCcmMIBComplianceRev3, ccmPhoneStatusUpdateTableStateId=ccmPhoneStatusUpdateTableStateId, ccmQualityReportAlarmConfigInfo=ccmQualityReportAlarmConfigInfo, ccmGatewayRegFailCauseCode=ccmGatewayRegFailCauseCode, ccmRegisteredGateways=ccmRegisteredGateways, ccmH323DeviceInfoGroupRev1=ccmH323DeviceInfoGroupRev1, ccmTimeZoneOffset=ccmTimeZoneOffset, ccmGroupTftpDefault=ccmGroupTftpDefault, ccmPhoneUserName=ccmPhoneUserName, ccmH323DeviceTable=ccmH323DeviceTable, ccmGatewayName=ccmGatewayName, ccmCTIDeviceDirNumEntry=ccmCTIDeviceDirNumEntry, ccmGeneralInfo=ccmGeneralInfo, ccmVMailDevStatusReason=ccmVMailDevStatusReason, ccmGatewayRegFailReason=ccmGatewayRegFailReason, ccmMediaDeviceRegFailReason=ccmMediaDeviceRegFailReason, ccmMaliCallCallingPartyNumber=ccmMaliCallCallingPartyNumber, ccmPhoneExtnStatus=ccmPhoneExtnStatus, ccmSIPInTransportProtocolType=ccmSIPInTransportProtocolType, ccmH323DevRmtCM1InetAddress=ccmH323DevRmtCM1InetAddress, ccmUnregisteredVoiceMailDevices=ccmUnregisteredVoiceMailDevices, ccmMaliCallCallingDeviceName=ccmMaliCallCallingDeviceName, ccmDevicePoolIndex=ccmDevicePoolIndex, ccmActivePhones=ccmActivePhones, ccmInfoGroupRev1=ccmInfoGroupRev1, ccmH323DevAltGK2InetAddress=ccmH323DevAltGK2InetAddress, ccmNotificationsGroupRev1=ccmNotificationsGroupRev1, ccmGatewayFailedReason=ccmGatewayFailedReason, ccmQualityRprtCategory=ccmQualityRprtCategory, ccmInfoGroupRev2=ccmInfoGroupRev2, ccmCTIDeviceInetAddress=ccmCTIDeviceInetAddress, ccmVMailDevName=ccmVMailDevName, ccmRegionTable=ccmRegionTable, ciscoCcmMIBObjects=ciscoCcmMIBObjects, ccmGatewayDescription=ccmGatewayDescription, ccmGatewayUnregReason=ccmGatewayUnregReason, ccmTLSDevInetAddress=ccmTLSDevInetAddress, ccmDescription=ccmDescription, ccmCTIDeviceInfoGroupRev3=ccmCTIDeviceInfoGroupRev3, ccmPhoneTableStateId=ccmPhoneTableStateId, ccmH323DevUnregReason=ccmH323DevUnregReason, ccmVoiceMailDeviceInfoGroupRev2=ccmVoiceMailDeviceInfoGroupRev2, ccmH323DevActGKInetAddress=ccmH323DevActGKInetAddress, ccmGatewayInfoGroupRev4=ccmGatewayInfoGroupRev4, ccmSIPDevProductTypeIndex=ccmSIPDevProductTypeIndex, ccmInActivePhones=ccmInActivePhones, CcmDeviceLineStatus=CcmDeviceLineStatus, ccmRejectedVoiceMailDevices=ccmRejectedVoiceMailDevices, ccmSIPDevInetAddressIPv4=ccmSIPDevInetAddressIPv4, ccmCTIDeviceEntry=ccmCTIDeviceEntry, ccmNotificationsInfoGroupRev2=ccmNotificationsInfoGroupRev2, CcmDeviceProductId=CcmDeviceProductId, CcmPhoneProtocolType=CcmPhoneProtocolType, ccmGatewayInetAddressType=ccmGatewayInetAddressType, ccmMediaDeviceInetAddressIPv4=ccmMediaDeviceInetAddressIPv4, ccmCTIDeviceInfo=ccmCTIDeviceInfo, ccmSIPDeviceEntry=ccmSIPDeviceEntry, ccmRegisteredCTIDevices=ccmRegisteredCTIDevices, ccmCTIDeviceDirNumTable=ccmCTIDeviceDirNumTable, ccmGatewayDevicePoolIndex=ccmGatewayDevicePoolIndex, ccmRegionIndex=ccmRegionIndex, ccmDevicePoolTable=ccmDevicePoolTable, ccmPhoneFailedMacAddress=ccmPhoneFailedMacAddress, ccmCTIDevicePoolIndex=ccmCTIDevicePoolIndex, ccmMaliCallCallingPartyName=ccmMaliCallCallingPartyName, ccmPhoneActiveLoadID=ccmPhoneActiveLoadID, ccmVoiceMailDeviceDirNumTable=ccmVoiceMailDeviceDirNumTable, ccmCTIDeviceDescription=ccmCTIDeviceDescription, ccmMediaDeviceInfoGroupRev3=ccmMediaDeviceInfoGroupRev3, ccmPhoneInetAddressType=ccmPhoneInetAddressType, ccmInstallationId=ccmInstallationId, ccmGlobalInfo=ccmGlobalInfo, ccmCallManagerStartTime=ccmCallManagerStartTime, ccmGatewayTrunkType=ccmGatewayTrunkType, ccmPhoneInfoGroup=ccmPhoneInfoGroup, ccmPhoneInetAddressIPv6=ccmPhoneInetAddressIPv6, ccmVMailDevRegFailReason=ccmVMailDevRegFailReason, ccmGatekeeperType=ccmGatekeeperType, ccmGatewayProductTypeIndex=ccmGatewayProductTypeIndex, ccmVMailDevInetAddress=ccmVMailDevInetAddress, ccmH323DevInetAddressType=ccmH323DevInetAddressType, ccmGatewayLayer2Change=ccmGatewayLayer2Change, ccmVoiceMailDeviceEntry=ccmVoiceMailDeviceEntry, ccmPhoneFailedAlarmInterval=ccmPhoneFailedAlarmInterval, ccmH323DevRmtCM2InetAddressType=ccmH323DevRmtCM2InetAddressType, ccmPhoneIPv6Attribute=ccmPhoneIPv6Attribute, ccmPhoneExtensionTable=ccmPhoneExtensionTable, ccmNotificationsInfoGroupRev1=ccmNotificationsInfoGroupRev1, ccmH323DevProductId=ccmH323DevProductId, ccmRegionSrcIndex=ccmRegionSrcIndex, ccmGatekeeperStatus=ccmGatekeeperStatus, ccmPhoneInfoGroupRev3=ccmPhoneInfoGroupRev3, ccmPhoneExtnTable=ccmPhoneExtnTable, ccmPhoneStatusUpdateIndex=ccmPhoneStatusUpdateIndex, ccmInetAddress=ccmInetAddress, ccmUnregisteredGateways=ccmUnregisteredGateways, ccmEntry=ccmEntry, ccmNotificationsGroupRev2=ccmNotificationsGroupRev2, ccmH323DevInetAddress=ccmH323DevInetAddress, ccmPhoneFailedIndex=ccmPhoneFailedIndex, ccmGatewayEntry=ccmGatewayEntry)
mibBuilder.exportSymbols('CISCO-CCM-MIB', ccmQualityReport=ccmQualityReport, ccmGatekeeperInfo=ccmGatekeeperInfo, ccmPhoneExtnEntry=ccmPhoneExtnEntry, ccmCTIDeviceInfoGroupRev4=ccmCTIDeviceInfoGroupRev4, ccmMaliciousCallAlarmEnable=ccmMaliciousCallAlarmEnable, ccmCTIDeviceStatus=ccmCTIDeviceStatus, ccmGatewayTrunkInfo=ccmGatewayTrunkInfo, ccmFailCauseCode=ccmFailCauseCode, ciscoCcmMIBComplianceRev5=ciscoCcmMIBComplianceRev5, ccmPhoneInetAddressIPv4=ccmPhoneInetAddressIPv4, ccmProductName=ccmProductName, ccmPhoneRegFailReason=ccmPhoneRegFailReason, ccmGatewayTimeLastStatusUpdt=ccmGatewayTimeLastStatusUpdt, ccmMaliCallTime=ccmMaliCallTime, ccmInetAddressType=ccmInetAddressType, ccmQualityRprtReasonCode=ccmQualityRprtReasonCode, ccmMediaDeviceType=ccmMediaDeviceType, ccmPhFailedTblLastAddedIndex=ccmPhFailedTblLastAddedIndex, ccmGatekeeperInetAddressType=ccmGatekeeperInetAddressType, ccmMediaDeviceStatusReason=ccmMediaDeviceStatusReason, ccmGroupEntry=ccmGroupEntry, ccmPhoneInfoGroupRev6=ccmPhoneInfoGroupRev6, ccmTLSConnFailTime=ccmTLSConnFailTime, ccmH323DevName=ccmH323DevName, ccmGatewayInetAddress=ccmGatewayInetAddress, ccmMediaResourceListName=ccmMediaResourceListName, ccmGroupMappingTable=ccmGroupMappingTable, ccmRegisteredPhones=ccmRegisteredPhones, ccmSIPDevInetAddressType=ccmSIPDevInetAddressType, ccmH323DeviceEntry=ccmH323DeviceEntry, ccmSIPDeviceInfoGroup=ccmSIPDeviceInfoGroup, ccmGatewayStatusReason=ccmGatewayStatusReason, ccmMediaResourceListExhausted=ccmMediaResourceListExhausted, ccmRegionPairTable=ccmRegionPairTable, ccmMediaDeviceIndex=ccmMediaDeviceIndex, ccmSIPOutPortNumber=ccmSIPOutPortNumber, ccmPhoneStatusPhoneIndex=ccmPhoneStatusPhoneIndex, ccmCTIDeviceUnregReason=ccmCTIDeviceUnregReason, ccmPhStatUpdtTblLastAddedIndex=ccmPhStatUpdtTblLastAddedIndex, ccmVMailDevUnregReason=ccmVMailDevUnregReason, ccmPhoneStatusUpdateType=ccmPhoneStatusUpdateType, ccmMediaDeviceInetAddressIPv6=ccmMediaDeviceInetAddressIPv6, ccmPhoneFailedEntry=ccmPhoneFailedEntry, ccmRegisteredMediaDevices=ccmRegisteredMediaDevices, ccmPhoneExtensionMultiLines=ccmPhoneExtensionMultiLines, ccmPartiallyRegisteredPhones=ccmPartiallyRegisteredPhones, ccmH323DevIndex=ccmH323DevIndex, ccmNotificationsGroup=ccmNotificationsGroup, ccmGatekeeperDevicePoolIndex=ccmGatekeeperDevicePoolIndex, ccmH323DevStatus=ccmH323DevStatus, ccmPhoneFailedInetAddress=ccmPhoneFailedInetAddress, ccmRegionEntry=ccmRegionEntry, ccmClusterId=ccmClusterId, ccmPhoneStatusUnregReason=ccmPhoneStatusUnregReason, ccmSIPDeviceInfoGroupRev1=ccmSIPDeviceInfoGroupRev1, ccmSIPDeviceInfoGroupRev2=ccmSIPDeviceInfoGroupRev2, ciscoCcmMIBComplianceRev4=ciscoCcmMIBComplianceRev4, ccmH323DevAltGK3InetAddressType=ccmH323DevAltGK3InetAddressType, ccmGatewayTimeLastRegistered=ccmGatewayTimeLastRegistered, ccmPhoneE911Location=ccmPhoneE911Location, ccmGatewayInfoGroupRev2=ccmGatewayInfoGroupRev2, ccmProductCategory=ccmProductCategory, ciscoCcmMIBComplianceRev6=ciscoCcmMIBComplianceRev6, CcmDevFailCauseCode=CcmDevFailCauseCode, ccmUnregisteredMediaDevices=ccmUnregisteredMediaDevices, ccmTrunkGatewayIndex=ccmTrunkGatewayIndex, ccmPhoneStatusUpdateTable=ccmPhoneStatusUpdateTable, ccmPhoneStatusUpdateTime=ccmPhoneStatusUpdateTime, ccmSIPDevDescription=ccmSIPDevDescription, ccmNotificationsInfoGroup=ccmNotificationsInfoGroup, ccmH323DevDescription=ccmH323DevDescription, ccmMediaDeviceEntry=ccmMediaDeviceEntry, ccmCallManagerAlarmEnable=ccmCallManagerAlarmEnable, ccmName=ccmName, ccmCTIDeviceDirNum=ccmCTIDeviceDirNum, ccmSIPDevInetAddressIPv6=ccmSIPDevInetAddressIPv6, ccmGroupTable=ccmGroupTable, ccmCTIDeviceType=ccmCTIDeviceType, ccmCTIDeviceRegFailReason=ccmCTIDeviceRegFailReason, ccmPhoneTimeLastStatusUpdt=ccmPhoneTimeLastStatusUpdt, ccmCTIDeviceTableStateId=ccmCTIDeviceTableStateId, ccmPhoneExtension=ccmPhoneExtension, ccmPhoneStatusUpdateEntry=ccmPhoneStatusUpdateEntry, ccmPhoneStatusReason=ccmPhoneStatusReason, ccmH323DevProductTypeIndex=ccmH323DevProductTypeIndex, ccmRouteListName=ccmRouteListName, ccmVMailDevProductTypeIndex=ccmVMailDevProductTypeIndex, ccmCMGroupMappingCMPriority=ccmCMGroupMappingCMPriority, ccmNotificationsInfoGroupRev4=ccmNotificationsInfoGroupRev4, ccmVoiceMailDeviceTable=ccmVoiceMailDeviceTable, ccmGroupName=ccmGroupName, ccmIndex=ccmIndex, ccmPhoneIPv4Attribute=ccmPhoneIPv4Attribute, ccmMIBNotifications=ccmMIBNotifications, ccmRegionPairEntry=ccmRegionPairEntry, ccmTimeZoneTable=ccmTimeZoneTable, ccmQualityRprtSourceDevName=ccmQualityRprtSourceDevName, ccmH323DevAltGK5InetAddress=ccmH323DevAltGK5InetAddress, ccmSIPOutTransportProtocolType=ccmSIPOutTransportProtocolType, ccmGatewayTrunkStatus=ccmGatewayTrunkStatus, ccmCTIDeviceInetAddressIPv4=ccmCTIDeviceInetAddressIPv4, ccmCTIDeviceDirNumTableStateId=ccmCTIDeviceDirNumTableStateId, ccmProductType=ccmProductType, ccmVMailDevDirNumIndex=ccmVMailDevDirNumIndex, ccmTLSConnectionFailReasonCode=ccmTLSConnectionFailReasonCode, ccmH323DevAltGK1InetAddressType=ccmH323DevAltGK1InetAddressType, ccmVoiceMailDeviceInfo=ccmVoiceMailDeviceInfo, ccmPhoneFailed=ccmPhoneFailed, CcmIndex=CcmIndex, ccmInActiveGateways=ccmInActiveGateways, ccmH323DevActGKInetAddressType=ccmH323DevActGKInetAddressType, ccmMediaDeviceInfoGroupRev2=ccmMediaDeviceInfoGroupRev2, ccmProductTypeIndex=ccmProductTypeIndex, ccmPhoneExtnIndex=ccmPhoneExtnIndex, ccmVMailDevProductId=ccmVMailDevProductId, ccmMediaDeviceInfoGroup=ccmMediaDeviceInfoGroup, ccmPhoneType=ccmPhoneType, ccmCTIDeviceInetAddressType=ccmCTIDeviceInetAddressType, ccmPhoneStatusUpdateAlarmInterv=ccmPhoneStatusUpdateAlarmInterv, ccmDevicePoolTimeZoneIndex=ccmDevicePoolTimeZoneIndex, ccmMediaDeviceName=ccmMediaDeviceName, ccmMediaDeviceTimeLastRegistered=ccmMediaDeviceTimeLastRegistered, ccmQualityRprtClusterId=ccmQualityRprtClusterId, ccmPhoneStatusUpdateStorePeriod=ccmPhoneStatusUpdateStorePeriod, ccmCTIDeviceDirNumIndex=ccmCTIDeviceDirNumIndex, ccmDevicePoolEntry=ccmDevicePoolEntry, ccmMIBNotificationPrefix=ccmMIBNotificationPrefix, ccmRejectedCTIDevices=ccmRejectedCTIDevices, ccmNotificationsGroupRev3=ccmNotificationsGroupRev3, ccmMediaDeviceInfo=ccmMediaDeviceInfo, ccmCTIDeviceAppInfo=ccmCTIDeviceAppInfo, ccmCTIDeviceInetAddressIPv6=ccmCTIDeviceInetAddressIPv6, ccmPhoneExtnInetAddressType=ccmPhoneExtnInetAddressType, ciscoCcmMIBComplianceRev1=ciscoCcmMIBComplianceRev1, ccmInfoGroup=ccmInfoGroup, ccmInfoGroupRev3=ccmInfoGroupRev3, ccmCTIDeviceInfoGroupRev2=ccmCTIDeviceInfoGroupRev2, ccmVMailDevIndex=ccmVMailDevIndex, ccmCTIDeviceName=ccmCTIDeviceName, ccmPhoneProductTypeIndex=ccmPhoneProductTypeIndex, ccmH323DevRmtCM3InetAddress=ccmH323DevRmtCM3InetAddress, ccmPhoneInfoGroupRev2=ccmPhoneInfoGroupRev2, ccmInetAddress2=ccmInetAddress2, ccmMediaDeviceInetAddressType=ccmMediaDeviceInetAddressType, ccmH323DeviceInfoGroupRev2=ccmH323DeviceInfoGroupRev2, ccmTimeZoneOffsetMinutes=ccmTimeZoneOffsetMinutes, ccmPhoneExtensionInetAddressType=ccmPhoneExtensionInetAddressType, ccmQualityReportAlarmEnable=ccmQualityReportAlarmEnable, ccmGatewayDChannelNumber=ccmGatewayDChannelNumber, ccmSIPDevName=ccmSIPDevName, ccmGatewayPhysIfIndex=ccmGatewayPhysIfIndex, ccmInfoGroupRev4=ccmInfoGroupRev4, ccmH323DevRmtCM2InetAddress=ccmH323DevRmtCM2InetAddress, ccmMediaDeviceDevicePoolIndex=ccmMediaDeviceDevicePoolIndex, ccmPhoneFailCauseCode=ccmPhoneFailCauseCode, ccmPhoneExtensionTableStateId=ccmPhoneExtensionTableStateId, ccmPhoneExtensionIndex=ccmPhoneExtensionIndex, ccmCTIDeviceInfoGroup=ccmCTIDeviceInfoGroup, ccmActiveGateways=ccmActiveGateways, ccmH323DevRmtCM3InetAddressType=ccmH323DevRmtCM3InetAddressType, ccmPhoneFailedInetAddressType=ccmPhoneFailedInetAddressType, CcmDevRegFailCauseCode=CcmDevRegFailCauseCode, ccmGatekeeperInfoGroup=ccmGatekeeperInfoGroup, ccmPhoneStatusUpdate=ccmPhoneStatusUpdate, ccmGroupIndex=ccmGroupIndex, ccmPhoneLoadID=ccmPhoneLoadID, ccmProductTypeEntry=ccmProductTypeEntry, ccmVMailDevTimeLastRegistered=ccmVMailDevTimeLastRegistered, ciscoCcmMIBGroups=ciscoCcmMIBGroups, ccmGatewayStatus=ccmGatewayStatus, ccmPhoneProtocol=ccmPhoneProtocol, ccmGatewayType=ccmGatewayType, ccmNotificationsInfoGroupRev3=ccmNotificationsInfoGroupRev3, ccmVMailDevTimeLastStatusUpdt=ccmVMailDevTimeLastStatusUpdt, ccmH323DevRegFailReason=ccmH323DevRegFailReason, ccmPhoneInfoGroupRev4=ccmPhoneInfoGroupRev4) |
#!/usr/bin/env python
'''
Event class and enums for Mission Editor
Michael Day
June 2014
'''
#MissionEditorEvents come FROM the GUI (with a few exceptions where the Mission Editor Module sends a message to itself, e.g., MEE_TIME_TO_QUIT)
#MissionEditorGUIEvents go TO the GUI
#enum for MissionEditorEvent types
MEE_READ_WPS = 0
MEE_WRITE_WPS = 1
MEE_TIME_TO_QUIT = 2
MEE_GET_WP_RAD = 3
MEE_GET_LOIT_RAD = 4
MEE_GET_WP_DEFAULT_ALT = 5
MEE_WRITE_WP_NUM = 6
MEE_LOAD_WP_FILE = 7
MEE_SAVE_WP_FILE = 8
MEE_SET_WP_RAD = 9
MEE_SET_LOIT_RAD = 10
MEE_SET_WP_DEFAULT_ALT = 11
#enum of MissionEditorGUIEvent types
MEGE_CLEAR_MISS_TABLE = 0
MEGE_ADD_MISS_TABLE_ROWS = 1
MEGE_SET_MISS_ITEM = 2
MEGE_SET_WP_RAD = 3
MEGE_SET_LOIT_RAD = 4
MEGE_SET_WP_DEFAULT_ALT = 5
MEGE_SET_LAST_MAP_CLICK_POS = 6
class MissionEditorEvent:
def __init__(self, type, **kwargs):
self.type = type
self.arg_dict = kwargs
if not self.type in [MEE_READ_WPS, MEE_WRITE_WPS, MEGE_CLEAR_MISS_TABLE,
MEGE_ADD_MISS_TABLE_ROWS, MEGE_SET_MISS_ITEM, MEE_TIME_TO_QUIT,
MEE_GET_WP_RAD, MEE_GET_LOIT_RAD, MEGE_SET_WP_RAD, MEGE_SET_LOIT_RAD,
MEE_GET_WP_DEFAULT_ALT, MEGE_SET_WP_DEFAULT_ALT, MEE_WRITE_WP_NUM,
MEE_LOAD_WP_FILE, MEE_SAVE_WP_FILE, MEE_SET_WP_RAD, MEE_SET_LOIT_RAD,
MEE_SET_WP_DEFAULT_ALT]:
raise TypeError("Unrecongized MissionEditorEvent type:" + str(self.type))
def get_type(self):
return self.type
def get_arg(self, key):
if not key in self.arg_dict:
print("No key %s in %s" % (key, str(self.type)))
return None
return self.arg_dict[key]
| """
Event class and enums for Mission Editor
Michael Day
June 2014
"""
mee_read_wps = 0
mee_write_wps = 1
mee_time_to_quit = 2
mee_get_wp_rad = 3
mee_get_loit_rad = 4
mee_get_wp_default_alt = 5
mee_write_wp_num = 6
mee_load_wp_file = 7
mee_save_wp_file = 8
mee_set_wp_rad = 9
mee_set_loit_rad = 10
mee_set_wp_default_alt = 11
mege_clear_miss_table = 0
mege_add_miss_table_rows = 1
mege_set_miss_item = 2
mege_set_wp_rad = 3
mege_set_loit_rad = 4
mege_set_wp_default_alt = 5
mege_set_last_map_click_pos = 6
class Missioneditorevent:
def __init__(self, type, **kwargs):
self.type = type
self.arg_dict = kwargs
if not self.type in [MEE_READ_WPS, MEE_WRITE_WPS, MEGE_CLEAR_MISS_TABLE, MEGE_ADD_MISS_TABLE_ROWS, MEGE_SET_MISS_ITEM, MEE_TIME_TO_QUIT, MEE_GET_WP_RAD, MEE_GET_LOIT_RAD, MEGE_SET_WP_RAD, MEGE_SET_LOIT_RAD, MEE_GET_WP_DEFAULT_ALT, MEGE_SET_WP_DEFAULT_ALT, MEE_WRITE_WP_NUM, MEE_LOAD_WP_FILE, MEE_SAVE_WP_FILE, MEE_SET_WP_RAD, MEE_SET_LOIT_RAD, MEE_SET_WP_DEFAULT_ALT]:
raise type_error('Unrecongized MissionEditorEvent type:' + str(self.type))
def get_type(self):
return self.type
def get_arg(self, key):
if not key in self.arg_dict:
print('No key %s in %s' % (key, str(self.type)))
return None
return self.arg_dict[key] |
l = int(input("Enter number of lines: "))
for i in range (1, l+1):
for z in range(1, i + 1):
print(z, end = " ")
print() | l = int(input('Enter number of lines: '))
for i in range(1, l + 1):
for z in range(1, i + 1):
print(z, end=' ')
print() |
def simple_operations(a1: torch.Tensor, a2: torch.Tensor, a3: torch.Tensor):
# multiplication of tensor a1 with tensor a2 and then add it with tensor a3
answer = a1 @ a2 + a3
return answer
# add timing to airtable
atform.add_event('Coding Exercise 2.2 : Simple tensor operations-simple_operations')
# Computing expression 1:
# init our tensors
a1 = torch.tensor([[2, 4], [5, 7]])
a2 = torch.tensor([[1, 1], [2, 3]])
a3 = torch.tensor([[10, 10], [12, 1]])
## uncomment to test your function
A = simple_operations(a1, a2, a3)
print(A) | def simple_operations(a1: torch.Tensor, a2: torch.Tensor, a3: torch.Tensor):
answer = a1 @ a2 + a3
return answer
atform.add_event('Coding Exercise 2.2 : Simple tensor operations-simple_operations')
a1 = torch.tensor([[2, 4], [5, 7]])
a2 = torch.tensor([[1, 1], [2, 3]])
a3 = torch.tensor([[10, 10], [12, 1]])
a = simple_operations(a1, a2, a3)
print(A) |
# automatically generated by the FlatBuffers compiler, do not modify
# namespace: flat
class BoostOption(object):
Normal_Boost = 0
Unlimited_Boost = 1
Slow_Recharge = 2
Rapid_Recharge = 3
No_Boost = 4
| class Boostoption(object):
normal__boost = 0
unlimited__boost = 1
slow__recharge = 2
rapid__recharge = 3
no__boost = 4 |
#
# PySNMP MIB module CISCOSB-TRAPS-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCOSB-TRAPS-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:23:52 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint")
rldot1dStpTrapVrblVID, rldot1dStpTrapVrblifIndex = mibBuilder.importSymbols("CISCOSB-BRIDGEMIBOBJECTS-MIB", "rldot1dStpTrapVrblVID", "rldot1dStpTrapVrblifIndex")
rndErrorSeverity, rndErrorDesc = mibBuilder.importSymbols("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity", "rndErrorDesc")
switch001, = mibBuilder.importSymbols("CISCOSB-MIB", "switch001")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
NotificationType, Gauge32, Unsigned32, IpAddress, MibIdentifier, Bits, Counter32, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Integer32, TimeTicks, ModuleIdentity, iso = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "Gauge32", "Unsigned32", "IpAddress", "MibIdentifier", "Bits", "Counter32", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Integer32", "TimeTicks", "ModuleIdentity", "iso")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
rndNotifications = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0))
rndNotifications.setRevisions(('2010-06-25 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: rndNotifications.setRevisionsDescriptions(('Initial revision.',))
if mibBuilder.loadTexts: rndNotifications.setLastUpdated('201006250000Z')
if mibBuilder.loadTexts: rndNotifications.setOrganization('Cisco Small Business')
if mibBuilder.loadTexts: rndNotifications.setContactInfo('Postal: 170 West Tasman Drive San Jose , CA 95134-1706 USA Website: Cisco Small Business Home http://www.cisco.com/smb>;, Cisco Small Business Support Community <http://www.cisco.com/go/smallbizsupport>')
if mibBuilder.loadTexts: rndNotifications.setDescription('This private MIB module defines switch private notifications')
rxOverflowHWFault = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 3)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rxOverflowHWFault.setStatus('current')
if mibBuilder.loadTexts: rxOverflowHWFault.setDescription('An RX buffer overflow has occurred in one of the LAN or link interfaces. The bound variable rndErrorDesc provides the interface number.')
txOverflowHWFault = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 4)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: txOverflowHWFault.setStatus('current')
if mibBuilder.loadTexts: txOverflowHWFault.setDescription('Interport queue overflow has occurred in one of the LAN or link interfaces. The bound variable rndErrorDesc provides the interface number.')
routeTableOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 5)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: routeTableOverflow.setStatus('current')
if mibBuilder.loadTexts: routeTableOverflow.setDescription('An overflow condition has occurred in the Routing Table. The Routing Table is used for IP routing algorithm (RIP).')
resetRequired = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 10)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: resetRequired.setStatus('current')
if mibBuilder.loadTexts: resetRequired.setDescription('This trap indicates that in order to perform the last SET request, a reset operation of the router/bridge is required. This occurs when the layer 2 routing algorithm is changed between SPF and Spanning Tree. The reset can be performed manually or using the variable rndAction.')
endTftp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 12)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: endTftp.setStatus('current')
if mibBuilder.loadTexts: endTftp.setDescription('This trap indicates that in the device finished a TFTP transaction with the management station. variable rndErrorDesc and rndErrorSeverity provides the actual message text and severity respectively.')
abortTftp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 13)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: abortTftp.setStatus('current')
if mibBuilder.loadTexts: abortTftp.setDescription('This trap indicates that in the device aborted a TFTP session with the management station. Variable rndErrorDesc and rndErrorSeverity provides the actual message text and severity respectively.')
startTftp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 14)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: startTftp.setStatus('current')
if mibBuilder.loadTexts: startTftp.setDescription('Informational trap indicating that the device has intiated a TFTP session. rndErrorDesc will contain the file type in question')
faultBackUp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 23)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: faultBackUp.setStatus('current')
if mibBuilder.loadTexts: faultBackUp.setDescription('Automantic switchover to backup link because of main link fault.')
mainLinkUp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 24)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: mainLinkUp.setStatus('current')
if mibBuilder.loadTexts: mainLinkUp.setDescription('Communication returened to main link.')
ipxRipTblOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 36)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: ipxRipTblOverflow.setStatus('current')
if mibBuilder.loadTexts: ipxRipTblOverflow.setDescription('This trap indicates that in an OpenGate IPX RIP table overflow. The bound variable rndErrorDesc, rndErrorSeverity provides the actual message text and severity respectively.')
ipxSapTblOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 37)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: ipxSapTblOverflow.setStatus('current')
if mibBuilder.loadTexts: ipxSapTblOverflow.setDescription('This trap indicates that in an OpenGate IPX SAP table overflow. The bound variable rndErrorDesc, rndErrorSeverity provides the actual message text and severity respectively.')
facsAccessVoilation = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 49)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: facsAccessVoilation.setStatus('current')
if mibBuilder.loadTexts: facsAccessVoilation.setDescription('This trap indicates that message that fits FACS statenebt with operation blockAndReport was forward to the interface. The bound variable rndErrorDesc, rndErrorSeverity(== info ) and interface Number.')
autoConfigurationCompleted = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 50)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: autoConfigurationCompleted.setStatus('current')
if mibBuilder.loadTexts: autoConfigurationCompleted.setDescription('This trap indicates that auto comfiguration completetd succssefully. The bound variable rndErrorDesc, rndErrorSeverity(== info )')
forwardingTabOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 51)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: forwardingTabOverflow.setStatus('current')
if mibBuilder.loadTexts: forwardingTabOverflow.setDescription('This trap indicates that an overflow condition has occurred in the layer II Forward Table. The bound variable rndErrorDesc, rndErrorSeverity(== warning )')
framRelaySwitchConnectionUp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 53)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: framRelaySwitchConnectionUp.setStatus('current')
if mibBuilder.loadTexts: framRelaySwitchConnectionUp.setDescription('This trap indicates that a connection establish between the Frame relay Switch and the WanGate. The bound variable rndErrorDesc, rndErrorSeverity(== warning )')
framRelaySwitchConnectionDown = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 54)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: framRelaySwitchConnectionDown.setStatus('current')
if mibBuilder.loadTexts: framRelaySwitchConnectionDown.setDescription('This trap indicates that a connection between the Frame Relay Switch and the WanGate failed. The bound variable rndErrorDesc, rndErrorSeverity(== warning )')
errorsDuringInit = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 61)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: errorsDuringInit.setStatus('current')
if mibBuilder.loadTexts: errorsDuringInit.setDescription('This trap indicates that the an error occured during initialization The bound variable rndErrorDesc, rndErrorSeverity(== error )')
vlanDynPortAdded = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 66)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: vlanDynPortAdded.setStatus('current')
if mibBuilder.loadTexts: vlanDynPortAdded.setDescription('')
vlanDynPortRemoved = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 67)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: vlanDynPortRemoved.setStatus('current')
if mibBuilder.loadTexts: vlanDynPortRemoved.setDescription('')
rsSDclientsTableOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 68)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsSDclientsTableOverflow.setStatus('current')
if mibBuilder.loadTexts: rsSDclientsTableOverflow.setDescription('This warning is generated when an overflow occurs in the clients table.')
rsSDinactiveServer = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 69)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsSDinactiveServer.setStatus('current')
if mibBuilder.loadTexts: rsSDinactiveServer.setDescription('This warning is generated when a server does not respond to the dispatchers polling and is thought to be inactive.')
rsIpZhrConnectionsTableOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 70)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsIpZhrConnectionsTableOverflow.setStatus('current')
if mibBuilder.loadTexts: rsIpZhrConnectionsTableOverflow.setDescription('The Zero Hop Routing connections Table has been overflown.')
rsIpZhrReqStaticConnNotAccepted = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 71)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsIpZhrReqStaticConnNotAccepted.setStatus('current')
if mibBuilder.loadTexts: rsIpZhrReqStaticConnNotAccepted.setDescription('The requested static connection was not accepted because there is no available IP virtual address to allocate to it.')
rsIpZhrVirtualIpAsSource = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 72)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsIpZhrVirtualIpAsSource.setStatus('current')
if mibBuilder.loadTexts: rsIpZhrVirtualIpAsSource.setDescription('The virtual IP address appeared as a source IP. All the connections using it will be deleted and it will not be further allocated to new connections.')
rsIpZhrNotAllocVirtualIp = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 73)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsIpZhrNotAllocVirtualIp.setStatus('current')
if mibBuilder.loadTexts: rsIpZhrNotAllocVirtualIp.setDescription('The source IP address sent an ARP specifying a virtual IP which was not allocated for this source. This virtual IP will not be allocated to connections of this specific source IP.')
rsSnmpSetRequestInSpecialCfgState = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 74)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsSnmpSetRequestInSpecialCfgState.setStatus('current')
if mibBuilder.loadTexts: rsSnmpSetRequestInSpecialCfgState.setDescription('An incoming SNMP SET request was rejected because no such requests (except action requests) are accepted after start of new configuration reception or during sending the current configuration to an NMS.')
rsPingCompletion = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 136)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsPingCompletion.setStatus('current')
if mibBuilder.loadTexts: rsPingCompletion.setDescription('A rsPingCompleted trap is sent at the completion of a sequence of pings if such a trap was requested when the sequence was initiated. The trap severity is info. The trap text will specify the following information: rsPingCompletionStatus, rsPingSentPackets, rsPingReceivedPackets In addition to the above listed objects (which are always present), the message will also specify the following quantities: if any responses were received: rsPingMinReturnTime rsPingAvgReturnTime rsPingMaxReturnTime')
pppSecurityViolation = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 137)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: pppSecurityViolation.setStatus('current')
if mibBuilder.loadTexts: pppSecurityViolation.setDescription('This trap indicates that a PPP link got an unrecognized secret. The bound variables rndErrorDesc, rndErrorSeverity(== warning ), interface Number. and pppSecurityIdentity')
frDLCIStatudChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 138)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: frDLCIStatudChange.setStatus('current')
if mibBuilder.loadTexts: frDLCIStatudChange.setDescription('')
papFailedCommunication = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 139)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: papFailedCommunication.setStatus('current')
if mibBuilder.loadTexts: papFailedCommunication.setDescription('')
chapFailedCommunication = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 140)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: chapFailedCommunication.setStatus('current')
if mibBuilder.loadTexts: chapFailedCommunication.setDescription('')
rsWSDRedundancySwitch = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 141)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsWSDRedundancySwitch.setStatus('current')
if mibBuilder.loadTexts: rsWSDRedundancySwitch.setDescription('Whenever main server fails and backup takes over or server comes up after failure a trap of this type is issued.')
rsDhcpAllocationFailure = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 142)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rsDhcpAllocationFailure.setStatus('current')
if mibBuilder.loadTexts: rsDhcpAllocationFailure.setDescription('DHCP failed to allocate an IP address to a requesting host because of memory shortage or inadequate configuration of available IP addresses.')
rlIpFftStnOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 145)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIpFftStnOverflow.setStatus('current')
if mibBuilder.loadTexts: rlIpFftStnOverflow.setDescription('The IP SFFT overflow.')
rlIpFftSubOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 146)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIpFftSubOverflow.setStatus('current')
if mibBuilder.loadTexts: rlIpFftSubOverflow.setDescription('The IP NFFT overflow.')
rlIpxFftStnOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 147)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIpxFftStnOverflow.setStatus('current')
if mibBuilder.loadTexts: rlIpxFftStnOverflow.setDescription('The IPX SFFT overflow.')
rlIpxFftSubOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 148)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIpxFftSubOverflow.setStatus('current')
if mibBuilder.loadTexts: rlIpxFftSubOverflow.setDescription('The IPX NFFT overflow.')
rlIpmFftOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 149)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIpmFftOverflow.setStatus('current')
if mibBuilder.loadTexts: rlIpmFftOverflow.setDescription('The IPM FFT overflow.')
rlPhysicalDescriptionChanged = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 150)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlPhysicalDescriptionChanged.setStatus('current')
if mibBuilder.loadTexts: rlPhysicalDescriptionChanged.setDescription('Indicates that the physical decription of the device has changed')
rldot1dStpPortStateForwarding = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 151)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"), ("CISCOSB-BRIDGEMIBOBJECTS-MIB", "rldot1dStpTrapVrblifIndex"), ("CISCOSB-BRIDGEMIBOBJECTS-MIB", "rldot1dStpTrapVrblVID"))
if mibBuilder.loadTexts: rldot1dStpPortStateForwarding.setStatus('current')
if mibBuilder.loadTexts: rldot1dStpPortStateForwarding.setDescription('The trap is sent by a bridge when any of its configured ports transitions from the Learning state to the Forwarding state.')
rldot1dStpPortStateNotForwarding = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 152)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"), ("CISCOSB-BRIDGEMIBOBJECTS-MIB", "rldot1dStpTrapVrblifIndex"), ("CISCOSB-BRIDGEMIBOBJECTS-MIB", "rldot1dStpTrapVrblVID"))
if mibBuilder.loadTexts: rldot1dStpPortStateNotForwarding.setStatus('current')
if mibBuilder.loadTexts: rldot1dStpPortStateNotForwarding.setDescription('The trap is sent by a bridge when any of its configured ports transitions from the Forwarding state to the Blocking state.')
rlPolicyDropPacketTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 153)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlPolicyDropPacketTrap.setStatus('current')
if mibBuilder.loadTexts: rlPolicyDropPacketTrap.setDescription('Indicates that the packet drop due to the policy ')
rlPolicyForwardPacketTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 154)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlPolicyForwardPacketTrap.setStatus('current')
if mibBuilder.loadTexts: rlPolicyForwardPacketTrap.setDescription('Indicates that the packet has forward based on policy')
rlIgmpProxyTableOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 156)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIgmpProxyTableOverflow.setStatus('current')
if mibBuilder.loadTexts: rlIgmpProxyTableOverflow.setDescription('An IGMP PROXY Table overflow.')
rlIgmpV1MsgReceived = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 157)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlIgmpV1MsgReceived.setStatus('current')
if mibBuilder.loadTexts: rlIgmpV1MsgReceived.setDescription('An IGMP Message of v1 received on ifIndex. ')
rlVrrpEntriesDeleted = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 158)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlVrrpEntriesDeleted.setStatus('current')
if mibBuilder.loadTexts: rlVrrpEntriesDeleted.setDescription('One or more VRRP entries deleted due to IP interface deletion or transition. ')
rlHotSwapTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 159)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlHotSwapTrap.setStatus('current')
if mibBuilder.loadTexts: rlHotSwapTrap.setDescription('Hot swap trap.')
rlTrunkPortAddedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 160)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlTrunkPortAddedTrap.setStatus('current')
if mibBuilder.loadTexts: rlTrunkPortAddedTrap.setDescription('Informational trap indicating that a port is added to a trunk')
rlTrunkPortRemovedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 161)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlTrunkPortRemovedTrap.setStatus('current')
if mibBuilder.loadTexts: rlTrunkPortRemovedTrap.setDescription('This warning is generated when a port removed from a trunk.')
rlTrunkPortNotCapableTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 162)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlTrunkPortNotCapableTrap.setStatus('current')
if mibBuilder.loadTexts: rlTrunkPortNotCapableTrap.setDescription('Informational trap indicating that a port can not be added to a trunk because of device limitations or diffrent swIfType.')
rlLockPortTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 170)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlLockPortTrap.setStatus('current')
if mibBuilder.loadTexts: rlLockPortTrap.setDescription('Informational trap indicating that a locked port receive a frame with new source Mac Address.')
vlanDynVlanAdded = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 171)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: vlanDynVlanAdded.setStatus('current')
if mibBuilder.loadTexts: vlanDynVlanAdded.setDescription('add gvrp dynamic vlan')
vlanDynVlanRemoved = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 172)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: vlanDynVlanRemoved.setStatus('current')
if mibBuilder.loadTexts: vlanDynVlanRemoved.setDescription('remove gvrp dynamic vlan')
vlanDynamicToStatic = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 173)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: vlanDynamicToStatic.setStatus('current')
if mibBuilder.loadTexts: vlanDynamicToStatic.setDescription('vlan status was changed from dynamic to static')
vlanStaticToDynamic = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 174)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: vlanStaticToDynamic.setStatus('current')
if mibBuilder.loadTexts: vlanStaticToDynamic.setDescription('vlan status was changed from static to dynamic')
dstrSysLog = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 175)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: dstrSysLog.setStatus('current')
if mibBuilder.loadTexts: dstrSysLog.setDescription('Master receive trap from slave , and forward it as trap')
rlEnvMonFanStateChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 176)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlEnvMonFanStateChange.setStatus('current')
if mibBuilder.loadTexts: rlEnvMonFanStateChange.setDescription('Trap indicating the fan state. rndErrorSeverity will be: 0 for fan state nomal, notPresent 1 for fan state warning, notFunctioning 2 for fan state critical 3 for fan state fatal The error text will specify the fan index, fan description and the exact fan state')
rlEnvMonPowerSupplyStateChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 177)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlEnvMonPowerSupplyStateChange.setStatus('current')
if mibBuilder.loadTexts: rlEnvMonPowerSupplyStateChange.setDescription('Trap indicating the power supply state. rndErrorSeverity will be: 0 for power supply state nomal, notPresent 1 for power supply state warning, notFunctioning 2 for power supply state critical 3 for power supply state fatal The error text will specify the power supply index, power supply description and the exact power supply state')
rlStackStateChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 178)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlStackStateChange.setStatus('current')
if mibBuilder.loadTexts: rlStackStateChange.setDescription('Trap indicating the stack connection state 0 for stack state connected, 1 for stack state disconnected ')
rlEnvMonTemperatureRisingAlarm = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 179)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlEnvMonTemperatureRisingAlarm.setStatus('current')
if mibBuilder.loadTexts: rlEnvMonTemperatureRisingAlarm.setDescription('Trap indicating that the temperature in the device has exceeded the device specific safe temperature threshold.')
rlBrgMacAddFailedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 183)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlBrgMacAddFailedTrap.setStatus('current')
if mibBuilder.loadTexts: rlBrgMacAddFailedTrap.setDescription('Informational trap indicating that adding dynamic mac/s failed due to full hash chain.')
rldot1xPortStatusAuthorizedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 184)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xPortStatusAuthorizedTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xPortStatusAuthorizedTrap.setDescription('Informational trap indicating that port 802.1x status is authorized.')
rldot1xPortStatusUnauthorizedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 185)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xPortStatusUnauthorizedTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xPortStatusUnauthorizedTrap.setDescription('Warning trap is indicating that port 802.1x status is unAuthorized.')
swIfTablePortLock = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 192)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: swIfTablePortLock.setStatus('current')
if mibBuilder.loadTexts: swIfTablePortLock.setDescription('Warning trap is indicating port lock hase began.')
swIfTablePortUnLock = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 193)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: swIfTablePortUnLock.setStatus('current')
if mibBuilder.loadTexts: swIfTablePortUnLock.setDescription('Warning trap is indicating port lock has ended.')
rlAAAUserLocked = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 194)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlAAAUserLocked.setStatus('current')
if mibBuilder.loadTexts: rlAAAUserLocked.setDescription('Warning trap indicating that the user was locked after number of consecutives unsuccessful login attempts.')
bpduGuardPortSuspended = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 202)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: bpduGuardPortSuspended.setStatus('current')
if mibBuilder.loadTexts: bpduGuardPortSuspended.setDescription('Warning trap indicating - Port was suspended because there was BPDU Guard violation.')
rldot1xSupplicantMacAuthorizedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 203)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xSupplicantMacAuthorizedTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xSupplicantMacAuthorizedTrap.setDescription('Informational trap indicating that MAC authentication supplicant is authenticated and is allowed to access the network.')
rldot1xSupplicantMacUnauthorizedTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 204)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xSupplicantMacUnauthorizedTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xSupplicantMacUnauthorizedTrap.setDescription('Warning trap is indicating that Radius server rejects MAC authentication supplicant.')
stpLoopbackDetection = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 205)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: stpLoopbackDetection.setStatus('current')
if mibBuilder.loadTexts: stpLoopbackDetection.setDescription('Warning trap indicating - A loopback was detected on port.')
stpLoopbackDetectionResolved = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 206)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: stpLoopbackDetectionResolved.setStatus('current')
if mibBuilder.loadTexts: stpLoopbackDetectionResolved.setDescription('Warning trap indicating - A loopback detection resolved on port.')
loopbackDetectionPortSuspended = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 207)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: loopbackDetectionPortSuspended.setStatus('current')
if mibBuilder.loadTexts: loopbackDetectionPortSuspended.setDescription('Warning trap indicating - A port has been suspended by Loopback Detection.')
rlPortSuspended = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 213)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlPortSuspended.setStatus('current')
if mibBuilder.loadTexts: rlPortSuspended.setDescription('Warning trap indicating - A port has been suspended by Any application.')
rlSpecialBpduDbOverflow = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 214)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlSpecialBpduDbOverflow.setStatus('current')
if mibBuilder.loadTexts: rlSpecialBpduDbOverflow.setDescription('Warning trap indicating - Special BPDU DB Overflow.')
rldot1xSupplicantLoggedOutTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 215)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xSupplicantLoggedOutTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xSupplicantLoggedOutTrap.setDescription('Warning trap is indicating that supplicant was logged out Since the ports time-range state was changed to inactive.')
rldot1xPortControlModeNotAutoTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 216)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xPortControlModeNotAutoTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xPortControlModeNotAutoTrap.setDescription('Warning trap is indicating that altough ports time-range Is active now, it can not start working in mode auto.')
rlEeeLldpMultipleNeighbours = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 217)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlEeeLldpMultipleNeighbours.setStatus('current')
if mibBuilder.loadTexts: rlEeeLldpMultipleNeighbours.setDescription('Warning trap indicating - Port has multiple LLDP remote link neighbours - EEE operational state will be FALSE.')
rlEeeLldpSingleNeighbour = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 218)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlEeeLldpSingleNeighbour.setStatus('current')
if mibBuilder.loadTexts: rlEeeLldpSingleNeighbour.setDescription('Warning trap indicating - Port has single LLDP remote link neighbour - EEE operational can be TRUE.')
rldot1xSupplicantQuietPeriodTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 219)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rldot1xSupplicantQuietPeriodTrap.setStatus('current')
if mibBuilder.loadTexts: rldot1xSupplicantQuietPeriodTrap.setDescription('Warning trap is indicating that supplicant quiet period timeout is active now.')
rlStackVersionUpgradeTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 222)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlStackVersionUpgradeTrap.setStatus('current')
if mibBuilder.loadTexts: rlStackVersionUpgradeTrap.setDescription('Informational trap indicating that stack slave is upgrading to the image or boot version of the stack master.')
rlStackVersionDowngradeTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 223)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlStackVersionDowngradeTrap.setStatus('current')
if mibBuilder.loadTexts: rlStackVersionDowngradeTrap.setDescription('Warning trap indicating that stack slave is downgrading to the image or boot version of the stack master.')
pseInrushPort = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 240)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: pseInrushPort.setStatus('current')
if mibBuilder.loadTexts: pseInrushPort.setDescription('Informational trap indicating that port in PD does not meet the inrush-current standard.')
rlStormControlMinRateTrap = NotificationType((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 241)).setObjects(("CISCOSB-DEVICEPARAMS-MIB", "rndErrorDesc"), ("CISCOSB-DEVICEPARAMS-MIB", "rndErrorSeverity"))
if mibBuilder.loadTexts: rlStormControlMinRateTrap.setStatus('current')
if mibBuilder.loadTexts: rlStormControlMinRateTrap.setDescription('Warning trap indicating that port storm control rate limit is configured to minumum rate.')
mibBuilder.exportSymbols("CISCOSB-TRAPS-MIB", dstrSysLog=dstrSysLog, framRelaySwitchConnectionUp=framRelaySwitchConnectionUp, rlIpmFftOverflow=rlIpmFftOverflow, rlIpFftSubOverflow=rlIpFftSubOverflow, vlanDynamicToStatic=vlanDynamicToStatic, papFailedCommunication=papFailedCommunication, rldot1xSupplicantMacAuthorizedTrap=rldot1xSupplicantMacAuthorizedTrap, swIfTablePortLock=swIfTablePortLock, vlanDynPortAdded=vlanDynPortAdded, rlTrunkPortRemovedTrap=rlTrunkPortRemovedTrap, rldot1xSupplicantQuietPeriodTrap=rldot1xSupplicantQuietPeriodTrap, bpduGuardPortSuspended=bpduGuardPortSuspended, forwardingTabOverflow=forwardingTabOverflow, rxOverflowHWFault=rxOverflowHWFault, rlEeeLldpMultipleNeighbours=rlEeeLldpMultipleNeighbours, stpLoopbackDetectionResolved=stpLoopbackDetectionResolved, rldot1dStpPortStateForwarding=rldot1dStpPortStateForwarding, stpLoopbackDetection=stpLoopbackDetection, rndNotifications=rndNotifications, rlBrgMacAddFailedTrap=rlBrgMacAddFailedTrap, rlStormControlMinRateTrap=rlStormControlMinRateTrap, vlanStaticToDynamic=vlanStaticToDynamic, rlStackStateChange=rlStackStateChange, frDLCIStatudChange=frDLCIStatudChange, vlanDynVlanAdded=vlanDynVlanAdded, rlTrunkPortAddedTrap=rlTrunkPortAddedTrap, rlIpxFftStnOverflow=rlIpxFftStnOverflow, swIfTablePortUnLock=swIfTablePortUnLock, rsWSDRedundancySwitch=rsWSDRedundancySwitch, routeTableOverflow=routeTableOverflow, pppSecurityViolation=pppSecurityViolation, rlTrunkPortNotCapableTrap=rlTrunkPortNotCapableTrap, rlIpFftStnOverflow=rlIpFftStnOverflow, rldot1xSupplicantMacUnauthorizedTrap=rldot1xSupplicantMacUnauthorizedTrap, rlPhysicalDescriptionChanged=rlPhysicalDescriptionChanged, rlEnvMonFanStateChange=rlEnvMonFanStateChange, rlSpecialBpduDbOverflow=rlSpecialBpduDbOverflow, faultBackUp=faultBackUp, txOverflowHWFault=txOverflowHWFault, vlanDynPortRemoved=vlanDynPortRemoved, autoConfigurationCompleted=autoConfigurationCompleted, abortTftp=abortTftp, rlLockPortTrap=rlLockPortTrap, rlEnvMonTemperatureRisingAlarm=rlEnvMonTemperatureRisingAlarm, chapFailedCommunication=chapFailedCommunication, endTftp=endTftp, rlEnvMonPowerSupplyStateChange=rlEnvMonPowerSupplyStateChange, rlStackVersionUpgradeTrap=rlStackVersionUpgradeTrap, rlIpxFftSubOverflow=rlIpxFftSubOverflow, rsSnmpSetRequestInSpecialCfgState=rsSnmpSetRequestInSpecialCfgState, rsIpZhrNotAllocVirtualIp=rsIpZhrNotAllocVirtualIp, vlanDynVlanRemoved=vlanDynVlanRemoved, rsPingCompletion=rsPingCompletion, rldot1xPortControlModeNotAutoTrap=rldot1xPortControlModeNotAutoTrap, startTftp=startTftp, framRelaySwitchConnectionDown=framRelaySwitchConnectionDown, ipxSapTblOverflow=ipxSapTblOverflow, ipxRipTblOverflow=ipxRipTblOverflow, rlHotSwapTrap=rlHotSwapTrap, rsSDclientsTableOverflow=rsSDclientsTableOverflow, rlPolicyDropPacketTrap=rlPolicyDropPacketTrap, PYSNMP_MODULE_ID=rndNotifications, rldot1xPortStatusAuthorizedTrap=rldot1xPortStatusAuthorizedTrap, loopbackDetectionPortSuspended=loopbackDetectionPortSuspended, mainLinkUp=mainLinkUp, rlPortSuspended=rlPortSuspended, rlVrrpEntriesDeleted=rlVrrpEntriesDeleted, rldot1xPortStatusUnauthorizedTrap=rldot1xPortStatusUnauthorizedTrap, rsDhcpAllocationFailure=rsDhcpAllocationFailure, rldot1dStpPortStateNotForwarding=rldot1dStpPortStateNotForwarding, rlAAAUserLocked=rlAAAUserLocked, rlStackVersionDowngradeTrap=rlStackVersionDowngradeTrap, rlIgmpV1MsgReceived=rlIgmpV1MsgReceived, errorsDuringInit=errorsDuringInit, rsIpZhrVirtualIpAsSource=rsIpZhrVirtualIpAsSource, rlIgmpProxyTableOverflow=rlIgmpProxyTableOverflow, facsAccessVoilation=facsAccessVoilation, rsSDinactiveServer=rsSDinactiveServer, rsIpZhrReqStaticConnNotAccepted=rsIpZhrReqStaticConnNotAccepted, rsIpZhrConnectionsTableOverflow=rsIpZhrConnectionsTableOverflow, pseInrushPort=pseInrushPort, rlEeeLldpSingleNeighbour=rlEeeLldpSingleNeighbour, rlPolicyForwardPacketTrap=rlPolicyForwardPacketTrap, rldot1xSupplicantLoggedOutTrap=rldot1xSupplicantLoggedOutTrap, resetRequired=resetRequired)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, value_range_constraint, constraints_intersection, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueSizeConstraint')
(rldot1d_stp_trap_vrbl_vid, rldot1d_stp_trap_vrblif_index) = mibBuilder.importSymbols('CISCOSB-BRIDGEMIBOBJECTS-MIB', 'rldot1dStpTrapVrblVID', 'rldot1dStpTrapVrblifIndex')
(rnd_error_severity, rnd_error_desc) = mibBuilder.importSymbols('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity', 'rndErrorDesc')
(switch001,) = mibBuilder.importSymbols('CISCOSB-MIB', 'switch001')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(notification_type, gauge32, unsigned32, ip_address, mib_identifier, bits, counter32, object_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, integer32, time_ticks, module_identity, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'Gauge32', 'Unsigned32', 'IpAddress', 'MibIdentifier', 'Bits', 'Counter32', 'ObjectIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'Integer32', 'TimeTicks', 'ModuleIdentity', 'iso')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
rnd_notifications = module_identity((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0))
rndNotifications.setRevisions(('2010-06-25 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
rndNotifications.setRevisionsDescriptions(('Initial revision.',))
if mibBuilder.loadTexts:
rndNotifications.setLastUpdated('201006250000Z')
if mibBuilder.loadTexts:
rndNotifications.setOrganization('Cisco Small Business')
if mibBuilder.loadTexts:
rndNotifications.setContactInfo('Postal: 170 West Tasman Drive San Jose , CA 95134-1706 USA Website: Cisco Small Business Home http://www.cisco.com/smb>;, Cisco Small Business Support Community <http://www.cisco.com/go/smallbizsupport>')
if mibBuilder.loadTexts:
rndNotifications.setDescription('This private MIB module defines switch private notifications')
rx_overflow_hw_fault = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 3)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rxOverflowHWFault.setStatus('current')
if mibBuilder.loadTexts:
rxOverflowHWFault.setDescription('An RX buffer overflow has occurred in one of the LAN or link interfaces. The bound variable rndErrorDesc provides the interface number.')
tx_overflow_hw_fault = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 4)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
txOverflowHWFault.setStatus('current')
if mibBuilder.loadTexts:
txOverflowHWFault.setDescription('Interport queue overflow has occurred in one of the LAN or link interfaces. The bound variable rndErrorDesc provides the interface number.')
route_table_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 5)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
routeTableOverflow.setStatus('current')
if mibBuilder.loadTexts:
routeTableOverflow.setDescription('An overflow condition has occurred in the Routing Table. The Routing Table is used for IP routing algorithm (RIP).')
reset_required = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 10)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
resetRequired.setStatus('current')
if mibBuilder.loadTexts:
resetRequired.setDescription('This trap indicates that in order to perform the last SET request, a reset operation of the router/bridge is required. This occurs when the layer 2 routing algorithm is changed between SPF and Spanning Tree. The reset can be performed manually or using the variable rndAction.')
end_tftp = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 12)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
endTftp.setStatus('current')
if mibBuilder.loadTexts:
endTftp.setDescription('This trap indicates that in the device finished a TFTP transaction with the management station. variable rndErrorDesc and rndErrorSeverity provides the actual message text and severity respectively.')
abort_tftp = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 13)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
abortTftp.setStatus('current')
if mibBuilder.loadTexts:
abortTftp.setDescription('This trap indicates that in the device aborted a TFTP session with the management station. Variable rndErrorDesc and rndErrorSeverity provides the actual message text and severity respectively.')
start_tftp = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 14)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
startTftp.setStatus('current')
if mibBuilder.loadTexts:
startTftp.setDescription('Informational trap indicating that the device has intiated a TFTP session. rndErrorDesc will contain the file type in question')
fault_back_up = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 23)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
faultBackUp.setStatus('current')
if mibBuilder.loadTexts:
faultBackUp.setDescription('Automantic switchover to backup link because of main link fault.')
main_link_up = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 24)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
mainLinkUp.setStatus('current')
if mibBuilder.loadTexts:
mainLinkUp.setDescription('Communication returened to main link.')
ipx_rip_tbl_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 36)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
ipxRipTblOverflow.setStatus('current')
if mibBuilder.loadTexts:
ipxRipTblOverflow.setDescription('This trap indicates that in an OpenGate IPX RIP table overflow. The bound variable rndErrorDesc, rndErrorSeverity provides the actual message text and severity respectively.')
ipx_sap_tbl_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 37)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
ipxSapTblOverflow.setStatus('current')
if mibBuilder.loadTexts:
ipxSapTblOverflow.setDescription('This trap indicates that in an OpenGate IPX SAP table overflow. The bound variable rndErrorDesc, rndErrorSeverity provides the actual message text and severity respectively.')
facs_access_voilation = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 49)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
facsAccessVoilation.setStatus('current')
if mibBuilder.loadTexts:
facsAccessVoilation.setDescription('This trap indicates that message that fits FACS statenebt with operation blockAndReport was forward to the interface. The bound variable rndErrorDesc, rndErrorSeverity(== info ) and interface Number.')
auto_configuration_completed = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 50)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
autoConfigurationCompleted.setStatus('current')
if mibBuilder.loadTexts:
autoConfigurationCompleted.setDescription('This trap indicates that auto comfiguration completetd succssefully. The bound variable rndErrorDesc, rndErrorSeverity(== info )')
forwarding_tab_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 51)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
forwardingTabOverflow.setStatus('current')
if mibBuilder.loadTexts:
forwardingTabOverflow.setDescription('This trap indicates that an overflow condition has occurred in the layer II Forward Table. The bound variable rndErrorDesc, rndErrorSeverity(== warning )')
fram_relay_switch_connection_up = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 53)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
framRelaySwitchConnectionUp.setStatus('current')
if mibBuilder.loadTexts:
framRelaySwitchConnectionUp.setDescription('This trap indicates that a connection establish between the Frame relay Switch and the WanGate. The bound variable rndErrorDesc, rndErrorSeverity(== warning )')
fram_relay_switch_connection_down = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 54)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
framRelaySwitchConnectionDown.setStatus('current')
if mibBuilder.loadTexts:
framRelaySwitchConnectionDown.setDescription('This trap indicates that a connection between the Frame Relay Switch and the WanGate failed. The bound variable rndErrorDesc, rndErrorSeverity(== warning )')
errors_during_init = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 61)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
errorsDuringInit.setStatus('current')
if mibBuilder.loadTexts:
errorsDuringInit.setDescription('This trap indicates that the an error occured during initialization The bound variable rndErrorDesc, rndErrorSeverity(== error )')
vlan_dyn_port_added = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 66)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
vlanDynPortAdded.setStatus('current')
if mibBuilder.loadTexts:
vlanDynPortAdded.setDescription('')
vlan_dyn_port_removed = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 67)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
vlanDynPortRemoved.setStatus('current')
if mibBuilder.loadTexts:
vlanDynPortRemoved.setDescription('')
rs_s_dclients_table_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 68)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsSDclientsTableOverflow.setStatus('current')
if mibBuilder.loadTexts:
rsSDclientsTableOverflow.setDescription('This warning is generated when an overflow occurs in the clients table.')
rs_s_dinactive_server = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 69)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsSDinactiveServer.setStatus('current')
if mibBuilder.loadTexts:
rsSDinactiveServer.setDescription('This warning is generated when a server does not respond to the dispatchers polling and is thought to be inactive.')
rs_ip_zhr_connections_table_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 70)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsIpZhrConnectionsTableOverflow.setStatus('current')
if mibBuilder.loadTexts:
rsIpZhrConnectionsTableOverflow.setDescription('The Zero Hop Routing connections Table has been overflown.')
rs_ip_zhr_req_static_conn_not_accepted = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 71)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsIpZhrReqStaticConnNotAccepted.setStatus('current')
if mibBuilder.loadTexts:
rsIpZhrReqStaticConnNotAccepted.setDescription('The requested static connection was not accepted because there is no available IP virtual address to allocate to it.')
rs_ip_zhr_virtual_ip_as_source = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 72)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsIpZhrVirtualIpAsSource.setStatus('current')
if mibBuilder.loadTexts:
rsIpZhrVirtualIpAsSource.setDescription('The virtual IP address appeared as a source IP. All the connections using it will be deleted and it will not be further allocated to new connections.')
rs_ip_zhr_not_alloc_virtual_ip = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 73)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsIpZhrNotAllocVirtualIp.setStatus('current')
if mibBuilder.loadTexts:
rsIpZhrNotAllocVirtualIp.setDescription('The source IP address sent an ARP specifying a virtual IP which was not allocated for this source. This virtual IP will not be allocated to connections of this specific source IP.')
rs_snmp_set_request_in_special_cfg_state = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 74)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsSnmpSetRequestInSpecialCfgState.setStatus('current')
if mibBuilder.loadTexts:
rsSnmpSetRequestInSpecialCfgState.setDescription('An incoming SNMP SET request was rejected because no such requests (except action requests) are accepted after start of new configuration reception or during sending the current configuration to an NMS.')
rs_ping_completion = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 136)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsPingCompletion.setStatus('current')
if mibBuilder.loadTexts:
rsPingCompletion.setDescription('A rsPingCompleted trap is sent at the completion of a sequence of pings if such a trap was requested when the sequence was initiated. The trap severity is info. The trap text will specify the following information: rsPingCompletionStatus, rsPingSentPackets, rsPingReceivedPackets In addition to the above listed objects (which are always present), the message will also specify the following quantities: if any responses were received: rsPingMinReturnTime rsPingAvgReturnTime rsPingMaxReturnTime')
ppp_security_violation = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 137)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
pppSecurityViolation.setStatus('current')
if mibBuilder.loadTexts:
pppSecurityViolation.setDescription('This trap indicates that a PPP link got an unrecognized secret. The bound variables rndErrorDesc, rndErrorSeverity(== warning ), interface Number. and pppSecurityIdentity')
fr_dlci_statud_change = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 138)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
frDLCIStatudChange.setStatus('current')
if mibBuilder.loadTexts:
frDLCIStatudChange.setDescription('')
pap_failed_communication = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 139)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
papFailedCommunication.setStatus('current')
if mibBuilder.loadTexts:
papFailedCommunication.setDescription('')
chap_failed_communication = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 140)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
chapFailedCommunication.setStatus('current')
if mibBuilder.loadTexts:
chapFailedCommunication.setDescription('')
rs_wsd_redundancy_switch = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 141)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsWSDRedundancySwitch.setStatus('current')
if mibBuilder.loadTexts:
rsWSDRedundancySwitch.setDescription('Whenever main server fails and backup takes over or server comes up after failure a trap of this type is issued.')
rs_dhcp_allocation_failure = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 142)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rsDhcpAllocationFailure.setStatus('current')
if mibBuilder.loadTexts:
rsDhcpAllocationFailure.setDescription('DHCP failed to allocate an IP address to a requesting host because of memory shortage or inadequate configuration of available IP addresses.')
rl_ip_fft_stn_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 145)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIpFftStnOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlIpFftStnOverflow.setDescription('The IP SFFT overflow.')
rl_ip_fft_sub_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 146)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIpFftSubOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlIpFftSubOverflow.setDescription('The IP NFFT overflow.')
rl_ipx_fft_stn_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 147)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIpxFftStnOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlIpxFftStnOverflow.setDescription('The IPX SFFT overflow.')
rl_ipx_fft_sub_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 148)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIpxFftSubOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlIpxFftSubOverflow.setDescription('The IPX NFFT overflow.')
rl_ipm_fft_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 149)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIpmFftOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlIpmFftOverflow.setDescription('The IPM FFT overflow.')
rl_physical_description_changed = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 150)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlPhysicalDescriptionChanged.setStatus('current')
if mibBuilder.loadTexts:
rlPhysicalDescriptionChanged.setDescription('Indicates that the physical decription of the device has changed')
rldot1d_stp_port_state_forwarding = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 151)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'), ('CISCOSB-BRIDGEMIBOBJECTS-MIB', 'rldot1dStpTrapVrblifIndex'), ('CISCOSB-BRIDGEMIBOBJECTS-MIB', 'rldot1dStpTrapVrblVID'))
if mibBuilder.loadTexts:
rldot1dStpPortStateForwarding.setStatus('current')
if mibBuilder.loadTexts:
rldot1dStpPortStateForwarding.setDescription('The trap is sent by a bridge when any of its configured ports transitions from the Learning state to the Forwarding state.')
rldot1d_stp_port_state_not_forwarding = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 152)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'), ('CISCOSB-BRIDGEMIBOBJECTS-MIB', 'rldot1dStpTrapVrblifIndex'), ('CISCOSB-BRIDGEMIBOBJECTS-MIB', 'rldot1dStpTrapVrblVID'))
if mibBuilder.loadTexts:
rldot1dStpPortStateNotForwarding.setStatus('current')
if mibBuilder.loadTexts:
rldot1dStpPortStateNotForwarding.setDescription('The trap is sent by a bridge when any of its configured ports transitions from the Forwarding state to the Blocking state.')
rl_policy_drop_packet_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 153)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlPolicyDropPacketTrap.setStatus('current')
if mibBuilder.loadTexts:
rlPolicyDropPacketTrap.setDescription('Indicates that the packet drop due to the policy ')
rl_policy_forward_packet_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 154)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlPolicyForwardPacketTrap.setStatus('current')
if mibBuilder.loadTexts:
rlPolicyForwardPacketTrap.setDescription('Indicates that the packet has forward based on policy')
rl_igmp_proxy_table_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 156)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIgmpProxyTableOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlIgmpProxyTableOverflow.setDescription('An IGMP PROXY Table overflow.')
rl_igmp_v1_msg_received = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 157)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlIgmpV1MsgReceived.setStatus('current')
if mibBuilder.loadTexts:
rlIgmpV1MsgReceived.setDescription('An IGMP Message of v1 received on ifIndex. ')
rl_vrrp_entries_deleted = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 158)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlVrrpEntriesDeleted.setStatus('current')
if mibBuilder.loadTexts:
rlVrrpEntriesDeleted.setDescription('One or more VRRP entries deleted due to IP interface deletion or transition. ')
rl_hot_swap_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 159)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlHotSwapTrap.setStatus('current')
if mibBuilder.loadTexts:
rlHotSwapTrap.setDescription('Hot swap trap.')
rl_trunk_port_added_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 160)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlTrunkPortAddedTrap.setStatus('current')
if mibBuilder.loadTexts:
rlTrunkPortAddedTrap.setDescription('Informational trap indicating that a port is added to a trunk')
rl_trunk_port_removed_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 161)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlTrunkPortRemovedTrap.setStatus('current')
if mibBuilder.loadTexts:
rlTrunkPortRemovedTrap.setDescription('This warning is generated when a port removed from a trunk.')
rl_trunk_port_not_capable_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 162)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlTrunkPortNotCapableTrap.setStatus('current')
if mibBuilder.loadTexts:
rlTrunkPortNotCapableTrap.setDescription('Informational trap indicating that a port can not be added to a trunk because of device limitations or diffrent swIfType.')
rl_lock_port_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 170)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlLockPortTrap.setStatus('current')
if mibBuilder.loadTexts:
rlLockPortTrap.setDescription('Informational trap indicating that a locked port receive a frame with new source Mac Address.')
vlan_dyn_vlan_added = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 171)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
vlanDynVlanAdded.setStatus('current')
if mibBuilder.loadTexts:
vlanDynVlanAdded.setDescription('add gvrp dynamic vlan')
vlan_dyn_vlan_removed = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 172)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
vlanDynVlanRemoved.setStatus('current')
if mibBuilder.loadTexts:
vlanDynVlanRemoved.setDescription('remove gvrp dynamic vlan')
vlan_dynamic_to_static = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 173)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
vlanDynamicToStatic.setStatus('current')
if mibBuilder.loadTexts:
vlanDynamicToStatic.setDescription('vlan status was changed from dynamic to static')
vlan_static_to_dynamic = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 174)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
vlanStaticToDynamic.setStatus('current')
if mibBuilder.loadTexts:
vlanStaticToDynamic.setDescription('vlan status was changed from static to dynamic')
dstr_sys_log = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 175)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
dstrSysLog.setStatus('current')
if mibBuilder.loadTexts:
dstrSysLog.setDescription('Master receive trap from slave , and forward it as trap')
rl_env_mon_fan_state_change = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 176)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlEnvMonFanStateChange.setStatus('current')
if mibBuilder.loadTexts:
rlEnvMonFanStateChange.setDescription('Trap indicating the fan state. rndErrorSeverity will be: 0 for fan state nomal, notPresent 1 for fan state warning, notFunctioning 2 for fan state critical 3 for fan state fatal The error text will specify the fan index, fan description and the exact fan state')
rl_env_mon_power_supply_state_change = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 177)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlEnvMonPowerSupplyStateChange.setStatus('current')
if mibBuilder.loadTexts:
rlEnvMonPowerSupplyStateChange.setDescription('Trap indicating the power supply state. rndErrorSeverity will be: 0 for power supply state nomal, notPresent 1 for power supply state warning, notFunctioning 2 for power supply state critical 3 for power supply state fatal The error text will specify the power supply index, power supply description and the exact power supply state')
rl_stack_state_change = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 178)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlStackStateChange.setStatus('current')
if mibBuilder.loadTexts:
rlStackStateChange.setDescription('Trap indicating the stack connection state 0 for stack state connected, 1 for stack state disconnected ')
rl_env_mon_temperature_rising_alarm = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 179)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlEnvMonTemperatureRisingAlarm.setStatus('current')
if mibBuilder.loadTexts:
rlEnvMonTemperatureRisingAlarm.setDescription('Trap indicating that the temperature in the device has exceeded the device specific safe temperature threshold.')
rl_brg_mac_add_failed_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 183)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlBrgMacAddFailedTrap.setStatus('current')
if mibBuilder.loadTexts:
rlBrgMacAddFailedTrap.setDescription('Informational trap indicating that adding dynamic mac/s failed due to full hash chain.')
rldot1x_port_status_authorized_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 184)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xPortStatusAuthorizedTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xPortStatusAuthorizedTrap.setDescription('Informational trap indicating that port 802.1x status is authorized.')
rldot1x_port_status_unauthorized_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 185)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xPortStatusUnauthorizedTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xPortStatusUnauthorizedTrap.setDescription('Warning trap is indicating that port 802.1x status is unAuthorized.')
sw_if_table_port_lock = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 192)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
swIfTablePortLock.setStatus('current')
if mibBuilder.loadTexts:
swIfTablePortLock.setDescription('Warning trap is indicating port lock hase began.')
sw_if_table_port_un_lock = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 193)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
swIfTablePortUnLock.setStatus('current')
if mibBuilder.loadTexts:
swIfTablePortUnLock.setDescription('Warning trap is indicating port lock has ended.')
rl_aaa_user_locked = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 194)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlAAAUserLocked.setStatus('current')
if mibBuilder.loadTexts:
rlAAAUserLocked.setDescription('Warning trap indicating that the user was locked after number of consecutives unsuccessful login attempts.')
bpdu_guard_port_suspended = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 202)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
bpduGuardPortSuspended.setStatus('current')
if mibBuilder.loadTexts:
bpduGuardPortSuspended.setDescription('Warning trap indicating - Port was suspended because there was BPDU Guard violation.')
rldot1x_supplicant_mac_authorized_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 203)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xSupplicantMacAuthorizedTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xSupplicantMacAuthorizedTrap.setDescription('Informational trap indicating that MAC authentication supplicant is authenticated and is allowed to access the network.')
rldot1x_supplicant_mac_unauthorized_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 204)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xSupplicantMacUnauthorizedTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xSupplicantMacUnauthorizedTrap.setDescription('Warning trap is indicating that Radius server rejects MAC authentication supplicant.')
stp_loopback_detection = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 205)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
stpLoopbackDetection.setStatus('current')
if mibBuilder.loadTexts:
stpLoopbackDetection.setDescription('Warning trap indicating - A loopback was detected on port.')
stp_loopback_detection_resolved = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 206)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
stpLoopbackDetectionResolved.setStatus('current')
if mibBuilder.loadTexts:
stpLoopbackDetectionResolved.setDescription('Warning trap indicating - A loopback detection resolved on port.')
loopback_detection_port_suspended = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 207)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
loopbackDetectionPortSuspended.setStatus('current')
if mibBuilder.loadTexts:
loopbackDetectionPortSuspended.setDescription('Warning trap indicating - A port has been suspended by Loopback Detection.')
rl_port_suspended = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 213)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlPortSuspended.setStatus('current')
if mibBuilder.loadTexts:
rlPortSuspended.setDescription('Warning trap indicating - A port has been suspended by Any application.')
rl_special_bpdu_db_overflow = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 214)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlSpecialBpduDbOverflow.setStatus('current')
if mibBuilder.loadTexts:
rlSpecialBpduDbOverflow.setDescription('Warning trap indicating - Special BPDU DB Overflow.')
rldot1x_supplicant_logged_out_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 215)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xSupplicantLoggedOutTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xSupplicantLoggedOutTrap.setDescription('Warning trap is indicating that supplicant was logged out Since the ports time-range state was changed to inactive.')
rldot1x_port_control_mode_not_auto_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 216)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xPortControlModeNotAutoTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xPortControlModeNotAutoTrap.setDescription('Warning trap is indicating that altough ports time-range Is active now, it can not start working in mode auto.')
rl_eee_lldp_multiple_neighbours = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 217)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlEeeLldpMultipleNeighbours.setStatus('current')
if mibBuilder.loadTexts:
rlEeeLldpMultipleNeighbours.setDescription('Warning trap indicating - Port has multiple LLDP remote link neighbours - EEE operational state will be FALSE.')
rl_eee_lldp_single_neighbour = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 218)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlEeeLldpSingleNeighbour.setStatus('current')
if mibBuilder.loadTexts:
rlEeeLldpSingleNeighbour.setDescription('Warning trap indicating - Port has single LLDP remote link neighbour - EEE operational can be TRUE.')
rldot1x_supplicant_quiet_period_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 219)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rldot1xSupplicantQuietPeriodTrap.setStatus('current')
if mibBuilder.loadTexts:
rldot1xSupplicantQuietPeriodTrap.setDescription('Warning trap is indicating that supplicant quiet period timeout is active now.')
rl_stack_version_upgrade_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 222)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlStackVersionUpgradeTrap.setStatus('current')
if mibBuilder.loadTexts:
rlStackVersionUpgradeTrap.setDescription('Informational trap indicating that stack slave is upgrading to the image or boot version of the stack master.')
rl_stack_version_downgrade_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 223)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlStackVersionDowngradeTrap.setStatus('current')
if mibBuilder.loadTexts:
rlStackVersionDowngradeTrap.setDescription('Warning trap indicating that stack slave is downgrading to the image or boot version of the stack master.')
pse_inrush_port = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 240)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
pseInrushPort.setStatus('current')
if mibBuilder.loadTexts:
pseInrushPort.setDescription('Informational trap indicating that port in PD does not meet the inrush-current standard.')
rl_storm_control_min_rate_trap = notification_type((1, 3, 6, 1, 4, 1, 9, 6, 1, 101, 0, 241)).setObjects(('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorDesc'), ('CISCOSB-DEVICEPARAMS-MIB', 'rndErrorSeverity'))
if mibBuilder.loadTexts:
rlStormControlMinRateTrap.setStatus('current')
if mibBuilder.loadTexts:
rlStormControlMinRateTrap.setDescription('Warning trap indicating that port storm control rate limit is configured to minumum rate.')
mibBuilder.exportSymbols('CISCOSB-TRAPS-MIB', dstrSysLog=dstrSysLog, framRelaySwitchConnectionUp=framRelaySwitchConnectionUp, rlIpmFftOverflow=rlIpmFftOverflow, rlIpFftSubOverflow=rlIpFftSubOverflow, vlanDynamicToStatic=vlanDynamicToStatic, papFailedCommunication=papFailedCommunication, rldot1xSupplicantMacAuthorizedTrap=rldot1xSupplicantMacAuthorizedTrap, swIfTablePortLock=swIfTablePortLock, vlanDynPortAdded=vlanDynPortAdded, rlTrunkPortRemovedTrap=rlTrunkPortRemovedTrap, rldot1xSupplicantQuietPeriodTrap=rldot1xSupplicantQuietPeriodTrap, bpduGuardPortSuspended=bpduGuardPortSuspended, forwardingTabOverflow=forwardingTabOverflow, rxOverflowHWFault=rxOverflowHWFault, rlEeeLldpMultipleNeighbours=rlEeeLldpMultipleNeighbours, stpLoopbackDetectionResolved=stpLoopbackDetectionResolved, rldot1dStpPortStateForwarding=rldot1dStpPortStateForwarding, stpLoopbackDetection=stpLoopbackDetection, rndNotifications=rndNotifications, rlBrgMacAddFailedTrap=rlBrgMacAddFailedTrap, rlStormControlMinRateTrap=rlStormControlMinRateTrap, vlanStaticToDynamic=vlanStaticToDynamic, rlStackStateChange=rlStackStateChange, frDLCIStatudChange=frDLCIStatudChange, vlanDynVlanAdded=vlanDynVlanAdded, rlTrunkPortAddedTrap=rlTrunkPortAddedTrap, rlIpxFftStnOverflow=rlIpxFftStnOverflow, swIfTablePortUnLock=swIfTablePortUnLock, rsWSDRedundancySwitch=rsWSDRedundancySwitch, routeTableOverflow=routeTableOverflow, pppSecurityViolation=pppSecurityViolation, rlTrunkPortNotCapableTrap=rlTrunkPortNotCapableTrap, rlIpFftStnOverflow=rlIpFftStnOverflow, rldot1xSupplicantMacUnauthorizedTrap=rldot1xSupplicantMacUnauthorizedTrap, rlPhysicalDescriptionChanged=rlPhysicalDescriptionChanged, rlEnvMonFanStateChange=rlEnvMonFanStateChange, rlSpecialBpduDbOverflow=rlSpecialBpduDbOverflow, faultBackUp=faultBackUp, txOverflowHWFault=txOverflowHWFault, vlanDynPortRemoved=vlanDynPortRemoved, autoConfigurationCompleted=autoConfigurationCompleted, abortTftp=abortTftp, rlLockPortTrap=rlLockPortTrap, rlEnvMonTemperatureRisingAlarm=rlEnvMonTemperatureRisingAlarm, chapFailedCommunication=chapFailedCommunication, endTftp=endTftp, rlEnvMonPowerSupplyStateChange=rlEnvMonPowerSupplyStateChange, rlStackVersionUpgradeTrap=rlStackVersionUpgradeTrap, rlIpxFftSubOverflow=rlIpxFftSubOverflow, rsSnmpSetRequestInSpecialCfgState=rsSnmpSetRequestInSpecialCfgState, rsIpZhrNotAllocVirtualIp=rsIpZhrNotAllocVirtualIp, vlanDynVlanRemoved=vlanDynVlanRemoved, rsPingCompletion=rsPingCompletion, rldot1xPortControlModeNotAutoTrap=rldot1xPortControlModeNotAutoTrap, startTftp=startTftp, framRelaySwitchConnectionDown=framRelaySwitchConnectionDown, ipxSapTblOverflow=ipxSapTblOverflow, ipxRipTblOverflow=ipxRipTblOverflow, rlHotSwapTrap=rlHotSwapTrap, rsSDclientsTableOverflow=rsSDclientsTableOverflow, rlPolicyDropPacketTrap=rlPolicyDropPacketTrap, PYSNMP_MODULE_ID=rndNotifications, rldot1xPortStatusAuthorizedTrap=rldot1xPortStatusAuthorizedTrap, loopbackDetectionPortSuspended=loopbackDetectionPortSuspended, mainLinkUp=mainLinkUp, rlPortSuspended=rlPortSuspended, rlVrrpEntriesDeleted=rlVrrpEntriesDeleted, rldot1xPortStatusUnauthorizedTrap=rldot1xPortStatusUnauthorizedTrap, rsDhcpAllocationFailure=rsDhcpAllocationFailure, rldot1dStpPortStateNotForwarding=rldot1dStpPortStateNotForwarding, rlAAAUserLocked=rlAAAUserLocked, rlStackVersionDowngradeTrap=rlStackVersionDowngradeTrap, rlIgmpV1MsgReceived=rlIgmpV1MsgReceived, errorsDuringInit=errorsDuringInit, rsIpZhrVirtualIpAsSource=rsIpZhrVirtualIpAsSource, rlIgmpProxyTableOverflow=rlIgmpProxyTableOverflow, facsAccessVoilation=facsAccessVoilation, rsSDinactiveServer=rsSDinactiveServer, rsIpZhrReqStaticConnNotAccepted=rsIpZhrReqStaticConnNotAccepted, rsIpZhrConnectionsTableOverflow=rsIpZhrConnectionsTableOverflow, pseInrushPort=pseInrushPort, rlEeeLldpSingleNeighbour=rlEeeLldpSingleNeighbour, rlPolicyForwardPacketTrap=rlPolicyForwardPacketTrap, rldot1xSupplicantLoggedOutTrap=rldot1xSupplicantLoggedOutTrap, resetRequired=resetRequired) |
_base_ = [
'../../_base_/default_runtime.py',
'../../_base_/schedules/schedule_adam_600e.py',
'../../_base_/det_models/panet_r50_fpem_ffm.py',
'../../_base_/det_datasets/icdar2017.py',
'../../_base_/det_pipelines/panet_pipeline.py'
]
train_list = {{_base_.train_list}}
test_list = {{_base_.test_list}}
train_pipeline_icdar2017 = {{_base_.train_pipeline_icdar2017}}
test_pipeline_icdar2017 = {{_base_.test_pipeline_icdar2017}}
data = dict(
samples_per_gpu=4,
workers_per_gpu=4,
val_dataloader=dict(samples_per_gpu=1),
test_dataloader=dict(samples_per_gpu=1),
train=dict(
type='UniformConcatDataset',
datasets=train_list,
pipeline=train_pipeline_icdar2017),
val=dict(
type='UniformConcatDataset',
datasets=test_list,
pipeline=test_pipeline_icdar2017),
test=dict(
type='UniformConcatDataset',
datasets=test_list,
pipeline=test_pipeline_icdar2017))
evaluation = dict(interval=10, metric='hmean-iou')
| _base_ = ['../../_base_/default_runtime.py', '../../_base_/schedules/schedule_adam_600e.py', '../../_base_/det_models/panet_r50_fpem_ffm.py', '../../_base_/det_datasets/icdar2017.py', '../../_base_/det_pipelines/panet_pipeline.py']
train_list = {{_base_.train_list}}
test_list = {{_base_.test_list}}
train_pipeline_icdar2017 = {{_base_.train_pipeline_icdar2017}}
test_pipeline_icdar2017 = {{_base_.test_pipeline_icdar2017}}
data = dict(samples_per_gpu=4, workers_per_gpu=4, val_dataloader=dict(samples_per_gpu=1), test_dataloader=dict(samples_per_gpu=1), train=dict(type='UniformConcatDataset', datasets=train_list, pipeline=train_pipeline_icdar2017), val=dict(type='UniformConcatDataset', datasets=test_list, pipeline=test_pipeline_icdar2017), test=dict(type='UniformConcatDataset', datasets=test_list, pipeline=test_pipeline_icdar2017))
evaluation = dict(interval=10, metric='hmean-iou') |
#Write a program that prompts for a file name, then opens that file and reads through the file,
#and print the contents of the file in upper case.
#Use the file words.txt to produce the output below.
#You can download the sample data at http://www.py4e.com/code3/words.txt
# Use words.txt as the file name
fname = input("Enter file name: ")
fh = open(fname)
print("fh___", fh)
book = fh.read()
print("book___", book)
bookCAPITAL = book.upper()
bookCAPITALrstrip = bookCAPITAL.rstrip()
print(bookCAPITALrstrip)
| fname = input('Enter file name: ')
fh = open(fname)
print('fh___', fh)
book = fh.read()
print('book___', book)
book_capital = book.upper()
book_capita_lrstrip = bookCAPITAL.rstrip()
print(bookCAPITALrstrip) |
class Player:
def __init__(self, name: str):
self.name = name
self.wins = 0
def add_win(self):
self.wins += 1
class Player_War(Player):
def __init__(self, name: str):
super().__init__(name)
self.card = None | class Player:
def __init__(self, name: str):
self.name = name
self.wins = 0
def add_win(self):
self.wins += 1
class Player_War(Player):
def __init__(self, name: str):
super().__init__(name)
self.card = None |
# The MIT License (MIT)
# Copyright (c) 2015 Yanzheng Li
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
## -----------------------------------------------------------------------------
CONST_STR_SLICE = __call_cls_builtin(str, 'slice(')
CONST_STR_COMMA = __call_cls_builtin(str, ', ')
CONST_STR_CLOSE_PAREN = __call_cls_builtin(str, ')')
CONST_INT_ZERO = __call_cls_builtin(int, 0)
## -----------------------------------------------------------------------------
class slice(object):
def __init__(self, start, stop, step):
self.start = start
self.stop = stop
self.step = step
def __str__(self):
res = __call_cls_builtin(str, '')
__call_method_1(res.__add__, CONST_STR_SLICE)
__call_method_1(res.__add__, __call_method_0(self.start.__repr__))
__call_method_1(res.__add__, CONST_STR_COMMA)
__call_method_1(res.__add__, __call_method_0(self.stop.__repr__))
__call_method_1(res.__add__, CONST_STR_COMMA)
__call_method_1(res.__add__, __call_method_0(self.step.__repr__))
__call_method_1(res.__add__, CONST_STR_CLOSE_PAREN)
return res
def __repr__(self):
return __call_method_0(self.__str__)
def __hash__(self):
raise __call_cls_0(TypeError)
def indices(self, num):
start = min(self.start, num)
stop = min(self.stop, num)
step = __call_cls_1(int, self.step)
if __call_method_1(step.__eq__, CONST_INT_ZERO):
raise __call_cls_0(ValueError)
res = __call_cls_builtin(tuple, (start, stop, step))
return res
## -----------------------------------------------------------------------------
| const_str_slice = __call_cls_builtin(str, 'slice(')
const_str_comma = __call_cls_builtin(str, ', ')
const_str_close_paren = __call_cls_builtin(str, ')')
const_int_zero = __call_cls_builtin(int, 0)
class Slice(object):
def __init__(self, start, stop, step):
self.start = start
self.stop = stop
self.step = step
def __str__(self):
res = __call_cls_builtin(str, '')
__call_method_1(res.__add__, CONST_STR_SLICE)
__call_method_1(res.__add__, __call_method_0(self.start.__repr__))
__call_method_1(res.__add__, CONST_STR_COMMA)
__call_method_1(res.__add__, __call_method_0(self.stop.__repr__))
__call_method_1(res.__add__, CONST_STR_COMMA)
__call_method_1(res.__add__, __call_method_0(self.step.__repr__))
__call_method_1(res.__add__, CONST_STR_CLOSE_PAREN)
return res
def __repr__(self):
return __call_method_0(self.__str__)
def __hash__(self):
raise __call_cls_0(TypeError)
def indices(self, num):
start = min(self.start, num)
stop = min(self.stop, num)
step = __call_cls_1(int, self.step)
if __call_method_1(step.__eq__, CONST_INT_ZERO):
raise __call_cls_0(ValueError)
res = __call_cls_builtin(tuple, (start, stop, step))
return res |
car_lot = ["Ford", "Dodge", "Toyota", "Ford", "Toyota", "Chevrolet", "Ford"]
print(car_lot.count("Ford"))
| car_lot = ['Ford', 'Dodge', 'Toyota', 'Ford', 'Toyota', 'Chevrolet', 'Ford']
print(car_lot.count('Ford')) |
class Board():
WINNERS = [
set([(0, 0), (0, 1), (0, 2), (0, 3), (0, 4)]),
set([(1, 0), (1, 1), (1, 2), (1, 3), (1, 4)]),
set([(2, 0), (2, 1), (2, 2), (2, 3), (2, 4)]),
set([(3, 0), (3, 1), (3, 2), (3, 3), (3, 4)]),
set([(4, 0), (4, 1), (4, 2), (4, 3), (4, 4)]),
set([(0, 0), (1, 0), (2, 0), (3, 0), (4, 0)]),
set([(0, 1), (1, 1), (2, 1), (3, 1), (4, 1)]),
set([(0, 2), (1, 2), (2, 2), (3, 2), (4, 2)]),
set([(0, 3), (1, 3), (2, 3), (3, 3), (4, 3)]),
set([(0, 4), (1, 4), (2, 4), (3, 4), (4, 4)]),
set([(0, 0), (1, 1), (2, 2), (3, 3), (4, 4)]),
set([(0, 4), (1, 3), (2, 2), (3, 1), (4, 0)]),
]
def __init__(self, lines):
self.numbers = {}
self.marked = set()
for y, line in enumerate(lines):
for x, number in enumerate([int(number) for number in line.split()]):
self.numbers[number] = (x, y)
def mark_number(self, number):
if number in self.numbers:
self.marked.add(self.numbers[number])
return True
return False
@property
def winner(self):
return any([len(winner.intersection(self.marked)) >= 5 for winner in Board.WINNERS])
def score(self, last_number_called):
uncalled_numbers = []
for number, location in self.numbers.items():
if location not in self.marked:
uncalled_numbers.append(number)
return sum(uncalled_numbers) * last_number_called
def build_boards(lines):
boards = []
i = 0
while i < len(lines):
if not lines[i]:
i += 1
continue
boards.append(Board(lines[i:i+5]))
i += 5
return boards
def main(lines):
numbers_to_draw = [int(number) for number in lines[0].split(',')]
boards = build_boards(lines[2:])
for number in numbers_to_draw:
for board in boards:
board.mark_number(number)
if board.winner:
return board.score(number)
if __name__ == '__main__':
with open('../data/input04.txt') as f:
lines = [line.strip() for line in f.readlines()]
print(main(lines))
| class Board:
winners = [set([(0, 0), (0, 1), (0, 2), (0, 3), (0, 4)]), set([(1, 0), (1, 1), (1, 2), (1, 3), (1, 4)]), set([(2, 0), (2, 1), (2, 2), (2, 3), (2, 4)]), set([(3, 0), (3, 1), (3, 2), (3, 3), (3, 4)]), set([(4, 0), (4, 1), (4, 2), (4, 3), (4, 4)]), set([(0, 0), (1, 0), (2, 0), (3, 0), (4, 0)]), set([(0, 1), (1, 1), (2, 1), (3, 1), (4, 1)]), set([(0, 2), (1, 2), (2, 2), (3, 2), (4, 2)]), set([(0, 3), (1, 3), (2, 3), (3, 3), (4, 3)]), set([(0, 4), (1, 4), (2, 4), (3, 4), (4, 4)]), set([(0, 0), (1, 1), (2, 2), (3, 3), (4, 4)]), set([(0, 4), (1, 3), (2, 2), (3, 1), (4, 0)])]
def __init__(self, lines):
self.numbers = {}
self.marked = set()
for (y, line) in enumerate(lines):
for (x, number) in enumerate([int(number) for number in line.split()]):
self.numbers[number] = (x, y)
def mark_number(self, number):
if number in self.numbers:
self.marked.add(self.numbers[number])
return True
return False
@property
def winner(self):
return any([len(winner.intersection(self.marked)) >= 5 for winner in Board.WINNERS])
def score(self, last_number_called):
uncalled_numbers = []
for (number, location) in self.numbers.items():
if location not in self.marked:
uncalled_numbers.append(number)
return sum(uncalled_numbers) * last_number_called
def build_boards(lines):
boards = []
i = 0
while i < len(lines):
if not lines[i]:
i += 1
continue
boards.append(board(lines[i:i + 5]))
i += 5
return boards
def main(lines):
numbers_to_draw = [int(number) for number in lines[0].split(',')]
boards = build_boards(lines[2:])
for number in numbers_to_draw:
for board in boards:
board.mark_number(number)
if board.winner:
return board.score(number)
if __name__ == '__main__':
with open('../data/input04.txt') as f:
lines = [line.strip() for line in f.readlines()]
print(main(lines)) |
class Solution:
def nextGreaterElement(self, n: int) -> int:
num = list(str(n))
# Start from the right most digit and find the first
# digit that is smaller than the digit next to it
i = len(num)-1
while i-1 >= 0 and num[i] <= num[i-1]:
i -= 1
if i == 0:
return -1
# Now we know num[i-1] < num[i]
# We will find the smallest num but > num[i-1]
smallest = i
while smallest + 1 < len(num) and num[smallest+1] > num[i-1]:
smallest += 1
# Let's swap i-1 and smallest
num[i-1], num[smallest] = num[smallest], num[i-1]
suffix = num[i:][::-1]
ans = int(''.join(num[:i] + suffix))
return ans if ans < 1<<31 else -1
if __name__== '__main__':
solution = Solution()
# n = 21
# n = 101
n = 12222333
result = solution.nextGreaterElement(n)
print(result)
| class Solution:
def next_greater_element(self, n: int) -> int:
num = list(str(n))
i = len(num) - 1
while i - 1 >= 0 and num[i] <= num[i - 1]:
i -= 1
if i == 0:
return -1
smallest = i
while smallest + 1 < len(num) and num[smallest + 1] > num[i - 1]:
smallest += 1
(num[i - 1], num[smallest]) = (num[smallest], num[i - 1])
suffix = num[i:][::-1]
ans = int(''.join(num[:i] + suffix))
return ans if ans < 1 << 31 else -1
if __name__ == '__main__':
solution = solution()
n = 12222333
result = solution.nextGreaterElement(n)
print(result) |
# Base class
class SchemaError(Exception):
pass
class SchemaBaseError(SchemaError):
pass
class SchemaAttributeError(SchemaError):
pass
# Don't catch these exceptions
class SchemaBaseUnknownAttribute(SchemaBaseError):
pass
class SchemaBaseLinkTypeNotSupported(SchemaBaseError):
pass
class SchemaBaseUnknownObjectType(SchemaBaseError):
pass
class SchemaBaseUnknownLinkType(SchemaBaseError):
pass
class SchemaBaseAttributeTypeMismatch(SchemaBaseError):
pass
class SchemaBaseInvalidObjectType(SchemaBaseError):
pass
class SchemaBaseInvalidAttributeType(SchemaBaseError):
pass
class SchemaBaseInvalidAttributeModification(SchemaBaseError):
pass
class SchemaBaseInvalidAttribute(SchemaBaseError):
pass
class SchemaBaseInvalidLinkType(SchemaBaseError):
pass
class SchemaBaseInvalidLinkModification(SchemaBaseError):
pass
class SchemaBaseEmptyLink(SchemaBaseError):
pass
class SchemaBaseEmptyObject(SchemaBaseError):
pass
# Catch these exceptions
class SchemaAttributesInvalidDigits(SchemaAttributeError):
pass
class SchemaAttributesInvalidPhoneNumber(SchemaAttributeError):
pass
class SchemaAttributesInvalidEmailAddress(SchemaAttributeError):
pass
class SchemaAttributesInvalidGroupType(SchemaAttributeError):
pass
class SchemaAttributesInvalidGender(SchemaAttributeError):
pass
class SchemaAttributesInvalidIATA(SchemaAttributeError):
pass
class SchemaAttributesInvalidCountryCode(SchemaAttributeError):
pass
class SchemaAttributesInvalidGeoLocation(SchemaAttributeError):
pass
| class Schemaerror(Exception):
pass
class Schemabaseerror(SchemaError):
pass
class Schemaattributeerror(SchemaError):
pass
class Schemabaseunknownattribute(SchemaBaseError):
pass
class Schemabaselinktypenotsupported(SchemaBaseError):
pass
class Schemabaseunknownobjecttype(SchemaBaseError):
pass
class Schemabaseunknownlinktype(SchemaBaseError):
pass
class Schemabaseattributetypemismatch(SchemaBaseError):
pass
class Schemabaseinvalidobjecttype(SchemaBaseError):
pass
class Schemabaseinvalidattributetype(SchemaBaseError):
pass
class Schemabaseinvalidattributemodification(SchemaBaseError):
pass
class Schemabaseinvalidattribute(SchemaBaseError):
pass
class Schemabaseinvalidlinktype(SchemaBaseError):
pass
class Schemabaseinvalidlinkmodification(SchemaBaseError):
pass
class Schemabaseemptylink(SchemaBaseError):
pass
class Schemabaseemptyobject(SchemaBaseError):
pass
class Schemaattributesinvaliddigits(SchemaAttributeError):
pass
class Schemaattributesinvalidphonenumber(SchemaAttributeError):
pass
class Schemaattributesinvalidemailaddress(SchemaAttributeError):
pass
class Schemaattributesinvalidgrouptype(SchemaAttributeError):
pass
class Schemaattributesinvalidgender(SchemaAttributeError):
pass
class Schemaattributesinvalidiata(SchemaAttributeError):
pass
class Schemaattributesinvalidcountrycode(SchemaAttributeError):
pass
class Schemaattributesinvalidgeolocation(SchemaAttributeError):
pass |
class FoxProgression:
def theCount(self, seq):
if len(seq) == 1:
return -1
a, m = seq[1]-seq[0], seq[1]/float(seq[0])
af, mf = True, m == int(m)
c = sum((af, mf))
for i, j in zip(seq[1:], seq[2:]):
if af and j-i != a:
af = False
c -= 1
if mf and j/float(i) != m:
mf = False
c -= 1
if not af and not mf:
break
if af and mf and seq[-1] + a == seq[-1] * m:
c -= 1
return c
| class Foxprogression:
def the_count(self, seq):
if len(seq) == 1:
return -1
(a, m) = (seq[1] - seq[0], seq[1] / float(seq[0]))
(af, mf) = (True, m == int(m))
c = sum((af, mf))
for (i, j) in zip(seq[1:], seq[2:]):
if af and j - i != a:
af = False
c -= 1
if mf and j / float(i) != m:
mf = False
c -= 1
if not af and (not mf):
break
if af and mf and (seq[-1] + a == seq[-1] * m):
c -= 1
return c |
#
# PySNMP MIB module ARUBA-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ARUBA-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:25:46 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, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ValueSizeConstraint")
ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance")
Bits, IpAddress, TimeTicks, ObjectIdentity, Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, snmpModules, iso, Integer32, Counter32, ModuleIdentity, enterprises, Unsigned32, Gauge32, MibIdentifier, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "IpAddress", "TimeTicks", "ObjectIdentity", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "snmpModules", "iso", "Integer32", "Counter32", "ModuleIdentity", "enterprises", "Unsigned32", "Gauge32", "MibIdentifier", "NotificationType")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
aruba = MibIdentifier((1, 3, 6, 1, 4, 1, 14823))
products = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1))
arubaEnterpriseMibModules = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2))
arubaMgmt = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 3))
switchProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1))
a5000 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 1))
a2400 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 2))
a800 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 3))
a6000 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 4))
a2400E = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 7))
a800E = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 8))
a804 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 9))
a200 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 10))
a2424 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 11))
a6000_SC3 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 12)).setLabel("a6000-SC3")
a3200 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 13))
a3200_8 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 14)).setLabel("a3200-8")
a3400 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 15))
a3400_32 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 16)).setLabel("a3400-32")
a3600 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 17))
a3600_64 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 18)).setLabel("a3600-64")
a650 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 19))
a651 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 20))
reserved1 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 21))
reserved2 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 22))
a620 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 23))
s3500_24P = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 24)).setLabel("s3500-24P")
s3500_24T = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 25)).setLabel("s3500-24T")
s3500_48P = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 26)).setLabel("s3500-48P")
s3500_48T = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 27)).setLabel("s3500-48T")
s2500_24P = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 28)).setLabel("s2500-24P")
s2500_24T = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 29)).setLabel("s2500-24T")
s2500_48P = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 30)).setLabel("s2500-48P")
s2500_48T = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 31)).setLabel("s2500-48T")
a7210 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 32))
a7220 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 33))
a7240 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 34))
s3500_24F = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 35)).setLabel("s3500-24F")
aUndefined = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 9999))
apProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2))
a50 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 1))
a52 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 2))
ap60 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 3))
ap61 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 4))
ap70 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 5))
walljackAp61 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 6))
a2E = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 7))
ap1200 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 8))
ap80s = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 9))
ap80m = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 10))
wg102 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 11))
ap40 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 12))
ap41 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 13))
ap65 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 14))
apMw1700 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 15))
apDuowj = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 16))
apDuo = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 17))
ap80MB = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 18))
ap80SB = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 19))
ap85 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 20))
ap124 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 21))
ap125 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 22))
ap120 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 23))
ap121 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 24))
ap1250 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 25))
ap120abg = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 26))
ap121abg = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 27))
ap124abg = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 28))
ap125abg = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 29))
rap5wn = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 30))
rap5 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 31))
rap2wg = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 32))
reserved4 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 33))
ap105 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 34))
ap65wb = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 35))
ap651 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 36))
reserved6 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 37))
ap60p = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 38))
reserved7 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 39))
ap92 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 40))
ap93 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 41))
ap68 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 42))
ap68p = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 43))
ap175p = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 44))
ap175ac = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 45))
ap175dc = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 46))
ap134 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 47))
ap135 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 48))
reserved8 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 49))
ap93h = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 50))
iap23 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 51))
iap23p = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 52))
ap104 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 53))
apUndefined = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 9999))
emsProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 3))
partnerProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 4))
ecsE50 = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 1))
ecsE100C = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 2))
ecsE100A = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 3))
ecsENSM = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 4))
amigopodProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 1, 5))
common = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 1))
switch = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 2))
arubaAp = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 3))
arubaEcs = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 4))
arubaMIBModules = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 1, 1))
wlsxEnterpriseMibModules = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 2, 1))
wlsrEnterpriseMibModules = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 3, 1))
wlsrOutDoorApMibModules = MibIdentifier((1, 3, 6, 1, 4, 1, 14823, 2, 3, 2))
mibBuilder.exportSymbols("ARUBA-MIB", walljackAp61=walljackAp61, ap134=ap134, ap124abg=ap124abg, ap41=ap41, s3500_24T=s3500_24T, ap68=ap68, ap60=ap60, a3600_64=a3600_64, a200=a200, ap68p=ap68p, ap104=ap104, apProducts=apProducts, wlsxEnterpriseMibModules=wlsxEnterpriseMibModules, arubaMIBModules=arubaMIBModules, ap93=ap93, a3400_32=a3400_32, a2E=a2E, ap105=ap105, ap60p=ap60p, ap1250=ap1250, a800E=a800E, a800=a800, s3500_48P=s3500_48P, apDuowj=apDuowj, iap23p=iap23p, partnerProducts=partnerProducts, a650=a650, rap2wg=rap2wg, a7240=a7240, ap61=ap61, switchProducts=switchProducts, a3400=a3400, ap125=ap125, ap121abg=ap121abg, a3200_8=a3200_8, a3200=a3200, ap125abg=ap125abg, s2500_24T=s2500_24T, s2500_48T=s2500_48T, iap23=iap23, apUndefined=apUndefined, ecsE100A=ecsE100A, arubaAp=arubaAp, reserved1=reserved1, s2500_24P=s2500_24P, ecsE50=ecsE50, ap65=ap65, a7210=a7210, ap85=ap85, a5000=a5000, emsProducts=emsProducts, wg102=wg102, a2400E=a2400E, ap93h=ap93h, ap40=ap40, ap124=ap124, reserved8=reserved8, aUndefined=aUndefined, ap80MB=ap80MB, ap92=ap92, reserved7=reserved7, reserved4=reserved4, rap5=rap5, a804=a804, ap1200=ap1200, apMw1700=apMw1700, amigopodProducts=amigopodProducts, a651=a651, arubaMgmt=arubaMgmt, reserved2=reserved2, ecsENSM=ecsENSM, a6000=a6000, common=common, a620=a620, rap5wn=rap5wn, wlsrEnterpriseMibModules=wlsrEnterpriseMibModules, ap175ac=ap175ac, s3500_24P=s3500_24P, ap120abg=ap120abg, a6000_SC3=a6000_SC3, aruba=aruba, a3600=a3600, ap65wb=ap65wb, reserved6=reserved6, ap120=ap120, a52=a52, ap70=ap70, s2500_48P=s2500_48P, a50=a50, wlsrOutDoorApMibModules=wlsrOutDoorApMibModules, ap175dc=ap175dc, ap80s=ap80s, ap135=ap135, ap651=ap651, arubaEnterpriseMibModules=arubaEnterpriseMibModules, switch=switch, ap175p=ap175p, a2424=a2424, ecsE100C=ecsE100C, s3500_24F=s3500_24F, a2400=a2400, ap80m=ap80m, s3500_48T=s3500_48T, ap80SB=ap80SB, products=products, apDuo=apDuo, arubaEcs=arubaEcs, a7220=a7220, ap121=ap121)
| (object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, constraints_intersection, value_range_constraint, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ConstraintsIntersection', 'ValueRangeConstraint', 'SingleValueConstraint', 'ValueSizeConstraint')
(object_group, notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'NotificationGroup', 'ModuleCompliance')
(bits, ip_address, time_ticks, object_identity, counter64, mib_scalar, mib_table, mib_table_row, mib_table_column, snmp_modules, iso, integer32, counter32, module_identity, enterprises, unsigned32, gauge32, mib_identifier, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'IpAddress', 'TimeTicks', 'ObjectIdentity', 'Counter64', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'snmpModules', 'iso', 'Integer32', 'Counter32', 'ModuleIdentity', 'enterprises', 'Unsigned32', 'Gauge32', 'MibIdentifier', 'NotificationType')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
aruba = mib_identifier((1, 3, 6, 1, 4, 1, 14823))
products = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1))
aruba_enterprise_mib_modules = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2))
aruba_mgmt = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 3))
switch_products = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1))
a5000 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 1))
a2400 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 2))
a800 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 3))
a6000 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 4))
a2400_e = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 7))
a800_e = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 8))
a804 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 9))
a200 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 10))
a2424 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 11))
a6000_sc3 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 12)).setLabel('a6000-SC3')
a3200 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 13))
a3200_8 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 14)).setLabel('a3200-8')
a3400 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 15))
a3400_32 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 16)).setLabel('a3400-32')
a3600 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 17))
a3600_64 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 18)).setLabel('a3600-64')
a650 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 19))
a651 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 20))
reserved1 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 21))
reserved2 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 22))
a620 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 23))
s3500_24_p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 24)).setLabel('s3500-24P')
s3500_24_t = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 25)).setLabel('s3500-24T')
s3500_48_p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 26)).setLabel('s3500-48P')
s3500_48_t = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 27)).setLabel('s3500-48T')
s2500_24_p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 28)).setLabel('s2500-24P')
s2500_24_t = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 29)).setLabel('s2500-24T')
s2500_48_p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 30)).setLabel('s2500-48P')
s2500_48_t = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 31)).setLabel('s2500-48T')
a7210 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 32))
a7220 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 33))
a7240 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 34))
s3500_24_f = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 35)).setLabel('s3500-24F')
a_undefined = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 1, 9999))
ap_products = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2))
a50 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 1))
a52 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 2))
ap60 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 3))
ap61 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 4))
ap70 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 5))
walljack_ap61 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 6))
a2_e = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 7))
ap1200 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 8))
ap80s = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 9))
ap80m = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 10))
wg102 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 11))
ap40 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 12))
ap41 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 13))
ap65 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 14))
ap_mw1700 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 15))
ap_duowj = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 16))
ap_duo = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 17))
ap80_mb = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 18))
ap80_sb = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 19))
ap85 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 20))
ap124 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 21))
ap125 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 22))
ap120 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 23))
ap121 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 24))
ap1250 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 25))
ap120abg = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 26))
ap121abg = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 27))
ap124abg = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 28))
ap125abg = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 29))
rap5wn = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 30))
rap5 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 31))
rap2wg = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 32))
reserved4 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 33))
ap105 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 34))
ap65wb = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 35))
ap651 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 36))
reserved6 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 37))
ap60p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 38))
reserved7 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 39))
ap92 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 40))
ap93 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 41))
ap68 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 42))
ap68p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 43))
ap175p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 44))
ap175ac = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 45))
ap175dc = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 46))
ap134 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 47))
ap135 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 48))
reserved8 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 49))
ap93h = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 50))
iap23 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 51))
iap23p = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 52))
ap104 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 53))
ap_undefined = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 2, 9999))
ems_products = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 3))
partner_products = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 4))
ecs_e50 = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 1))
ecs_e100_c = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 2))
ecs_e100_a = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 3))
ecs_ensm = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 4, 4))
amigopod_products = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 1, 5))
common = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 1))
switch = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 2))
aruba_ap = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 3))
aruba_ecs = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 4))
aruba_mib_modules = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 1, 1))
wlsx_enterprise_mib_modules = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 2, 1))
wlsr_enterprise_mib_modules = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 3, 1))
wlsr_out_door_ap_mib_modules = mib_identifier((1, 3, 6, 1, 4, 1, 14823, 2, 3, 2))
mibBuilder.exportSymbols('ARUBA-MIB', walljackAp61=walljackAp61, ap134=ap134, ap124abg=ap124abg, ap41=ap41, s3500_24T=s3500_24T, ap68=ap68, ap60=ap60, a3600_64=a3600_64, a200=a200, ap68p=ap68p, ap104=ap104, apProducts=apProducts, wlsxEnterpriseMibModules=wlsxEnterpriseMibModules, arubaMIBModules=arubaMIBModules, ap93=ap93, a3400_32=a3400_32, a2E=a2E, ap105=ap105, ap60p=ap60p, ap1250=ap1250, a800E=a800E, a800=a800, s3500_48P=s3500_48P, apDuowj=apDuowj, iap23p=iap23p, partnerProducts=partnerProducts, a650=a650, rap2wg=rap2wg, a7240=a7240, ap61=ap61, switchProducts=switchProducts, a3400=a3400, ap125=ap125, ap121abg=ap121abg, a3200_8=a3200_8, a3200=a3200, ap125abg=ap125abg, s2500_24T=s2500_24T, s2500_48T=s2500_48T, iap23=iap23, apUndefined=apUndefined, ecsE100A=ecsE100A, arubaAp=arubaAp, reserved1=reserved1, s2500_24P=s2500_24P, ecsE50=ecsE50, ap65=ap65, a7210=a7210, ap85=ap85, a5000=a5000, emsProducts=emsProducts, wg102=wg102, a2400E=a2400E, ap93h=ap93h, ap40=ap40, ap124=ap124, reserved8=reserved8, aUndefined=aUndefined, ap80MB=ap80MB, ap92=ap92, reserved7=reserved7, reserved4=reserved4, rap5=rap5, a804=a804, ap1200=ap1200, apMw1700=apMw1700, amigopodProducts=amigopodProducts, a651=a651, arubaMgmt=arubaMgmt, reserved2=reserved2, ecsENSM=ecsENSM, a6000=a6000, common=common, a620=a620, rap5wn=rap5wn, wlsrEnterpriseMibModules=wlsrEnterpriseMibModules, ap175ac=ap175ac, s3500_24P=s3500_24P, ap120abg=ap120abg, a6000_SC3=a6000_SC3, aruba=aruba, a3600=a3600, ap65wb=ap65wb, reserved6=reserved6, ap120=ap120, a52=a52, ap70=ap70, s2500_48P=s2500_48P, a50=a50, wlsrOutDoorApMibModules=wlsrOutDoorApMibModules, ap175dc=ap175dc, ap80s=ap80s, ap135=ap135, ap651=ap651, arubaEnterpriseMibModules=arubaEnterpriseMibModules, switch=switch, ap175p=ap175p, a2424=a2424, ecsE100C=ecsE100C, s3500_24F=s3500_24F, a2400=a2400, ap80m=ap80m, s3500_48T=s3500_48T, ap80SB=ap80SB, products=products, apDuo=apDuo, arubaEcs=arubaEcs, a7220=a7220, ap121=ap121) |
def YesNo(message=None):
if message:
print(message + ' [y/N]')
else:
print('[y/N]')
choice = input()
if choice != 'y' and choice != 'Y':
return False
return True
def YesNoTwice():
if YesNo():
return YesNo("Are you really really sure?")
return False
def YesNoTrice():
if YesNo():
if YesNo("Are you really really sure?"):
return YesNo("Are you really really really really sure?")
return False
| def yes_no(message=None):
if message:
print(message + ' [y/N]')
else:
print('[y/N]')
choice = input()
if choice != 'y' and choice != 'Y':
return False
return True
def yes_no_twice():
if yes_no():
return yes_no('Are you really really sure?')
return False
def yes_no_trice():
if yes_no():
if yes_no('Are you really really sure?'):
return yes_no('Are you really really really really sure?')
return False |
for i in range(int(input())):
n=int(input())
a=[int(x) for x in input().split()]
m=int(input())
my=[]
pf,c=0,0
q=[]
for i in range(n):
z=a[i]
if z not in my:
if len(my)<m:
my.append(z)
else:
my[my.index(q.pop(0))]=z
pf+=1
else:
q.remove(z)
q.append(z)
print(pf)
| for i in range(int(input())):
n = int(input())
a = [int(x) for x in input().split()]
m = int(input())
my = []
(pf, c) = (0, 0)
q = []
for i in range(n):
z = a[i]
if z not in my:
if len(my) < m:
my.append(z)
else:
my[my.index(q.pop(0))] = z
pf += 1
else:
q.remove(z)
q.append(z)
print(pf) |
class Solution:
def findKthLargest(self, nums: List[int], k: int) -> int:
for i in range(k-1):
nums.remove(max(nums))
return max(nums)
| class Solution:
def find_kth_largest(self, nums: List[int], k: int) -> int:
for i in range(k - 1):
nums.remove(max(nums))
return max(nums) |
# Garo9521
# https://codeforces.com/contest/1521/problem/B
# math
t = int(input())
for case in range(t):
n = int(input())
array = list(map(int, input().split()))
minpos = array.index(min(array))
print(n - 1)
for i in range(minpos):
print(i + 1, minpos + 1, array[minpos] + minpos - i, array[minpos])
for i in range(minpos + 1, n):
print(minpos + 1, i + 1, array[minpos], array[minpos] + i - minpos)
| t = int(input())
for case in range(t):
n = int(input())
array = list(map(int, input().split()))
minpos = array.index(min(array))
print(n - 1)
for i in range(minpos):
print(i + 1, minpos + 1, array[minpos] + minpos - i, array[minpos])
for i in range(minpos + 1, n):
print(minpos + 1, i + 1, array[minpos], array[minpos] + i - minpos) |
class Encoder(tf.keras.layers.Layer):
def __init__(self, intermediate_dim):
super(Encoder, self).__init__()
self.hidden_layer = tf.keras.layers.Dense(
units=intermediate_dim,
activation=tf.nn.relu,
kernel_initializer='he_uniform'
)
self.output_layer = tf.keras.layers.Dense(
units=intermediate_dim,
activation=tf.nn.sigmoid
)
def call(self, input_features):
activation = self.hidden_layer(input_features)
return self.output_layer(activation)
class Decoder(tf.keras.layers.Layer):
def __init__(self, intermediate_dim, original_dim):
super(Decoder, self).__init__()
self.hidden_layer = tf.keras.layers.Dense(
units=intermediate_dim,
activation=tf.nn.relu,
kernel_initializer='he_uniform'
)
self.output_layer = tf.keras.layers.Dense(
units=original_dim,
activation=tf.nn.sigmoid
)
def call(self, code):
activation = self.hidden_layer(code)
return self.output_layer(activation)
class Autoencoder(tf.keras.Model):
def __init__(self, intermediate_dim, original_dim):
super(Autoencoder, self).__init__()
self.encoder = Encoder(intermediate_dim=intermediate_dim)
self.decoder = Decoder(intermediate_dim=intermediate_dim, original_dim=original_dim)
def call(self, input_features):
code = self.encoder(input_features)
reconstructed = self.decoder(code)
return reconstructed
def loss(model, original):
reconstruction_error = tf.reduce_mean(tf.square(tf.subtract(model(original), original)))
return reconstruction_error
def train(loss, model, opt, original):
with tf.GradientTape() as tape:
gradients = tape.gradient(loss(model, original), model.trainable_variables)
gradient_variables = zip(gradients, model.trainable_variables)
opt.apply_gradients(gradient_variables)
autoencoder = Autoencoder(intermediate_dim=64, original_dim=784)
opt = tf.optimizers.Adam(learning_rate=learning_rate)
(training_features, _), (test_features, _) = tf.keras.datasets.mnist.load_data()
training_features = training_features / np.max(training_features)
training_features = training_features.reshape(training_features.shape[0],
training_features.shape[1] * training_features.shape[2])
training_features = training_features.astype('float32')
training_dataset = tf.data.Dataset.from_tensor_slices(training_features)
training_dataset = training_dataset.batch(batch_size)
training_dataset = training_dataset.shuffle(training_features.shape[0])
training_dataset = training_dataset.prefetch(batch_size * 4)
writer = tf.summary.create_file_writer('tmp')
with writer.as_default():
with tf.summary.record_if(True):
for epoch in range(epochs):
for step, batch_features in enumerate(training_dataset):
train(loss, autoencoder, opt, batch_features)
loss_values = loss(autoencoder, batch_features)
original = tf.reshape(batch_features, (batch_features.shape[0], 28, 28, 1))
reconstructed = tf.reshape(autoencoder(tf.constant(batch_features)), (batch_features.shape[0], 28, 28, 1))
tf.summary.scalar('loss', loss_values, step=step)
tf.summary.image('original', original, max_outputs=10, step=step)
tf.summary.image('reconstructed', reconstructed, max_outputs=10, step=step) | class Encoder(tf.keras.layers.Layer):
def __init__(self, intermediate_dim):
super(Encoder, self).__init__()
self.hidden_layer = tf.keras.layers.Dense(units=intermediate_dim, activation=tf.nn.relu, kernel_initializer='he_uniform')
self.output_layer = tf.keras.layers.Dense(units=intermediate_dim, activation=tf.nn.sigmoid)
def call(self, input_features):
activation = self.hidden_layer(input_features)
return self.output_layer(activation)
class Decoder(tf.keras.layers.Layer):
def __init__(self, intermediate_dim, original_dim):
super(Decoder, self).__init__()
self.hidden_layer = tf.keras.layers.Dense(units=intermediate_dim, activation=tf.nn.relu, kernel_initializer='he_uniform')
self.output_layer = tf.keras.layers.Dense(units=original_dim, activation=tf.nn.sigmoid)
def call(self, code):
activation = self.hidden_layer(code)
return self.output_layer(activation)
class Autoencoder(tf.keras.Model):
def __init__(self, intermediate_dim, original_dim):
super(Autoencoder, self).__init__()
self.encoder = encoder(intermediate_dim=intermediate_dim)
self.decoder = decoder(intermediate_dim=intermediate_dim, original_dim=original_dim)
def call(self, input_features):
code = self.encoder(input_features)
reconstructed = self.decoder(code)
return reconstructed
def loss(model, original):
reconstruction_error = tf.reduce_mean(tf.square(tf.subtract(model(original), original)))
return reconstruction_error
def train(loss, model, opt, original):
with tf.GradientTape() as tape:
gradients = tape.gradient(loss(model, original), model.trainable_variables)
gradient_variables = zip(gradients, model.trainable_variables)
opt.apply_gradients(gradient_variables)
autoencoder = autoencoder(intermediate_dim=64, original_dim=784)
opt = tf.optimizers.Adam(learning_rate=learning_rate)
((training_features, _), (test_features, _)) = tf.keras.datasets.mnist.load_data()
training_features = training_features / np.max(training_features)
training_features = training_features.reshape(training_features.shape[0], training_features.shape[1] * training_features.shape[2])
training_features = training_features.astype('float32')
training_dataset = tf.data.Dataset.from_tensor_slices(training_features)
training_dataset = training_dataset.batch(batch_size)
training_dataset = training_dataset.shuffle(training_features.shape[0])
training_dataset = training_dataset.prefetch(batch_size * 4)
writer = tf.summary.create_file_writer('tmp')
with writer.as_default():
with tf.summary.record_if(True):
for epoch in range(epochs):
for (step, batch_features) in enumerate(training_dataset):
train(loss, autoencoder, opt, batch_features)
loss_values = loss(autoencoder, batch_features)
original = tf.reshape(batch_features, (batch_features.shape[0], 28, 28, 1))
reconstructed = tf.reshape(autoencoder(tf.constant(batch_features)), (batch_features.shape[0], 28, 28, 1))
tf.summary.scalar('loss', loss_values, step=step)
tf.summary.image('original', original, max_outputs=10, step=step)
tf.summary.image('reconstructed', reconstructed, max_outputs=10, step=step) |
def main():
# input
S = input()
T = input()
U = input()
# compute
# output
print(U + T + S)
if __name__ == '__main__':
main()
| def main():
s = input()
t = input()
u = input()
print(U + T + S)
if __name__ == '__main__':
main() |
def chi_squared(k1, k2, xs, ys):
stats_x = [0 for _ in range(k1)]
stats_y = [0 for _ in range(k2)]
d = dict()
for x, y in zip(xs, ys):
if (x,y) in d:
d[(x, y)] += 1
else:
d[(x, y)] = 1
stats_x[x] += 1
stats_y[y] += 1
result = 0.
for (x, y) in d.keys():
e = stats_x[x] * stats_y[y] / n
s = (d[(x, y)] - e) ** 2 / e - e
result += s
return result
if __name__ == '__main__':
k1, k2 = map(int, input().split())
n = int(input())
xs = list()
ys = list()
for _ in range(n):
x, y = map(int, input().split())
xs.append(x - 1)
ys.append(y - 1)
res = chi_squared(k1, k2, xs, ys)
print(res + n)
| def chi_squared(k1, k2, xs, ys):
stats_x = [0 for _ in range(k1)]
stats_y = [0 for _ in range(k2)]
d = dict()
for (x, y) in zip(xs, ys):
if (x, y) in d:
d[x, y] += 1
else:
d[x, y] = 1
stats_x[x] += 1
stats_y[y] += 1
result = 0.0
for (x, y) in d.keys():
e = stats_x[x] * stats_y[y] / n
s = (d[x, y] - e) ** 2 / e - e
result += s
return result
if __name__ == '__main__':
(k1, k2) = map(int, input().split())
n = int(input())
xs = list()
ys = list()
for _ in range(n):
(x, y) = map(int, input().split())
xs.append(x - 1)
ys.append(y - 1)
res = chi_squared(k1, k2, xs, ys)
print(res + n) |
class Solution:
def dfs(self, root):
if root is None:
return (float('inf'), float('-inf'), 0, 0) # min, max, largest, size
left, right = self.dfs(root.left), self.dfs(root.right)
new_min = min(root.val, left[0], right[0])
new_max = max(root.val, left[1], right[1])
new_largest = max(left[2], right[2])
new_size = left[3] + right[3] + 1
if left[1] < root.val and right[0] > root.val:
new_largest = new_size
else:
new_min = float('-inf')
new_max = float('inf')
new_size = float('-inf')
return (new_min, new_max, new_largest, new_size)
def largestBSTSubtree(self, root: Optional[TreeNode]) -> int:
return self.dfs(root)[2]
| class Solution:
def dfs(self, root):
if root is None:
return (float('inf'), float('-inf'), 0, 0)
(left, right) = (self.dfs(root.left), self.dfs(root.right))
new_min = min(root.val, left[0], right[0])
new_max = max(root.val, left[1], right[1])
new_largest = max(left[2], right[2])
new_size = left[3] + right[3] + 1
if left[1] < root.val and right[0] > root.val:
new_largest = new_size
else:
new_min = float('-inf')
new_max = float('inf')
new_size = float('-inf')
return (new_min, new_max, new_largest, new_size)
def largest_bst_subtree(self, root: Optional[TreeNode]) -> int:
return self.dfs(root)[2] |
def count_substring(string, sub_string):
stringSequences = []
for i in range(len(string)):
stringSequences.append(string[i:i+len(sub_string)])
return stringSequences.count(sub_string)
| def count_substring(string, sub_string):
string_sequences = []
for i in range(len(string)):
stringSequences.append(string[i:i + len(sub_string)])
return stringSequences.count(sub_string) |
'''
Copyright 2019-2020 Secure Shed Project Dev Team
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
'''
# pylint: disable=C0103
# pylint: disable=R0903
AUTH_KEY = 'authorisationKey'
class KeypadLockRequest:
Schema = {
"type" : "object",
"properties":
{
"additionalProperties" : False,
"lockTime" :
{
"type" : "integer",
"minimum": 0
},
},
"required": ["lockTime"],
"additionalProperties" : False
}
class BodyElement:
LockTime = 'lockTime'
class RetrieveConsoleLogs:
Schema = {
"type" : "object",
"additionalProperties" : False,
"properties" : {
"additionalProperties" : False,
"startTimestamp" :
{
"type" : "number",
"minimum": 0
}
},
"required": ["startTimestamp"]
}
class BodyElement:
StartTimestamp = 'startTimestamp'
class RequestLogsResponse:
Schema = {
"definitions":
{
"LogEntry":
{
"type": "object",
"additionalProperties" : False,
"required": ["timestamp", "level", "message"],
"properties":
{
"timestamp": {"type": "number"},
"level": {"type": "integer"},
"message": {"type": "string"}
}
}
},
"type" : "object",
"properties":
{
"additionalProperties" : False,
"lastTimestamp" :
{
"type" : "number",
"minimum": 0
},
"entries":
{
"type": "array",
"items": {"$ref": "#/definitions/LogEntry"}
}
},
"required": ["lastTimestamp", "entries"],
"additionalProperties" : False
}
class BodyElement:
LastTimestamp = 'lastTimestamp'
Entries = 'entries'
EntryMsgLevel = 'level'
EntryMessage = 'message'
EntryTimestamp = 'timestamp'
| """
Copyright 2019-2020 Secure Shed Project Dev Team
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
auth_key = 'authorisationKey'
class Keypadlockrequest:
schema = {'type': 'object', 'properties': {'additionalProperties': False, 'lockTime': {'type': 'integer', 'minimum': 0}}, 'required': ['lockTime'], 'additionalProperties': False}
class Bodyelement:
lock_time = 'lockTime'
class Retrieveconsolelogs:
schema = {'type': 'object', 'additionalProperties': False, 'properties': {'additionalProperties': False, 'startTimestamp': {'type': 'number', 'minimum': 0}}, 'required': ['startTimestamp']}
class Bodyelement:
start_timestamp = 'startTimestamp'
class Requestlogsresponse:
schema = {'definitions': {'LogEntry': {'type': 'object', 'additionalProperties': False, 'required': ['timestamp', 'level', 'message'], 'properties': {'timestamp': {'type': 'number'}, 'level': {'type': 'integer'}, 'message': {'type': 'string'}}}}, 'type': 'object', 'properties': {'additionalProperties': False, 'lastTimestamp': {'type': 'number', 'minimum': 0}, 'entries': {'type': 'array', 'items': {'$ref': '#/definitions/LogEntry'}}}, 'required': ['lastTimestamp', 'entries'], 'additionalProperties': False}
class Bodyelement:
last_timestamp = 'lastTimestamp'
entries = 'entries'
entry_msg_level = 'level'
entry_message = 'message'
entry_timestamp = 'timestamp' |
'''configuration variables for use throughout the global scope'''
session = None
# --------------- Static Variables ------------------
APPLICATION_ID = 'amzn1.echo-sdk-ams.app.1a291230-7f25-48ed-b8b7-747205d072db'
APPLICATION_NAME = 'The Cyberpunk Dictionary'
APPLICATION_INVOCATION_NAME = 'the cyberpunk dictionary'
APPLICATION_VERSION = '0.1'
APPLICATION_ENDPOINT = 'arn:aws:lambda:us-east-1:099464953977:function:process_request'
SINDOME_STATUS_URL = 'http://status.sindome.org/checks/'
SPEECH_DIRECTORY = 'speech/'
SPEECH_FORMAT = '.json'
#in production this value should be set to True if you want to confirm someone has the right application id
RESTRICT_ACCESS = False
#turn on or off debugging
DEBUG = True | """configuration variables for use throughout the global scope"""
session = None
application_id = 'amzn1.echo-sdk-ams.app.1a291230-7f25-48ed-b8b7-747205d072db'
application_name = 'The Cyberpunk Dictionary'
application_invocation_name = 'the cyberpunk dictionary'
application_version = '0.1'
application_endpoint = 'arn:aws:lambda:us-east-1:099464953977:function:process_request'
sindome_status_url = 'http://status.sindome.org/checks/'
speech_directory = 'speech/'
speech_format = '.json'
restrict_access = False
debug = True |
#!/usr/bin/env python3
# Print Welcome Message
print('Hello, World')
| print('Hello, World') |
class Solution:
def dailyTemperatures(self, T: List[int]) -> List[int]:
stack = []
result = [0] * len(T)
for idx, t in enumerate(T):
while stack and T[stack[-1]] < t:
prev_idx = stack.pop()
result[prev_idx] = idx - prev_idx
stack.append(idx)
return result
| class Solution:
def daily_temperatures(self, T: List[int]) -> List[int]:
stack = []
result = [0] * len(T)
for (idx, t) in enumerate(T):
while stack and T[stack[-1]] < t:
prev_idx = stack.pop()
result[prev_idx] = idx - prev_idx
stack.append(idx)
return result |
def how_many_visited_houses(instructions):
visited = {'0:0' : True}
x = 0
y = 0
# ^y
# |
# |
# --------+---------->x
#
#
for step in instructions:
if step == '>':
x += 1
elif step == '<':
x -= 1
elif step == 'v':
y -= 1
elif step == '^':
y += 1
else:
next
visited[key(x,y)] = True
return len(visited)
def key(x, y):
return f'{x}:{y}'
print(f"this should be 2: {how_many_visited_houses('>')}")
print(f"this should be 4: {how_many_visited_houses('^>v<')}")
print(f"this should be 2: {how_many_visited_houses('^v^v^v^v^v')}")
print(f"this should be 2: {how_many_visited_houses('^v^v^v^vs^v')}")
with open(__file__+'.input.txt', "r+") as file:
input = file.read()
print(f"with the drunken elf, santa will visit {how_many_visited_houses(input)} houses!")
def with_robosanta(instructions):
visited = {'0:0' : True}
x,y,nx,ny = 0,0,0,0
for step in instructions:
if step == '>':
x += 1
elif step == '<':
x -= 1
elif step == 'v':
y -= 1
elif step == '^':
y += 1
else:
next
visited[key(x,y)] = True
x,y,nx,ny = nx,ny,x,y # !
return len(visited)
print(f"this should be 3: {with_robosanta('^v')}")
print(f"this should be 3: {with_robosanta('^>v<')}")
print(f"this should be 11: {with_robosanta('^v^v^v^v^v')}")
print(f"With robosanta, santa will visit {with_robosanta(input)} houses!") | def how_many_visited_houses(instructions):
visited = {'0:0': True}
x = 0
y = 0
for step in instructions:
if step == '>':
x += 1
elif step == '<':
x -= 1
elif step == 'v':
y -= 1
elif step == '^':
y += 1
else:
next
visited[key(x, y)] = True
return len(visited)
def key(x, y):
return f'{x}:{y}'
print(f"this should be 2: {how_many_visited_houses('>')}")
print(f"this should be 4: {how_many_visited_houses('^>v<')}")
print(f"this should be 2: {how_many_visited_houses('^v^v^v^v^v')}")
print(f"this should be 2: {how_many_visited_houses('^v^v^v^vs^v')}")
with open(__file__ + '.input.txt', 'r+') as file:
input = file.read()
print(f'with the drunken elf, santa will visit {how_many_visited_houses(input)} houses!')
def with_robosanta(instructions):
visited = {'0:0': True}
(x, y, nx, ny) = (0, 0, 0, 0)
for step in instructions:
if step == '>':
x += 1
elif step == '<':
x -= 1
elif step == 'v':
y -= 1
elif step == '^':
y += 1
else:
next
visited[key(x, y)] = True
(x, y, nx, ny) = (nx, ny, x, y)
return len(visited)
print(f"this should be 3: {with_robosanta('^v')}")
print(f"this should be 3: {with_robosanta('^>v<')}")
print(f"this should be 11: {with_robosanta('^v^v^v^v^v')}")
print(f'With robosanta, santa will visit {with_robosanta(input)} houses!') |
for _ in range(int(input())):
a=input()
n=len(a)
if n%2==0 and a[0:n//2]==a[n//2:n]:
print("YES")
else:
print("NO")
| for _ in range(int(input())):
a = input()
n = len(a)
if n % 2 == 0 and a[0:n // 2] == a[n // 2:n]:
print('YES')
else:
print('NO') |
config = {}
def process_logic_message(message):
type = message.get("type", None)
if type == "initialize":
return __initialize__()
if type == "enable":
return __enable__()
if type == "disable":
return __disable__()
else:
return wirehome.response_creator.not_supported(type)
def __initialize__():
__enable__()
def __enable__():
global subscriptions
subscriptions = []
for button in config["buttons"]:
__attach_button__(button)
def __disable__():
for subscription_uid in subscriptions:
wirehome.message_bus.unsubscribe(subscription_uid)
def __attach_button__(uid):
filter = {
"type": "component_registry.event.status_changed",
"component_uid": uid,
"status_uid": "button.state",
"new_value": "pressed"
}
subscription_uid = wirehome.context["component_uid"] + ":status_changed->" + uid
wirehome.message_bus.subscribe(subscription_uid, filter, __button_callback__)
global subscriptions
subscriptions.append(subscription_uid)
def __button_callback__(message):
targets = config.get("targets", [])
for target in targets:
wirehome.component_registry.execute_command(target, {"type": "increase_level"})
| config = {}
def process_logic_message(message):
type = message.get('type', None)
if type == 'initialize':
return __initialize__()
if type == 'enable':
return __enable__()
if type == 'disable':
return __disable__()
else:
return wirehome.response_creator.not_supported(type)
def __initialize__():
__enable__()
def __enable__():
global subscriptions
subscriptions = []
for button in config['buttons']:
__attach_button__(button)
def __disable__():
for subscription_uid in subscriptions:
wirehome.message_bus.unsubscribe(subscription_uid)
def __attach_button__(uid):
filter = {'type': 'component_registry.event.status_changed', 'component_uid': uid, 'status_uid': 'button.state', 'new_value': 'pressed'}
subscription_uid = wirehome.context['component_uid'] + ':status_changed->' + uid
wirehome.message_bus.subscribe(subscription_uid, filter, __button_callback__)
global subscriptions
subscriptions.append(subscription_uid)
def __button_callback__(message):
targets = config.get('targets', [])
for target in targets:
wirehome.component_registry.execute_command(target, {'type': 'increase_level'}) |
class tooltips:
def __init__ (self, attr):
self.tips = dict()
self.ori_attr = attr
for i in attr:
self.tips[i] = True
if 'time_value' in self.tips:
self.tips['time_value'] = False
def set_attr(self, attr):
for i in self.tips:
self.tips[i] = False
for i in attr:
if i in self.tips:
self.tips[i] = True
def build_tooptips(self):
res = []
for i in self.ori_attr:
if self.tips[i] == True:
res.append((i, "@" + i))
return res
| class Tooltips:
def __init__(self, attr):
self.tips = dict()
self.ori_attr = attr
for i in attr:
self.tips[i] = True
if 'time_value' in self.tips:
self.tips['time_value'] = False
def set_attr(self, attr):
for i in self.tips:
self.tips[i] = False
for i in attr:
if i in self.tips:
self.tips[i] = True
def build_tooptips(self):
res = []
for i in self.ori_attr:
if self.tips[i] == True:
res.append((i, '@' + i))
return res |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.