content stringlengths 7 1.05M |
|---|
##Afficher les communs diverseurs du nombre naturel N
n = int(input())
for a in range (1, n + 1) :
if n % a == 0 :
print(a)
else :
print(' ') |
MAIL_USERNAME = 'buildasaasappwithflask@gmail.com'
MAIL_PASSWORD = 'helicopterpantswalrusfoot'
STRIPE_SECRET_KEY = 'sk_test_nycOOQdO9C16zxubr2WWtbug'
STRIPE_PUBLISHABLE_KEY = 'pk_test_ClU5mzNj1YxRRnrdZB5jEO29'
|
#Called when SMU is in List mode
class SlaveMaster:
SLAVE = 0
MASTER = 1
|
#coding:utf-8
def replace_waf(pt):
main_addr = 0x4011e6 #main函数入口地址
new_main = pt.inject(asm=r'''
push rbp;
mov rbp,rsp;
mov r15,6;
push r15;
mov r15,7FFF000000000006H;
push r15;
mov r15,3B00010015H;
push r15;
mov r15 , 3800020015h;
push r15;
mov r15 , 3200030015h;
push r15;
mov r15 , 3100040015h;
push r15;
mov r15 , 2A00050015h;
push r15;
mov r15 , 2900060015h;
push r15;
mov r15 , 4000000000070035h;
push r15;
mov r15 , 20h;
push r15;
mov r15 , 0C000003E09000015h;
push r15;
mov r15 , 400000020h;
push r15;
mov r15,rsp;
push r15;
mov r15 , 0ch;
push r15;
mov r15,rsp;
push r15;
mov rdi,38;
mov rsi,1;
mov rdx,0;
mov rcx,0;
mov r8,0;
mov rax,157;
syscall;
mov rdi,22;
mov rsi,2;
mov rdx,r15;
mov rax,157;
syscall;
leave;
ret;
''')
pt.hook(main_addr, new_main)
|
# 比如有如下三行代码,这三行代码是一个完整的功能
# print('Hello')
# print('你好')
# print('再见')
# 定义一个函数
def fn():
print('这是我的第一个函数!')
print('hello')
print('今天天气真不错!')
# 打印fn
# print(fn) <function fn at 0x03D2B618>
# print(type(fn)) <class 'function'>
# fn是函数对象 fn()调用函数
# print是函数对象 print()调用函数
# fn()
# 定义一个函数,可以用来求任意两个数的和
# def sum() :
# a = 123
# b = 456
# print(a + b)
# sum()
# 定义函数时指定形参
def fn2(a, b):
# print('a =',a)
# print('b =',b)
print(a, "+", b, "=", a + b)
# 调用函数时,来传递实参
fn2(10, 20)
fn2(123, 456)
|
def private():
pass
class Abra:
def other():
private()
|
class Solution:
def majorityElement(self, nums: List[int]) -> int:
counter, target = 0, nums[0]
for i in nums:
if counter == 0:
target = i
if target != i:
counter -= 1
else:
counter += 1
return target
|
class QuotaOptions(object):
def __init__(self,
start_quota: int = 0,
refresh_by: str = "month",
warning_rate: float = 0.8):
self.start_quota = start_quota
self.refresh_by = refresh_by
self.warning_rate = warning_rate
|
# Задание 6.1
yourIP = input("Enter your IP: ")
sepIP = yourIP.split('.')
sepIP = list(map(int, sepIP))
if sepIP[-1] in range(1,224):
print('unicast')
elif sepIP[-1] in range(224,240):
print('multicast')
elif yourIP == '255.255.255.255':
print('local broadcast')
elif yourIP == '0.0.0.0':
print('unassigned')
else:
print('unused')
|
#!/usr/bin/python
# https://practice.geeksforgeeks.org/problems/find-equal-point-in-string-of-brackets/0
def sol(s):
"""
Build an aux array from left that stores the no.
of opening brackets before that index
Build an aux array from right that stores the no. of closing
brackets from that index
Compare the two for a given index
"""
n = len(s)
op_left = [0]*n
cb_right = [0]*n
for i in range(1, n):
op_left[i] = op_left[i-1] + 1 if s[i-1] == "(" else op_left[i-1]
# before that point so we check for s[i-1] instead of s[i]
if s[n-1] == ")":
cb_right[n-1] = 1
for i in range(n-2, -1, -1):
cb_right[i] = cb_right[i+1] + 1 if s[i] == ")" else cb_right[i+1]
for i in range(n):
if op_left[i] == cb_right[i]:
return i
return n |
def FoodStoreLol(Money, time, im):
print("What would you like to eat?")
time.sleep(2)
print("!Heres the menu!")
time.sleep(2)
im.show()
time.sleep(2)
eeee = input("Say Any Key to continue.")
FoodList = []
cash = 0
time.sleep(5)
for Loopies in range(3):
order =int(input("What would you like|1.Fries $50, 2.Chicken $250, 3.Burger $500, 4.Drinks $10, 5.None $0| Pick any three!"))
if order == 1:
FoodList.append("Fries")
print("Added Fries to the list")
cash = cash + 50
elif order == 2:
FoodList.append("Chicken")
print("Added Chicken to the list")
cash = cash + 250
elif order == 3:
FoodList.append("Burger")
print("Added Burger to the list")
cash = cash + 500
elif order == 4:
FoodList.append("Drink")
print("Added a Drink to the list")
cash = cash + 10
else:
print("Added None To the list")
print(cash ,"Is your food bill")
print(FoodList ,"Here is your order")
time.sleep(2)
checkfood =int(input("Are you sure want to buy the food? |1.Yes 2.No| >>"))
if checkfood == 1:
print("Ok... Purchasinng...")
if Money < cash:
print("Sorry, You dont have enough Money")
elif Money > cash:
Money = Money - cash
print("Success!")
time.sleep(2)
print("Cooking Food...")
time.sleep(10)
print("Done!!!")
time.sleep(1)
print("Here is your food")
print(FoodList)
print("_____________________________")
time.sleep(10)
else:
print("Ok cancelling the checkout")
|
'''
An array is monotonic if it is either monotone increasing or monotone decreasing.
An array A is monotone increasing if for all i <= j, A[i] <= A[j]. An array A is monotone decreasing if for all i <= j, A[i] >= A[j].
Return true if and only if the given array A is monotonic.
Example 1:
Input: [1,2,2,3]
Output: true
Example 2:
Input: [6,5,4,4]
Output: true
Example 3:
Input: [1,3,2]
Output: false
Example 4:
Input: [1,2,4,5]
Output: true
Example 5:
Input: [1,1,1]
Output: true
Note:
1 <= A.length <= 50000
-100000 <= A[i] <= 100000
'''
def isMonotonic(A):
# if any elements
if len(A)>=1:
# if one or the same elements
# if sum(A)/len(A) == A[0]:
# return True
min_el = min(A)
pos_min = A.index(min_el)
max_el = max(A)
pos_max = A.index(max_el)
print(min_el, pos_min, max_el, pos_max)
# increasing
if pos_min < pos_max:
print("in increasing")
for i in range(len(A)-1):
print("i is ", i, " and A[i] is ", A[i], " and A[i+1] is ", A[i+1])
if not A[i] <= A[i+1]:
return False
else:
# decreasing
print("in decreasing")
for i in range(len(A)-1):
print("i is ", i, " and A[i] is ", A[i], " and A[i+1] is ", A[i+1])
if not A[i] >= A[i+1]:
return False
return True
print(isMonotonic([1,1,1])) # True
# print(isMonotonic([1,2,4,5])) # True
# print(isMonotonic([1,2,1,4,5])) # False
# print(isMonotonic([1,3,2])) # False
# print(isMonotonic([6,5,4,4])) # True
# print(isMonotonic([1,2,2,3])) # True
# print(isMonotonic([5,3,2,4,1])) # False
print(isMonotonic([3,4,2,3])) # False
print(isMonotonic([3])) # True
|
'''Crie um programa onde o usuário digite uma expressão qualquer que use parênteses.
Seu aplicativo deverá analisar se a expressão passada está com os parênteses abertos e fechados na ordem correta.'''
expr=str(input('Digite sua experessão: '))
fat=[]
i=0
abertura=0
fechamento=0
while i<len(expr):
fat.append(expr[i])
if expr[i]=='(':
abertura+=1
elif expr[i]==')':
if len(fat)>0:
fechamento+=1
elif len(fat)==0:
break
i+=1
if abertura==fechamento:
print(f'\nSua expressão possui {abertura} aberturas e {fechamento} fechamentos.Está correta')
else:
print(f'\nSua expressão possui {abertura} aberturas e {fechamento} fechamentos.Está INCORRETA')
#print(f'Existem {len(abertura)} parênteses abrindo e {len(fechamento)} fechando.')
|
#!/usr/local/bin/python3
def imprime(maximo, atual):
if atual >= maximo:
return
print(atual)
imprime(maximo, atual + 1)
if __name__ == '__main__':
imprime(100, 1)
|
project = 'pydatastructs'
modules = ['linear_data_structures']
backend = '_backend'
cpp = 'cpp'
dummy_submodules = ['_arrays.py']
|
# Given a list of numbers and a number k.
# Return whether any two numbers from the list add up to k.
#
# For example:
# Give [1,2,3,4] and k of 7
# Return true since 3 + 4 is 7
def input_array():
print("Len of array = ", end='')
array_len = int(input())
print()
array = []
for i in range(array_len):
print("Value of array[{}] = ".format(i), end='')
element = int(input())
array.append(element)
print("Array is: ", array)
return array
def input_k():
print("\nk = ", end='')
k = int(input())
return k
def have_two_element_up_to_k(numbers, k):
for i in range(0, len(numbers) - 1):
for j in range(1, len(numbers)):
if numbers[i] + numbers[j] == k:
return True
return False
def main_program():
numbers = input_array()
k = input_k()
print("\nResult: ", have_two_element_up_to_k(numbers, k))
main_program()
|
operator = input()
num_one = int(input())
num_two = int(input())
def multiply_nums(x, y):
result = x * y
return result
def divide_nums(x, y):
if y != 0:
result = int(x / y)
return result
def add_nums(x, y):
result = x + y
return result
def subtract_nums(x, y):
result = x - y
return result
all_commands = {
"multiply": multiply_nums,
"divide": divide_nums,
"add": add_nums,
"subtract": subtract_nums
}
print(all_commands[operator](num_one, num_two))
|
print(" I will now count my chickens:")
print("Hens",25+30/6)
print("Roosters", 100-25*3%4)
print("Now I will continue the eggs:")
print(3+2+1-5+4%2-1/4+6)
print("Is it true that 3+2<5-7?")
print(3+2<5-7)
print("What is 3+2?", 3+2)
print("What is 5=7?", 5-7)
print("Oh, that;s why it;s false.")
print("How abaout some more.")
print("Is it geater?", 5>-2)
print("Is it greater or equal?", 5>=-2)
print("Is it less or equal?", 5<=-2) |
# Created by MechAviv
# Wicked Witch Damage Skin | (2433184)
if sm.addDamageSkin(2433184):
sm.chat("'Wicked Witch Damage Skin' Damage Skin has been added to your account's damage skin collection.")
sm.consumeItem() |
n = int(input())
votos = []
for i in range(n):
x = int(input())
votos.append(x)
if votos[0] >= max(votos):
print("S")
else:
print("N")
|
# Dasean Volk, dvolk@usc.edu
# Fall 2021, ITP115
# Section: Boba
# Lab 9
# --------------------------------------SHOW RECOMMENDER & FILE CREATOR----------------------------------------------- #
def display_menu():
print("TV Shows \nPossible genres are action & adventure, animation, comedy, "
"\ndocumentary, drama, mystery & suspense, science fiction & fantasy")
# function: read_file
# parameter 1: user_genre is a string
# parameter 2: file_name is a string with a default value of "shows.csv"
# return value: a list of shows where the user's genre is inside of the show's genre
def read_file(user_genre, file_name="shows.csv"):
show_list = []
open_file = open(file_name, "r")
for line in open_file:
line = line.strip() # always get rid of new lines
info_list = line.split(",")
show_genre = info_list[1]
if user_genre in show_genre:
show_list.append(info_list[0])
open_file.close()
show_list.sort()
return show_list
# function: write_file
# parameter 1: genre is a string
# parameter 2: show_list is a list of show
# return value: None
# write the list to a file
# the name of the file is the genre + ".txt"
def write_file(genre, show_list):
name_file = genre + ".txt"
out_file = open(name_file, "w")
for show in show_list:
print(show, file=out_file)
out_file.close()
def main():
print("TV Shows")
genre_str = ("action & adventure, animation, comedy, "
"documentary, drama, mystery & suspense, science fiction & fantasy")
print("Possible genres are", genre_str)
user = input("Enter a genre: ")
while user not in genre_str:
user = input("Enter a genre: ")
shows = read_file(user)
write_file(user, shows)
main()
|
print('Mind Mapping')
print('')
q = input('1) ')
q1 = input('1.1) ')
q2 = input('1.2) ')
print('')
w = input('2) ')
w1 = input('2.1) ')
w2 = input('2.2) ')
print('')
e = input('3) ')
e1 = input('3.1) ')
e2 = input('3.2) ')
print('')
r = input('4) ')
r1 = input('4.1) ')
r2 = input('4.2) ')
print('')
print('')
print('1) ' + str(q) + ', ' + str(q1) + ', ' + str(q2))
print('2) ' + str(w) + ', ' + str(w1) + ', ' + str(w2))
print('3) ' + str(e) + ', ' + str(e1) + ', ' + str(e2))
print('4) ' + str(r) + ', ' + str(r1) + ', ' + str(r2))
ext = input('')
|
def ejercicio_1(cadena):
i=0
while cadena[i]== " ":
i+=1
return cadena[i:]
print (ejercicio_1("programacion_1"))
|
mask, memory, answer = None, {}, 0
for line in open('input.txt', 'r').readlines():
inst, val = line.strip().replace(' ', '').split('=')
if 'mask' in inst:
mask = val
elif 'mem' in inst:
mem_add = '{:036b}'.format(int(inst[4:-1]))
num = '{:036b}'.format(int(val))
masked_num = [mask[i] if mask[i] in ['1', '0'] else num[i] for i in range(36)]
memory[mem_add] = int(''.join(masked_num), 2)
print(sum(memory.values()))
|
def get_sec(time_str):
"""Get Seconds from time."""
h, m, s = time_str.split(':')
return int(h) * 3600 + int(m) * 60 + int(s)
|
km = float(input('Qual foi a quilometragem andada? '))
dia = float(input('Quantos dias que o carro ficou alugado? '))
valor = (0.15 * km) + (60 * dia)
print('O valor total a ser pago é R${:.2f}'.format(valor))
|
# Part 1
counter = 0
for line in open('input.txt', 'r').readlines():
# iterate output
for entry in line.split(" | ")[1].split(" "):
entry = entry.strip()
# count trivial numbers
if len(entry) == 2 or len(entry) == 3 or len(entry) == 4 or len(entry) == 7:
counter += 1
print("Part 1", counter)
# Part 2
solution_sum = 0
for line in open('input.txt', 'r').readlines():
sequence = sorted(line.split(" | ")[0].split(" "), key=lambda x: len(x))
solution = dict() # maps strings to numbers
mapping = dict() # maps chars to segments
n1 = "" # solution for "1" is unique (len = 2)
n7 = "" # solution for "7" is unique (len = 3)
n4 = "" # solution for "4" is unique (len = 4)
n069 = list() # have length 6
n235 = list() # have length 5
n8 = list() # unique (len = 7)
for s in sequence:
if len(s) == 2: n1 = s
if len(s) == 3: n7 = s
if len(s) == 4: n4 = s
if len(s) == 5: n235.append(s)
if len(s) == 6: n069.append(s)
if len(s) == 7: n8 = s
# map trivial solutions
solution["1"] = n1
solution["7"] = n7
solution["4"] = n4
solution["8"] = n8
# Determine remaining
# {a} = "7" \ "1"
mapping["a"] = "".join([c for c in n7 if c not in n1])
# "6" is element of n069 which doesnt contain both segments from "1"
# determine element c and f
for elem in n069:
if len([c for c in n1 if c in elem]) == 1:
# elem = "6"
mapping["c"] = "".join([c for c in n1 if c not in elem])
mapping["f"] = "".join([c for c in n1 if c in elem])
solution["6"] = elem
# find "3"
# It's in 235 and contains "1"
for elem in n235:
if len([c for c in n1 if c in elem]) == 2:
# elem = "3"
solution["3"] = elem
# b = {"4"} \ {"3"}
mapping["b"] = "".join([c for c in solution["4"] if c not in solution["3"]])
# e = {"8"} \ ({"3"} U {"4"})
mapping["e"] = "".join([c for c in solution["8"] if c not in (solution["3"]+solution["4"])])
# {a,b,c,e,f} C "0" and |"0"| = 6
for elem in n069:
if len([c for c in ["a","b","c","e","f"] if mapping[c] in elem]) == 5:
solution["0"] = elem
# g = "0" \ {a,b,c,e,f}
mapping["g"] = "".join([c for c in solution["0"] if c not in [mapping["a"],mapping["b"],mapping["c"],mapping["e"],mapping["f"]]])
# determine remaining 2,5,9
remaining = [s for s in n069 + n235 if s not in solution.values()]
# 2 contains e
solution["2"] = "".join([r for r in remaining if mapping["e"] in r])
# 9 is the one with length 6
solution["9"] = "".join([r for r in remaining if len(r) == 6])
# 5 is the remaining number
solution["5"] = "".join(r for r in remaining if r not in solution.values())
# decipher output
output = line.split(" | ")[1].split(" ")
out_number = ""
for entry in output:
entry = entry.strip()
for key, val in solution.items():
if sorted(entry) == sorted(val):
out_number += key
solution_sum += int(out_number)
print("Part 2: ", solution_sum)
|
# -*- coding: utf-8 -*-
"""
magrathea.core.feed.info
~~~~~~~~~~~~~~~~~~~~~~~~
:copyright: Copyright 2014 by the RootForum.org team, see AUTHORS.
:license: MIT License, see LICENSE for details.
"""
class FeedInfo(object):
"""
A simple namespace object for passing information to an entry
"""
def __init__(self, author, title, uri, version):
self._author = author
self._title = title
self._uri = uri
self._type = version
@property
def author(self):
"""Author of the feed"""
return self._author
@property
def title(self):
"""Title of the feed"""
return self._title
@property
def uri(self):
"""URI of the feed"""
return self._uri
@property
def type(self):
"""Type of the feed"""
return self._type
|
#coding=utf-8
'''
Created on 2016-10-28
@author: Administrator
'''
class TestException(object):
'''
classdocs
'''
@staticmethod
def exception_1():
raise Exception("fdsfdsfsd")
|
class Token:
def __init__(self, token_index_in_sentence, text, pos_tag=None, mate_tools_pos_tag=None, mate_tools_lemma=None,
tree_tagger_lemma=None,
iwnlp_lemma=None, polarity=None, spacy_pos_stts=None, spacy_pos_universal_google=None,
spacy_ner_type=None,
spacy_ner_iob=None, spacy_shape=None, spacy_is_punct=None, spacy_like_url=None, spacy_like_num=None,
spacy_is_space=None,
polarity_sentiws=None):
self.token_index_in_sentence = token_index_in_sentence
self.text = text
self.pos_tag = pos_tag
self.mate_tools_pos_tag = mate_tools_pos_tag
self.mate_tools_lemma = mate_tools_lemma
self.tree_tagger_lemma = tree_tagger_lemma
self.iwnlp_lemma = iwnlp_lemma
self.polarity = polarity
self.embedding = None
self.spacy_pos_stts = spacy_pos_stts
self.spacy_pos_universal_google = spacy_pos_universal_google
self.spacy_ner_type = spacy_ner_type
self.spacy_ner_iob = spacy_ner_iob
self.spacy_shape = spacy_shape
self.spacy_is_punct = spacy_is_punct
self.spacy_like_url = spacy_like_url
self.spacy_like_num = spacy_like_num
self.spacy_is_space = spacy_is_space
self.polarity_sentiws = polarity_sentiws
self.character_embedding = None
def get_key(self, text_type):
if text_type == 'lowercase':
return self.text.lower()
return self.text
|
#OS_MA_NFVO_IP = '192.168.1.219'
OS_MA_NFVO_IP = '192.168.1.197'
OS_USER_DOMAIN_NAME = 'Default'
OS_USERNAME = 'admin'
OS_PASSWORD = '0000'
OS_PROJECT_DOMAIN_NAME = 'Default'
OS_PROJECT_NAME = 'admin'
|
a = int(input())
l1 = []
i=0
temp = 1
print(2^3)
while i<a:
if temp^a==0:
i+=1
else:
l1.append(i)
temp+=1
print(temp)
print(l1)
|
"""
Original author: Francisco Massa
https://github.com/fmassa/vision/blob/voc_dataset/torchvision/datasets/voc.py
Updated by: Ellis Brown, Max deGroot
from https://github.com/amdegroot/ssd.pytorch ssd.pytorch/data/voc0712.py file
"""
configuration = {
'labels': [
'aeroplane', 'bicycle', 'bird', 'boat',
'bottle', 'bus', 'car', 'cat', 'chair',
'cow', 'diningtable', 'dog', 'horse',
'motorbike', 'person', 'pottedplant',
'sheep', 'sofa', 'train', 'tvmonitor'
],
'channel_means': (104, 117, 123),
'feature_maps': [38, 19, 10, 5, 3, 1],
'image_size': 300,
'steps': [8, 16, 32, 64, 100, 300],
'minimum_sizes': [30, 60, 111, 162, 213, 264],
'maximum_sizes': [60, 111, 162, 213, 264, 315],
'aspect_ratios': [[2], [2, 3], [2, 3], [2, 3], [2], [2]],
'variances': [0.1, 0.2],
'clip': True,
'input_channel': 3,
'offsets': 4,
'gamma': 20,
'nms_threshold': 0.45,
'confidence_threshold': 0.01,
'top': 200
}
|
def solve():
ab=input()
ans=ab[0]
ans+="".join(ab[1:-1:2])
ans+=ab[-1]
print(ans)
if __name__ == '__main__':
t=int(input())
for _ in range(t):
solve()
|
def configure(ctx):
ctx.env.has_mpi = False
mpiccpath = ctx.find_program("mpicc")
if mpiccpath:
ctx.env.has_mpi = True
envmpi = ctx.env.copy()
ctx.setenv('mpi', envmpi)
ctx.env.CC = [mpiccpath]
ctx.env.LINK_CC = [mpiccpath]
envmpibld = envmpi = ctx.env.copy()
ctx.set_env_name('mpibld', envmpibld)
|
#Faça um programa que peça o tamanho de um arquivo para download (em MB) e
# a velocidade de um link de Internet (em Mbps), calcule e informe o tempo aproximado
# de download do arquivo usando este link (em minutos).
tamanho_arq = int(input("Informe o tamanho do arquivo em MB:"))
velocidade_inter = int(input("Informe a velocidade do link de internet em Mbps:"))
#tempo_download = |
# These inheritance models are distinct from the official OMIM models of inheritance for variants
# which are specified by GENETIC_MODELS (in variant_tags.py).
# The following models are used while describing inheritance of genes in gene panels
# It's a custom-compiled list of values
GENE_PANELS_INHERITANCE_MODELS = (
("AD", "AD - Autosomal Dominant"),
("AR", "AR - Autosomal recessive"),
("XL", "XL - X Linked"),
("XD", "XD - X Linked Dominant"),
("XR", "XR - X Linked Recessive"),
("NA", "NA - not available"),
("AD (imprinting)", "AD (imprinting) - Autosomal Dominant (imprinting)"),
("digenic", "digenic - Digenic"),
("AEI", "AEI - Allelic expression imbalance"),
("other", "other - Other"),
)
VALID_MODELS = ("AR", "AD", "MT", "XD", "XR", "X", "Y")
INCOMPLETE_PENETRANCE_MAP = {"unknown": None, "Complete": None, "Incomplete": True}
MODELS_MAP = {
"monoallelic_not_imprinted": ["AD"],
"monoallelic_maternally_imprinted": ["AD"],
"monoallelic_paternally_imprinted": ["AD"],
"monoallelic": ["AD"],
"biallelic": ["AR"],
"monoallelic_and_biallelic": ["AD", "AR"],
"monoallelic_and_more_severe_biallelic": ["AD", "AR"],
"xlinked_biallelic": ["XR"],
"xlinked_monoallelic": ["XD"],
"mitochondrial": ["MT"],
"unknown": [],
}
PANEL_GENE_INFO_TRANSCRIPTS = [
"disease_associated_transcripts",
"disease_associated_transcript",
"transcripts",
]
PANEL_GENE_INFO_MODELS = [
"genetic_disease_models",
"genetic_disease_model",
"inheritance_models",
"genetic_inheritance_models",
]
# Values can be the real resource or the Scout demo one
UPDATE_GENES_RESOURCES = {
"mim2genes": ["mim2genes.txt", "mim2gene_reduced.txt"],
"genemap2": ["genemap2.txt", "genemap2_reduced.txt"],
"hpo_genes": ["genes_to_phenotype.txt", "genes_to_phenotype_reduced.txt"],
"hgnc_lines": ["hgnc.txt", "hgnc_reduced_set.txt"],
"exac_lines": [
"fordist_cleaned_exac_r03_march16_z_pli_rec_null_data.txt",
"forweb_cleaned_exac_r03_march16_z_data_pLI_reduced.txt",
],
"ensembl_genes_37": ["ensembl_genes_37.txt", "ensembl_genes_37_reduced.txt"],
"ensembl_genes_38": ["ensembl_genes_38.txt", "ensembl_genes_38_reduced.txt"],
"ensembl_transcripts_37": [
"ensembl_transcripts_37.txt",
"ensembl_transcripts_37_reduced.txt",
],
"ensembl_transcripts_38": [
"ensembl_transcripts_38.txt",
"ensembl_transcripts_38_reduced.txt",
],
}
|
#
# PySNMP MIB module CABH-PS-DEV-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CABH-PS-DEV-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:26:31 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "SingleValueConstraint")
cabhCdpLanTransThreshold, cabhCdpWanDataAddrClientId, cabhCdpLanTransCurCount, cabhCdpServerDhcpAddress = mibBuilder.importSymbols("CABH-CDP-MIB", "cabhCdpLanTransThreshold", "cabhCdpWanDataAddrClientId", "cabhCdpLanTransCurCount", "cabhCdpServerDhcpAddress")
cabhQos2NumActivePolicyHolder, cabhQos2PolicyHolderEnabled, cabhQos2PolicyAdmissionControl = mibBuilder.importSymbols("CABH-QOS2-MIB", "cabhQos2NumActivePolicyHolder", "cabhQos2PolicyHolderEnabled", "cabhQos2PolicyAdmissionControl")
clabProjCableHome, = mibBuilder.importSymbols("CLAB-DEF-MIB", "clabProjCableHome")
docsDevEvId, docsDevEvLevel, docsDevSwServer, docsDevSwCurrentVers, docsDevSwFilename, docsDevEvText = mibBuilder.importSymbols("DOCS-CABLE-DEVICE-MIB", "docsDevEvId", "docsDevEvLevel", "docsDevSwServer", "docsDevSwCurrentVers", "docsDevSwFilename", "docsDevEvText")
IANAifType, = mibBuilder.importSymbols("IANAifType-MIB", "IANAifType")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType")
ZeroBasedCounter32, = mibBuilder.importSymbols("RMON2-MIB", "ZeroBasedCounter32")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup")
MibIdentifier, TimeTicks, iso, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Counter64, Integer32, Counter32, Gauge32, Unsigned32, ObjectIdentity, ModuleIdentity, IpAddress = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "TimeTicks", "iso", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Counter64", "Integer32", "Counter32", "Gauge32", "Unsigned32", "ObjectIdentity", "ModuleIdentity", "IpAddress")
RowStatus, DateAndTime, TextualConvention, DisplayString, TimeStamp, PhysAddress, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "DateAndTime", "TextualConvention", "DisplayString", "TimeStamp", "PhysAddress", "TruthValue")
cabhPsDevMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1))
cabhPsDevMib.setRevisions(('2005-04-08 00:00',))
if mibBuilder.loadTexts: cabhPsDevMib.setLastUpdated('200504080000Z')
if mibBuilder.loadTexts: cabhPsDevMib.setOrganization('CableLabs Broadband Access Department')
cabhPsDevMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1))
cabhPsDevBase = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1))
cabhPsDevProv = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2))
cabhPsDevAttrib = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3))
cabhPsDevPsAttrib = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1))
cabhPsDevBpAttrib = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2))
cabhPsDevStats = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4))
cabhPsDevAccessControl = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5))
cabhPsDevMisc = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6))
cabhPsDevUI = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1))
cabhPsDev802dot11 = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2))
cabhPsDevUpnp = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3))
cabhPsDevUpnpBase = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 1))
cabhPsDevUpnpCommands = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2))
cabhPsDevDateTime = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 1), DateAndTime()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevDateTime.setStatus('current')
cabhPsDevResetNow = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 2), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevResetNow.setStatus('current')
cabhPsDevSerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevSerialNumber.setStatus('current')
cabhPsDevHardwareVersion = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 48))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevHardwareVersion.setStatus('current')
cabhPsDevWanManMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 5), PhysAddress().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevWanManMacAddress.setStatus('current')
cabhPsDevWanDataMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 6), PhysAddress().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevWanDataMacAddress.setStatus('current')
cabhPsDevTypeIdentifier = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 7), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevTypeIdentifier.setStatus('current')
cabhPsDevSetToFactory = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 8), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevSetToFactory.setStatus('current')
cabhPsDevWanManClientId = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 80))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevWanManClientId.setStatus('deprecated')
cabhPsDevTodSyncStatus = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 10), TruthValue().clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevTodSyncStatus.setStatus('current')
cabhPsDevProvMode = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dhcpmode", 1), ("snmpmode", 2), ("dormantCHmode", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvMode.setStatus('current')
cabhPsDevLastSetToFactory = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 12), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevLastSetToFactory.setStatus('current')
cabhPsDevTrapControl = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 13), Bits().clone(namedValues=NamedValues(("cabhPsDevInitTLVUnknownTrap", 0), ("cabhPsDevInitTrap", 1), ("cabhPsDevInitRetryTrap", 2), ("cabhPsDevDHCPFailTrap", 3), ("cabhPsDevSwUpgradeInitTrap", 4), ("cabhPsDevSwUpgradeFailTrap", 5), ("cabhPsDevSwUpgradeSuccessTrap", 6), ("cabhPsDevSwUpgradeCVCFailTrap", 7), ("cabhPsDevTODFailTrap", 8), ("cabhPsDevCdpWanDataIpTrap", 9), ("cabhPsDevCdpThresholdTrap", 10), ("cabhPsDevCspTrap", 11), ("cabhPsDevCapTrap", 12), ("cabhPsDevCtpTrap", 13), ("cabhPsDevProvEnrollTrap", 14), ("cabhPsDevCdpLanIpPoolTrap", 15), ("cabhPsDevUpnpMultiplePHTrap", 16))).clone(hexValue="0000")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevTrapControl.setStatus('current')
cabhPsDevProvisioningTimer = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16383)).clone(5)).setUnits('minutes').setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevProvisioningTimer.setStatus('current')
cabhPsDevProvConfigFile = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevProvConfigFile.setStatus('current')
cabhPsDevProvConfigHash = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 3), OctetString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(20, 20), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevProvConfigHash.setStatus('current')
cabhPsDevProvConfigFileSize = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 4), Integer32()).setUnits('bytes').setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvConfigFileSize.setStatus('current')
cabhPsDevProvConfigFileStatus = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("idle", 1), ("busy", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvConfigFileStatus.setStatus('current')
cabhPsDevProvConfigTLVProcessed = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16383))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvConfigTLVProcessed.setStatus('current')
cabhPsDevProvConfigTLVRejected = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16383))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvConfigTLVRejected.setStatus('current')
cabhPsDevProvSolicitedKeyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(15, 600)).clone(120)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevProvSolicitedKeyTimeout.setStatus('current')
cabhPsDevProvState = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("pass", 1), ("inProgress", 2), ("fail", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvState.setStatus('current')
cabhPsDevProvAuthState = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("accepted", 1), ("rejected", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvAuthState.setStatus('current')
cabhPsDevProvCorrelationId = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevProvCorrelationId.setStatus('deprecated')
cabhPsDevTimeServerAddrType = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 12), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevTimeServerAddrType.setStatus('current')
cabhPsDevTimeServerAddr = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 13), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevTimeServerAddr.setStatus('current')
cabhPsDevPsDeviceType = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 1), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(1, 32)).clone('CableHome Residential Gateway')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevPsDeviceType.setStatus('current')
cabhPsDevPsManufacturerUrl = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevPsManufacturerUrl.setStatus('current')
cabhPsDevPsModelUrl = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 7), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevPsModelUrl.setStatus('current')
cabhPsDevPsModelUpc = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 8), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevPsModelUpc.setStatus('current')
cabhPsDevBpProfileTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1), )
if mibBuilder.loadTexts: cabhPsDevBpProfileTable.setStatus('obsolete')
cabhPsDevBpProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1), ).setIndexNames((0, "CABH-PS-DEV-MIB", "cabhPsDevBpIndex"))
if mibBuilder.loadTexts: cabhPsDevBpProfileEntry.setStatus('obsolete')
cabhPsDevBpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: cabhPsDevBpIndex.setStatus('obsolete')
cabhPsDevBpDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32)).clone('CableHome Host')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpDeviceType.setStatus('obsolete')
cabhPsDevBpManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpManufacturer.setStatus('obsolete')
cabhPsDevBpManufacturerUrl = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpManufacturerUrl.setStatus('obsolete')
cabhPsDevBpSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 5), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpSerialNumber.setStatus('obsolete')
cabhPsDevBpHardwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 6), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpHardwareVersion.setStatus('obsolete')
cabhPsDevBpHardwareOptions = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 7), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpHardwareOptions.setStatus('obsolete')
cabhPsDevBpModelName = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 8), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpModelName.setStatus('obsolete')
cabhPsDevBpModelNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 9), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpModelNumber.setStatus('obsolete')
cabhPsDevBpModelUrl = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 10), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpModelUrl.setStatus('obsolete')
cabhPsDevBpModelUpc = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 11), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpModelUpc.setStatus('obsolete')
cabhPsDevBpModelSoftwareOs = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 12), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpModelSoftwareOs.setStatus('obsolete')
cabhPsDevBpModelSoftwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 13), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpModelSoftwareVersion.setStatus('obsolete')
cabhPsDevBpLanInterfaceType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 14), IANAifType().clone('other')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpLanInterfaceType.setStatus('obsolete')
cabhPsDevBpNumberInterfacePriorities = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8)).clone(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpNumberInterfacePriorities.setStatus('obsolete')
cabhPsDevBpPhysicalLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 16), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpPhysicalLocation.setStatus('obsolete')
cabhPsDevBpPhysicalAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 17), PhysAddress().subtype(subtypeSpec=ValueSizeConstraint(0, 16)).clone(hexValue="")).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevBpPhysicalAddress.setStatus('obsolete')
cabhPsDevLanIpTrafficCountersReset = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("clearCounters", 1), ("clearTable", 2))).clone('clearCounters')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficCountersReset.setStatus('current')
cabhPsDevLanIpTrafficCountersLastReset = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 2), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficCountersLastReset.setStatus('current')
cabhPsDevLanIpTrafficEnabled = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 3), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficEnabled.setStatus('current')
cabhPsDevLanIpTrafficTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4), )
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficTable.setStatus('current')
cabhPsDevLanIpTrafficEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1), ).setIndexNames((0, "CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficIndex"))
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficEntry.setStatus('current')
cabhPsDevLanIpTrafficIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficIndex.setStatus('current')
cabhPsDevLanIpTrafficInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 2), InetAddressType().clone('ipv4')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficInetAddressType.setStatus('current')
cabhPsDevLanIpTrafficInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 3), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficInetAddress.setStatus('current')
cabhPsDevLanIpTrafficInOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 4), ZeroBasedCounter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficInOctets.setStatus('current')
cabhPsDevLanIpTrafficOutOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 5), ZeroBasedCounter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevLanIpTrafficOutOctets.setStatus('current')
cabhPsDevAccessControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 1), Bits().clone(namedValues=NamedValues(("hpna", 0), ("ieee80211", 1), ("ieee8023", 2), ("homeplug", 3), ("usb", 4), ("ieee1394", 5), ("scsi", 6), ("other", 7))).clone(hexValue="00")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevAccessControlEnable.setStatus('current')
cabhPsDevAccessControlTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2), )
if mibBuilder.loadTexts: cabhPsDevAccessControlTable.setStatus('current')
cabhPsDevAccessControlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1), ).setIndexNames((0, "CABH-PS-DEV-MIB", "cabhPsDevAccessControlIndex"))
if mibBuilder.loadTexts: cabhPsDevAccessControlEntry.setStatus('current')
cabhPsDevAccessControlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)))
if mibBuilder.loadTexts: cabhPsDevAccessControlIndex.setStatus('current')
cabhPsDevAccessControlPhysAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1, 2), PhysAddress().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cabhPsDevAccessControlPhysAddr.setStatus('current')
cabhPsDevAccessControlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cabhPsDevAccessControlRowStatus.setStatus('current')
cabhPsDevUILogin = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUILogin.setStatus('current')
cabhPsDevUIPassword = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUIPassword.setStatus('current')
cabhPsDevUISelection = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("manufacturerLocal", 1), ("cableOperatorLocal", 2), ("cableOperatorServer", 3), ("disabledUI", 4))).clone('manufacturerLocal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUISelection.setStatus('current')
cabhPsDevUIServerUrl = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUIServerUrl.setStatus('current')
cabhPsDevUISelectionDisabledBodyText = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 5), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUISelectionDisabledBodyText.setStatus('current')
cabhPsDev802dot11BaseTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1), )
if mibBuilder.loadTexts: cabhPsDev802dot11BaseTable.setStatus('current')
cabhPsDev802dot11BaseEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: cabhPsDev802dot11BaseEntry.setStatus('current')
cabhPsDev802dot11BaseSetToDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11BaseSetToDefault.setStatus('current')
cabhPsDev802dot11BaseLastSetToDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 2), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDev802dot11BaseLastSetToDefault.setStatus('current')
cabhPsDev802dot11BaseAdvertiseSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 3), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11BaseAdvertiseSSID.setStatus('current')
cabhPsDev802dot11BasePhyCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 4), Bits().clone(namedValues=NamedValues(("ieee80211a", 0), ("ieee80211b", 1), ("ieee80211g", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDev802dot11BasePhyCapabilities.setStatus('current')
cabhPsDev802dot11BasePhyOperMode = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 24))).clone(namedValues=NamedValues(("ieee80211a", 1), ("ieee80211b", 2), ("ieee80211g", 4), ("ieee80211bg", 24)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11BasePhyOperMode.setStatus('current')
cabhPsDev802dot11SecTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2), )
if mibBuilder.loadTexts: cabhPsDev802dot11SecTable.setStatus('current')
cabhPsDev802dot11SecEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: cabhPsDev802dot11SecEntry.setStatus('current')
cabhPsDev802dot11SecCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 1), Bits().clone(namedValues=NamedValues(("wep64", 0), ("wep128", 1), ("wpaPSK", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDev802dot11SecCapabilities.setStatus('current')
cabhPsDev802dot11SecOperMode = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 2), Bits().clone(namedValues=NamedValues(("wep64", 0), ("wep128", 1), ("wpaPSK", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecOperMode.setStatus('current')
cabhPsDev802dot11SecPassPhraseToWEPKey = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 3), OctetString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(5, 63), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecPassPhraseToWEPKey.setStatus('current')
cabhPsDev802dot11SecUsePassPhraseToWEPKeyAlg = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 4), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecUsePassPhraseToWEPKeyAlg.setStatus('current')
cabhPsDev802dot11SecPSKPassPhraseToKey = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecPSKPassPhraseToKey.setStatus('current')
cabhPsDev802dot11SecWPAPreSharedKey = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(32, 32), )).clone(hexValue="")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecWPAPreSharedKey.setStatus('current')
cabhPsDev802dot11SecWPARekeyTime = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295)).clone(86400)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecWPARekeyTime.setStatus('current')
cabhPsDev802dot11SecControl = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("restoreConfig", 1), ("commitConfig", 2))).clone('restoreConfig')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDev802dot11SecControl.setStatus('current')
cabhPsDev802dot11SecCommitStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("commitSucceeded", 1), ("commitNeeded", 2), ("commitFailed", 3))).clone('commitSucceeded')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDev802dot11SecCommitStatus.setStatus('current')
cabhPsDevUpnpEnabled = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 1, 1), TruthValue().clone('true')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUpnpEnabled.setStatus('current')
cabhPsDevUpnpCommandIpType = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 1), InetAddressType().clone('ipv4')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUpnpCommandIpType.setStatus('current')
cabhPsDevUpnpCommandIp = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 2), InetAddress().clone(hexValue="C0A80001")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUpnpCommandIp.setStatus('current')
cabhPsDevUpnpCommand = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("discoveryInfo", 1), ("qosDeviceCapabilities", 2), ("qosDeviceState", 3))).clone('discoveryInfo')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUpnpCommand.setStatus('current')
cabhPsDevUpnpCommandUpdate = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 4), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cabhPsDevUpnpCommandUpdate.setStatus('current')
cabhPsDevUpnpLastCommandUpdate = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 5), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevUpnpLastCommandUpdate.setStatus('current')
cabhPsDevUpnpCommandStatus = MibScalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("inProgress", 2), ("complete", 3), ("failed", 4))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevUpnpCommandStatus.setStatus('current')
cabhPsDevUpnpInfoTable = MibTable((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7), )
if mibBuilder.loadTexts: cabhPsDevUpnpInfoTable.setStatus('current')
cabhPsDevUpnpInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1), ).setIndexNames((0, "CABH-PS-DEV-MIB", "cabhPsDevUpnpInfoIpType"), (0, "CABH-PS-DEV-MIB", "cabhPsDevUpnpInfoIp"), (0, "CABH-PS-DEV-MIB", "cabhPsDevUpnpInfoXmlFragmentIndex"))
if mibBuilder.loadTexts: cabhPsDevUpnpInfoEntry.setStatus('current')
cabhPsDevUpnpInfoIpType = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 1), InetAddressType())
if mibBuilder.loadTexts: cabhPsDevUpnpInfoIpType.setStatus('current')
cabhPsDevUpnpInfoIp = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 2), InetAddress())
if mibBuilder.loadTexts: cabhPsDevUpnpInfoIp.setStatus('current')
cabhPsDevUpnpInfoXmlFragmentIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295)))
if mibBuilder.loadTexts: cabhPsDevUpnpInfoXmlFragmentIndex.setStatus('current')
cabhPsDevUpnpInfoXmlFragment = MibTableColumn((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 400))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cabhPsDevUpnpInfoXmlFragment.setStatus('current')
cabhPsNotification = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2))
cabhPsDevNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0))
cabhPsConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3))
cabhPsCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 1))
cabhPsGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2))
cabhPsDevInitTLVUnknownTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 1)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevInitTLVUnknownTrap.setStatus('current')
cabhPsDevInitTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 2)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigFile"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigTLVProcessed"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigTLVRejected"))
if mibBuilder.loadTexts: cabhPsDevInitTrap.setStatus('current')
cabhPsDevInitRetryTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 3)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevInitRetryTrap.setStatus('current')
cabhPsDevDHCPFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 4)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("CABH-CDP-MIB", "cabhCdpServerDhcpAddress"))
if mibBuilder.loadTexts: cabhPsDevDHCPFailTrap.setStatus('current')
cabhPsDevSwUpgradeInitTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 5)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwFilename"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwServer"))
if mibBuilder.loadTexts: cabhPsDevSwUpgradeInitTrap.setStatus('current')
cabhPsDevSwUpgradeFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 6)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwFilename"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwServer"))
if mibBuilder.loadTexts: cabhPsDevSwUpgradeFailTrap.setStatus('current')
cabhPsDevSwUpgradeSuccessTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 7)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwFilename"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwServer"))
if mibBuilder.loadTexts: cabhPsDevSwUpgradeSuccessTrap.setStatus('current')
cabhPsDevSwUpgradeCVCFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 8)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevSwUpgradeCVCFailTrap.setStatus('current')
cabhPsDevTODFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 9)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevTimeServerAddr"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevTODFailTrap.setStatus('current')
cabhPsDevCdpWanDataIpTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 10)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-CDP-MIB", "cabhCdpWanDataAddrClientId"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevCdpWanDataIpTrap.setStatus('current')
cabhPsDevCdpThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 11)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("CABH-CDP-MIB", "cabhCdpLanTransThreshold"))
if mibBuilder.loadTexts: cabhPsDevCdpThresholdTrap.setStatus('current')
cabhPsDevCspTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 12)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevCspTrap.setStatus('current')
cabhPsDevCapTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 13)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevCapTrap.setStatus('current')
cabhPsDevCtpTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 14)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevCtpTrap.setStatus('current')
cabhPsDevProvEnrollTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 15)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevHardwareVersion"), ("DOCS-CABLE-DEVICE-MIB", "docsDevSwCurrentVers"), ("CABH-PS-DEV-MIB", "cabhPsDevTypeIdentifier"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"))
if mibBuilder.loadTexts: cabhPsDevProvEnrollTrap.setStatus('current')
cabhPsDevCdpLanIpPoolTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 16)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("CABH-CDP-MIB", "cabhCdpLanTransCurCount"))
if mibBuilder.loadTexts: cabhPsDevCdpLanIpPoolTrap.setStatus('current')
cabhPsDevUpnpMultiplePHTrap = NotificationType((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0, 17)).setObjects(("DOCS-CABLE-DEVICE-MIB", "docsDevEvLevel"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvId"), ("DOCS-CABLE-DEVICE-MIB", "docsDevEvText"), ("CABH-QOS2-MIB", "cabhQos2NumActivePolicyHolder"), ("CABH-QOS2-MIB", "cabhQos2PolicyHolderEnabled"), ("CABH-QOS2-MIB", "cabhQos2PolicyAdmissionControl"))
if mibBuilder.loadTexts: cabhPsDevUpnpMultiplePHTrap.setStatus('current')
cabhPsBasicCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 1, 1)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevBaseGroup"), ("CABH-PS-DEV-MIB", "cabhPsDevProvGroup"), ("CABH-PS-DEV-MIB", "cabhPsNotificationGroup"), ("CABH-PS-DEV-MIB", "cabhPsDevAttribGroup"), ("CABH-PS-DEV-MIB", "cabhPsDevStatsGroup"), ("CABH-PS-DEV-MIB", "cabhPsDevAccessControlGroup"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpGroup"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11Group"), ("CABH-PS-DEV-MIB", "cabhPsDevUIGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsBasicCompliance = cabhPsBasicCompliance.setStatus('current')
cabhPsDeprecatedCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 1, 2)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevDeprecatedGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDeprecatedCompliance = cabhPsDeprecatedCompliance.setStatus('deprecated')
cabhPsObsoleteCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 1, 3)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevObsoleteGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsObsoleteCompliance = cabhPsObsoleteCompliance.setStatus('obsolete')
cabhPsDevBaseGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 1)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevDateTime"), ("CABH-PS-DEV-MIB", "cabhPsDevResetNow"), ("CABH-PS-DEV-MIB", "cabhPsDevSerialNumber"), ("CABH-PS-DEV-MIB", "cabhPsDevHardwareVersion"), ("CABH-PS-DEV-MIB", "cabhPsDevWanManMacAddress"), ("CABH-PS-DEV-MIB", "cabhPsDevWanDataMacAddress"), ("CABH-PS-DEV-MIB", "cabhPsDevTypeIdentifier"), ("CABH-PS-DEV-MIB", "cabhPsDevSetToFactory"), ("CABH-PS-DEV-MIB", "cabhPsDevTodSyncStatus"), ("CABH-PS-DEV-MIB", "cabhPsDevProvMode"), ("CABH-PS-DEV-MIB", "cabhPsDevLastSetToFactory"), ("CABH-PS-DEV-MIB", "cabhPsDevTrapControl"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevBaseGroup = cabhPsDevBaseGroup.setStatus('current')
cabhPsDevProvGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 2)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevProvisioningTimer"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigFile"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigHash"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigFileSize"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigFileStatus"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigTLVProcessed"), ("CABH-PS-DEV-MIB", "cabhPsDevProvConfigTLVRejected"), ("CABH-PS-DEV-MIB", "cabhPsDevProvSolicitedKeyTimeout"), ("CABH-PS-DEV-MIB", "cabhPsDevProvState"), ("CABH-PS-DEV-MIB", "cabhPsDevProvAuthState"), ("CABH-PS-DEV-MIB", "cabhPsDevTimeServerAddrType"), ("CABH-PS-DEV-MIB", "cabhPsDevTimeServerAddr"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevProvGroup = cabhPsDevProvGroup.setStatus('current')
cabhPsDevAttribGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 3)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevPsDeviceType"), ("CABH-PS-DEV-MIB", "cabhPsDevPsManufacturerUrl"), ("CABH-PS-DEV-MIB", "cabhPsDevPsModelUrl"), ("CABH-PS-DEV-MIB", "cabhPsDevPsModelUpc"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevAttribGroup = cabhPsDevAttribGroup.setStatus('current')
cabhPsDevStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 4)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficCountersReset"), ("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficCountersLastReset"), ("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficEnabled"), ("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficInetAddressType"), ("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficInetAddress"), ("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficInOctets"), ("CABH-PS-DEV-MIB", "cabhPsDevLanIpTrafficOutOctets"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevStatsGroup = cabhPsDevStatsGroup.setStatus('current')
cabhPsDevDeprecatedGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 5)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevWanManClientId"), ("CABH-PS-DEV-MIB", "cabhPsDevProvCorrelationId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevDeprecatedGroup = cabhPsDevDeprecatedGroup.setStatus('deprecated')
cabhPsNotificationGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 6)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevInitTLVUnknownTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevInitTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevInitRetryTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevDHCPFailTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevSwUpgradeInitTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevSwUpgradeFailTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevSwUpgradeSuccessTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevSwUpgradeCVCFailTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevTODFailTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevCdpWanDataIpTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevCdpThresholdTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevCspTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevCapTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevCtpTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevProvEnrollTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevCdpLanIpPoolTrap"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpMultiplePHTrap"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsNotificationGroup = cabhPsNotificationGroup.setStatus('current')
cabhPsDevAccessControlGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 7)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevAccessControlEnable"), ("CABH-PS-DEV-MIB", "cabhPsDevAccessControlPhysAddr"), ("CABH-PS-DEV-MIB", "cabhPsDevAccessControlRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevAccessControlGroup = cabhPsDevAccessControlGroup.setStatus('current')
cabhPsDevUIGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 8)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevUILogin"), ("CABH-PS-DEV-MIB", "cabhPsDevUIPassword"), ("CABH-PS-DEV-MIB", "cabhPsDevUISelection"), ("CABH-PS-DEV-MIB", "cabhPsDevUIServerUrl"), ("CABH-PS-DEV-MIB", "cabhPsDevUISelectionDisabledBodyText"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevUIGroup = cabhPsDevUIGroup.setStatus('current')
cabhPsDev802dot11Group = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 9)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDev802dot11BaseSetToDefault"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11BaseLastSetToDefault"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11BaseAdvertiseSSID"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11BasePhyCapabilities"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11BasePhyOperMode"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecCapabilities"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecOperMode"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecPassPhraseToWEPKey"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecUsePassPhraseToWEPKeyAlg"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecPSKPassPhraseToKey"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecWPAPreSharedKey"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecWPARekeyTime"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecControl"), ("CABH-PS-DEV-MIB", "cabhPsDev802dot11SecCommitStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDev802dot11Group = cabhPsDev802dot11Group.setStatus('current')
cabhPsDevUpnpGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 10)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevUpnpEnabled"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpCommandIpType"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpCommandIp"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpCommand"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpCommandUpdate"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpLastCommandUpdate"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpCommandStatus"), ("CABH-PS-DEV-MIB", "cabhPsDevUpnpInfoXmlFragment"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevUpnpGroup = cabhPsDevUpnpGroup.setStatus('current')
cabhPsDevObsoleteGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2, 11)).setObjects(("CABH-PS-DEV-MIB", "cabhPsDevBpDeviceType"), ("CABH-PS-DEV-MIB", "cabhPsDevBpManufacturer"), ("CABH-PS-DEV-MIB", "cabhPsDevBpManufacturerUrl"), ("CABH-PS-DEV-MIB", "cabhPsDevBpSerialNumber"), ("CABH-PS-DEV-MIB", "cabhPsDevBpHardwareVersion"), ("CABH-PS-DEV-MIB", "cabhPsDevBpHardwareOptions"), ("CABH-PS-DEV-MIB", "cabhPsDevBpModelName"), ("CABH-PS-DEV-MIB", "cabhPsDevBpModelNumber"), ("CABH-PS-DEV-MIB", "cabhPsDevBpModelUrl"), ("CABH-PS-DEV-MIB", "cabhPsDevBpModelUpc"), ("CABH-PS-DEV-MIB", "cabhPsDevBpModelSoftwareOs"), ("CABH-PS-DEV-MIB", "cabhPsDevBpModelSoftwareVersion"), ("CABH-PS-DEV-MIB", "cabhPsDevBpLanInterfaceType"), ("CABH-PS-DEV-MIB", "cabhPsDevBpNumberInterfacePriorities"), ("CABH-PS-DEV-MIB", "cabhPsDevBpPhysicalLocation"), ("CABH-PS-DEV-MIB", "cabhPsDevBpPhysicalAddress"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cabhPsDevObsoleteGroup = cabhPsDevObsoleteGroup.setStatus('obsolete')
mibBuilder.exportSymbols("CABH-PS-DEV-MIB", cabhPsDevBpModelName=cabhPsDevBpModelName, cabhPsDevProvEnrollTrap=cabhPsDevProvEnrollTrap, cabhPsDevBpModelSoftwareVersion=cabhPsDevBpModelSoftwareVersion, cabhPsDevInitRetryTrap=cabhPsDevInitRetryTrap, cabhPsDevProvConfigFile=cabhPsDevProvConfigFile, cabhPsDev802dot11SecEntry=cabhPsDev802dot11SecEntry, cabhPsDevProvisioningTimer=cabhPsDevProvisioningTimer, cabhPsDevLanIpTrafficIndex=cabhPsDevLanIpTrafficIndex, cabhPsDevSetToFactory=cabhPsDevSetToFactory, cabhPsConformance=cabhPsConformance, cabhPsDevUISelection=cabhPsDevUISelection, cabhPsDev802dot11SecTable=cabhPsDev802dot11SecTable, cabhPsDevCdpWanDataIpTrap=cabhPsDevCdpWanDataIpTrap, cabhPsObsoleteCompliance=cabhPsObsoleteCompliance, cabhPsDevDateTime=cabhPsDevDateTime, cabhPsDevBpManufacturerUrl=cabhPsDevBpManufacturerUrl, cabhPsDevUpnpInfoXmlFragment=cabhPsDevUpnpInfoXmlFragment, cabhPsDevSwUpgradeSuccessTrap=cabhPsDevSwUpgradeSuccessTrap, cabhPsDevProvConfigHash=cabhPsDevProvConfigHash, cabhPsDev802dot11BaseSetToDefault=cabhPsDev802dot11BaseSetToDefault, cabhPsDevLanIpTrafficTable=cabhPsDevLanIpTrafficTable, cabhPsDevBpAttrib=cabhPsDevBpAttrib, cabhPsDevBpNumberInterfacePriorities=cabhPsDevBpNumberInterfacePriorities, cabhPsDevTimeServerAddr=cabhPsDevTimeServerAddr, cabhPsDevBpHardwareOptions=cabhPsDevBpHardwareOptions, cabhPsDevBpProfileEntry=cabhPsDevBpProfileEntry, cabhPsDevBpDeviceType=cabhPsDevBpDeviceType, cabhPsDevStatsGroup=cabhPsDevStatsGroup, cabhPsDev802dot11BasePhyOperMode=cabhPsDev802dot11BasePhyOperMode, cabhPsDevBase=cabhPsDevBase, cabhPsGroups=cabhPsGroups, cabhPsDevCapTrap=cabhPsDevCapTrap, cabhPsDevAccessControlRowStatus=cabhPsDevAccessControlRowStatus, cabhPsDevProvConfigTLVRejected=cabhPsDevProvConfigTLVRejected, cabhPsDevUpnpCommand=cabhPsDevUpnpCommand, cabhPsDevDeprecatedGroup=cabhPsDevDeprecatedGroup, cabhPsDev802dot11SecPassPhraseToWEPKey=cabhPsDev802dot11SecPassPhraseToWEPKey, cabhPsDevUpnpMultiplePHTrap=cabhPsDevUpnpMultiplePHTrap, cabhPsDevProvAuthState=cabhPsDevProvAuthState, cabhPsDevInitTLVUnknownTrap=cabhPsDevInitTLVUnknownTrap, cabhPsDevUpnpCommandIpType=cabhPsDevUpnpCommandIpType, cabhPsDevUpnpCommandIp=cabhPsDevUpnpCommandIp, cabhPsDevUI=cabhPsDevUI, cabhPsDev802dot11=cabhPsDev802dot11, cabhPsDevBpModelUrl=cabhPsDevBpModelUrl, cabhPsDevUISelectionDisabledBodyText=cabhPsDevUISelectionDisabledBodyText, cabhPsDevTrapControl=cabhPsDevTrapControl, cabhPsDevSwUpgradeInitTrap=cabhPsDevSwUpgradeInitTrap, cabhPsDevLastSetToFactory=cabhPsDevLastSetToFactory, cabhPsDevProvConfigFileSize=cabhPsDevProvConfigFileSize, cabhPsDevProvSolicitedKeyTimeout=cabhPsDevProvSolicitedKeyTimeout, cabhPsDevLanIpTrafficInetAddressType=cabhPsDevLanIpTrafficInetAddressType, cabhPsDevSwUpgradeCVCFailTrap=cabhPsDevSwUpgradeCVCFailTrap, cabhPsDevBpModelUpc=cabhPsDevBpModelUpc, cabhPsDevUpnpCommandStatus=cabhPsDevUpnpCommandStatus, cabhPsBasicCompliance=cabhPsBasicCompliance, cabhPsDevProvConfigFileStatus=cabhPsDevProvConfigFileStatus, cabhPsDevAccessControlPhysAddr=cabhPsDevAccessControlPhysAddr, cabhPsDevUpnpInfoIp=cabhPsDevUpnpInfoIp, cabhPsDevSwUpgradeFailTrap=cabhPsDevSwUpgradeFailTrap, cabhPsDevPsAttrib=cabhPsDevPsAttrib, cabhPsDevDHCPFailTrap=cabhPsDevDHCPFailTrap, cabhPsDevTodSyncStatus=cabhPsDevTodSyncStatus, cabhPsDevCspTrap=cabhPsDevCspTrap, cabhPsDevAttrib=cabhPsDevAttrib, cabhPsDev802dot11BaseEntry=cabhPsDev802dot11BaseEntry, cabhPsDevNotifications=cabhPsDevNotifications, cabhPsDevUpnp=cabhPsDevUpnp, cabhPsDevUpnpLastCommandUpdate=cabhPsDevUpnpLastCommandUpdate, cabhPsDevObsoleteGroup=cabhPsDevObsoleteGroup, cabhPsDevLanIpTrafficInOctets=cabhPsDevLanIpTrafficInOctets, cabhPsDev802dot11Group=cabhPsDev802dot11Group, cabhPsDevPsModelUpc=cabhPsDevPsModelUpc, cabhPsDevProvMode=cabhPsDevProvMode, cabhPsDevBpHardwareVersion=cabhPsDevBpHardwareVersion, cabhPsDevWanManClientId=cabhPsDevWanManClientId, cabhPsDevProvCorrelationId=cabhPsDevProvCorrelationId, cabhPsDevCdpLanIpPoolTrap=cabhPsDevCdpLanIpPoolTrap, cabhPsDevSerialNumber=cabhPsDevSerialNumber, cabhPsDevMibObjects=cabhPsDevMibObjects, cabhPsDevAccessControlTable=cabhPsDevAccessControlTable, cabhPsDevBpPhysicalLocation=cabhPsDevBpPhysicalLocation, cabhPsDevLanIpTrafficEnabled=cabhPsDevLanIpTrafficEnabled, cabhPsDevUIPassword=cabhPsDevUIPassword, cabhPsDevMib=cabhPsDevMib, cabhPsDevPsManufacturerUrl=cabhPsDevPsManufacturerUrl, cabhPsDevPsModelUrl=cabhPsDevPsModelUrl, cabhPsDevHardwareVersion=cabhPsDevHardwareVersion, cabhPsDevPsDeviceType=cabhPsDevPsDeviceType, cabhPsDevAccessControlEnable=cabhPsDevAccessControlEnable, cabhPsDevLanIpTrafficCountersLastReset=cabhPsDevLanIpTrafficCountersLastReset, cabhPsNotification=cabhPsNotification, cabhPsDevUIServerUrl=cabhPsDevUIServerUrl, cabhPsDev802dot11BasePhyCapabilities=cabhPsDev802dot11BasePhyCapabilities, cabhPsDevLanIpTrafficCountersReset=cabhPsDevLanIpTrafficCountersReset, cabhPsDevLanIpTrafficInetAddress=cabhPsDevLanIpTrafficInetAddress, cabhPsDevProvState=cabhPsDevProvState, cabhPsDevAccessControlGroup=cabhPsDevAccessControlGroup, cabhPsDevProvConfigTLVProcessed=cabhPsDevProvConfigTLVProcessed, cabhPsDev802dot11SecPSKPassPhraseToKey=cabhPsDev802dot11SecPSKPassPhraseToKey, cabhPsDevUpnpCommandUpdate=cabhPsDevUpnpCommandUpdate, cabhPsDevBpProfileTable=cabhPsDevBpProfileTable, cabhPsDevBpIndex=cabhPsDevBpIndex, PYSNMP_MODULE_ID=cabhPsDevMib, cabhPsDevBpPhysicalAddress=cabhPsDevBpPhysicalAddress, cabhPsDevBpManufacturer=cabhPsDevBpManufacturer, cabhPsDevUpnpInfoTable=cabhPsDevUpnpInfoTable, cabhPsDev802dot11SecCapabilities=cabhPsDev802dot11SecCapabilities, cabhPsDevAttribGroup=cabhPsDevAttribGroup, cabhPsDev802dot11SecWPAPreSharedKey=cabhPsDev802dot11SecWPAPreSharedKey, cabhPsDev802dot11BaseAdvertiseSSID=cabhPsDev802dot11BaseAdvertiseSSID, cabhPsDevAccessControlEntry=cabhPsDevAccessControlEntry, cabhPsDevTODFailTrap=cabhPsDevTODFailTrap, cabhPsDevWanManMacAddress=cabhPsDevWanManMacAddress, cabhPsDevBpModelNumber=cabhPsDevBpModelNumber, cabhPsDevTimeServerAddrType=cabhPsDevTimeServerAddrType, cabhPsDevUpnpBase=cabhPsDevUpnpBase, cabhPsDevInitTrap=cabhPsDevInitTrap, cabhPsDevAccessControlIndex=cabhPsDevAccessControlIndex, cabhPsDevLanIpTrafficOutOctets=cabhPsDevLanIpTrafficOutOctets, cabhPsCompliances=cabhPsCompliances, cabhPsDevUIGroup=cabhPsDevUIGroup, cabhPsDevBpLanInterfaceType=cabhPsDevBpLanInterfaceType, cabhPsDevUpnpCommands=cabhPsDevUpnpCommands, cabhPsDevCtpTrap=cabhPsDevCtpTrap, cabhPsDev802dot11BaseLastSetToDefault=cabhPsDev802dot11BaseLastSetToDefault, cabhPsDevBpModelSoftwareOs=cabhPsDevBpModelSoftwareOs, cabhPsDevWanDataMacAddress=cabhPsDevWanDataMacAddress, cabhPsDevProvGroup=cabhPsDevProvGroup, cabhPsDev802dot11SecControl=cabhPsDev802dot11SecControl, cabhPsDevResetNow=cabhPsDevResetNow, cabhPsDevBpSerialNumber=cabhPsDevBpSerialNumber, cabhPsDev802dot11SecCommitStatus=cabhPsDev802dot11SecCommitStatus, cabhPsDev802dot11SecUsePassPhraseToWEPKeyAlg=cabhPsDev802dot11SecUsePassPhraseToWEPKeyAlg, cabhPsDev802dot11SecOperMode=cabhPsDev802dot11SecOperMode, cabhPsDevBaseGroup=cabhPsDevBaseGroup, cabhPsDevMisc=cabhPsDevMisc, cabhPsDevUpnpInfoXmlFragmentIndex=cabhPsDevUpnpInfoXmlFragmentIndex, cabhPsDevAccessControl=cabhPsDevAccessControl, cabhPsDev802dot11BaseTable=cabhPsDev802dot11BaseTable, cabhPsDevStats=cabhPsDevStats, cabhPsDevCdpThresholdTrap=cabhPsDevCdpThresholdTrap, cabhPsDevTypeIdentifier=cabhPsDevTypeIdentifier, cabhPsDevUpnpEnabled=cabhPsDevUpnpEnabled, cabhPsDevUpnpInfoIpType=cabhPsDevUpnpInfoIpType, cabhPsDevLanIpTrafficEntry=cabhPsDevLanIpTrafficEntry, cabhPsDevUILogin=cabhPsDevUILogin, cabhPsNotificationGroup=cabhPsNotificationGroup, cabhPsDevUpnpGroup=cabhPsDevUpnpGroup, cabhPsDevProv=cabhPsDevProv, cabhPsDevUpnpInfoEntry=cabhPsDevUpnpInfoEntry, cabhPsDeprecatedCompliance=cabhPsDeprecatedCompliance, cabhPsDev802dot11SecWPARekeyTime=cabhPsDev802dot11SecWPARekeyTime)
|
def spliceOut(self):
if self.isLeaf():
if self.isLeftChild():
self.parent.leftChild = None
else:
self.parent.rightChild = None
elif self.hasAnyChildren():
if self.hasLeftChild():
if self.isLeftChild():
self.parent.leftChild = self.leftChild
else:
self.parent.rightChild = self.leftChild
self.leftChild.parent = self.parent
else:
if self.isLeftChild():
self.parent.leftChild = self.rightChild
else:
self.parent.rightChild = self.rightChild
self.rightChild.parent = self.parent
|
def string_starts(s, m):
return s[:len(m)] == m
def split_sentence_in_words(s):
return s.split()
def modify_uppercase_phrase(s):
if s == s.upper():
words = split_sentence_in_words( s.lower() )
res = [ w.capitalize() for w in words ]
return ' '.join( res )
else:
return s
|
finding_target = 14
finding_numbers = [1, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 15, 16]
#선행 탐색 O(N) - 배열 크기만큼 다 돌기 때문에
#이진 탐색 O(logN) -
def is_existing_target_number_binary(target, array):
start_index = 0
end_index = len(array) - 1
count = 0
#나는 for문을 썼다. 어쨌든 range를 사용하면 무한루프까지는 아니니까 하지만 이 방법은 false일때를 고려하지 못한 반복문이다.
# 만약 값이 존재하지 않을 시 루프는 숫자 개수만큼 돌것이다.
# 하지만 while문으로 조건을 둘 시 없으면 바로 멈출수있게 효율적으로 만들 수 있따.
while start_index <= end_index:
mid_index = (start_index + end_index) // 2
print(start_index, end_index)
count += 1
if array[mid_index] == target:
return True
elif array[mid_index] > target:
end_index = mid_index - 1
#왼쪽 탐색
elif array[mid_index] < target:
# 오른쪽 탐색
start_index = mid_index + 1
return False
# 구현해보세요!
result = is_existing_target_number_binary(finding_target, finding_numbers)
print(result)
|
string = "3113322113"
for loop in range(50):
output = ""
count = 1
digit = string[0]
for i in range(1, len(string)):
if string[i] == digit:
count += 1
else:
output += str(count) + digit
digit = string[i]
count = 1
output += str(count) + digit
#print(loop, output)
string = output
print(len(output)) |
class Color:
"""Class for RGB colors"""
def __init__(self, *args, **kwargs):
"""
Initialize new color
Acceptable args:
String with hex representation (ex. hex = #1234ab)
Named parameters (ex. r = 0.2, green = 0.44, blue = 0.12)
Acceptable keywords:
r, g, b, red, green, blue
"""
if len(kwargs) > 0:
if len(args) > 0:
raise Exception("Cannot have kwargs and args at the same time, choose one or the other")
if 'r' in kwargs:
self.__red = kwargs.get('r')
elif 'red' in kwargs:
self.__red = kwargs.get('red')
if 'g' in kwargs:
self.__green = kwargs.get('g')
elif 'green' in kwargs:
self.__green = kwargs.get('green')
if 'b' in kwargs:
self.__blue = kwargs.get('b')
elif 'blue' in kwargs:
self.__blue = kwargs.get('blue')
elif len(args) > 0:
if len(args) == 1:
hex_value = args[0]
if isinstance(hex_value, str):
# Color like '#12a5bf'
self.__red = int(hex_value[1:3], 16) / 255.0
self.__green = int(hex_value[3:5], 16) / 255.0
self.__blue = int(hex_value[5:7], 16) / 255.0
else:
raise Exception('Color must be given by string, or r,g,b separately')
else:
self.__red, self.__green, self.__blue = tuple(args)
else:
self.__red, self.__green, self.__blue = 0, 0, 0
@property
def red(self):
return self.__red
@property
def green(self):
return self.__green
@property
def blue(self):
return self.__blue
@staticmethod
def __map_to_0_255(value):
"""Maps a float between 0 and 1 to an int between 0 and 255"""
scaled_up_value = round(255 * value)
return max(min(scaled_up_value, 255), 0)
def as_int_tuple(self):
return tuple(map(self.__map_to_0_255, (self.__red, self.__green, self.__blue)))
def ppm_string(self):
"""Returns RGB value separated by spaces"""
mapped_values = self.as_int_tuple()
return f'{mapped_values[0]} {mapped_values[1]} {mapped_values[2]}'
def __add__(self, other):
"""Adds two colors together, component-wise"""
return Color(self.__red + other.__red, self.__green + other.__green, self.__blue + other.__blue)
def __mul__(self, other):
"""Multiplies color by given scalar component-wise"""
return Color(self.__red * other, self.__green * other, self.__blue * other)
def __rmul__(self, other):
"""Multiplies color by given scalar component-wise"""
return self * other
def __pow__(self, power, modulo=None):
"""Multiplies colors component-wise"""
return Color(self.__red * power.__red, self.__green * power.__green, self.__blue * power.__blue)
def __str__(self):
return f'{{{self.__red}, {self.__green}, {self.__blue}}}'
# Constant colors
BLACK = Color(red=0, green=0, blue=0)
WHITE = Color('#ffffff')
METAL = Color(r=0.56, g=0.57, b=0.58)
TEAL = Color('#008081')
GRAPE = Color(.4, .3, .5)
|
class PoolRaidLevels(object):
def read_get(self, name, idx_name, unity_client):
return unity_client.get_pool_raid_levels(idx_name)
class PoolRaidLevelsColumn(object):
def get_idx(self, name, idx, unity_client):
return unity_client.get_pools()
|
# Python3 program to find Intersection of two
# Sorted Arrays (Handling Duplicates)
def IntersectionArray(a, b, n, m):
'''
:param a: given sorted array a
:param n: size of sorted array a
:param b: given sorted array b
:param m: size of sorted array b
:return: array of intersection of two array or -1
'''
Intersection = []
i = j = 0
while i < n and j < m:
if a[i] == b[j]:
# If duplicate already present in Intersection list
if len(Intersection) > 0 and Intersection[-1] == a[i]:
i+=1
j+=1
# If no duplicate is present in Intersection list
else:
Intersection.append(a[i])
i+=1
j+=1
elif a[i] < b[j]:
i+=1
else:
j+=1
if not len(Intersection):
return [-1]
return Intersection
# Driver Code
if __name__ == "__main__":
arr1 = [1, 2, 2, 3, 4]
arr2 = [2, 2, 4, 6, 7, 8]
l = IntersectionArray(arr1, arr2, len(arr1), len(arr2))
print(*l)
# This code is submited by AbhiSaphire |
print('=' * 5, 'EX_005', '=' * 5)
# antecessor e sucessor
n1 = int(input('Digite um número: '))
a = n1 - 1
s = n1 + 1
print('O antecessor de {} é {} e seu sucessor é {}!'.format(n1, a, s))
|
def ask_yes_no(question):
response = None
expected_responses = ('no', 'n', 'yes', 'y')
while response not in expected_responses:
response = input(question + "\n").lower()
# Error message
if response not in expected_responses:
print('Wrong input please <yes/no>')
return response == 'yes' or response == 'y'
def ask_for_value(question):
"""The solution for asking for a integer value without using exceptions """
answer = ""
while not answer.isdigit():
answer = input(question)
# Error message
if not answer.isdigit():
print("Input must be a number!")
else:
# Cast for answer
return int(answer)
return answer
def ask_to_keep_playing():
return ask_yes_no("Do you want to keep playing?") |
def selectSort(arr):
_len = len(arr)
for i in range(_len):
index = i # 最小值索引
for j in range(i, _len):
if arr[index] > arr[j]:
index = j
arr[index], arr[i] = arr[i], arr[index]
return arr
a = [31, 42, 13, 54, 5]
print(selectSort(a))
|
"""Olap Client exceptions module
Contains the errors and exceptions the code can raise at some point during execution.
"""
class EmptyDataException(Exception):
"""EmptyDataException
This exception occurs when a query against a server returns an empty dataset.
This might want to be caught and reported to the administrator.
"""
class InvalidQueryError(Exception):
"""InvalidQueryError
This error occurs when a query is misconstructed.
Can be raised before or after a request is made against a data server.
"""
class UpstreamInternalError(Exception):
"""UpstreamInternalError
This error occurs when a remote server returns a valid response but the contents
give details about an internal server error.
This must be caught and reported to the administrator.
"""
|
"""
Hypercorn application server settings
"""
bind = "0.0.0.0:8080"
workers = 4
|
# -*- coding: utf-8 -*-
#
# view.py
# aopy
#
# Created by Alexander Rudy on 2014-07-16.
# Copyright 2014 Alexander Rudy. All rights reserved.
#
"""
:mod:`aperture.view`
====================
""" |
class Config:
epochs = 50
batch_size = 8
learning_rate_decay_epochs = 10
# save model
save_frequency = 5
save_model_dir = "saved_model/"
load_weights_before_training = False
load_weights_from_epoch = 0
# test image
test_single_image_dir = ""
test_images_during_training = False
training_results_save_dir = "./test_pictures/"
test_images_dir_list = ["", ""]
image_size = {"resnet_18": (384, 384), "resnet_34": (384, 384), "resnet_50": (384, 384),
"resnet_101": (384, 384), "resnet_152": (384, 384),
"D0": (512, 512), "D1": (640, 640), "D2": (768, 768),
"D3": (896, 896), "D4": (1024, 1024), "D5": (1280, 1280),
"D6": (1408, 1408), "D7": (1536, 1536)}
image_channels = 3
# dataset
num_classes = 20
pascal_voc_root = "./data/datasets/VOCdevkit/VOC2012/"
pascal_voc_images = pascal_voc_root + "JPEGImages"
pascal_voc_labels = pascal_voc_root + "Annotations"
pascal_voc_classes = {"person": 0, "bird": 1, "cat": 2, "cow": 3, "dog": 4,
"horse": 5, "sheep": 6, "aeroplane": 7, "bicycle": 8,
"boat": 9, "bus": 10, "car": 11, "motorbike": 12,
"train": 13, "bottle": 14, "chair": 15, "diningtable": 16,
"pottedplant": 17, "sofa": 18, "tvmonitor": 19}
# txt file
txt_file_dir = "data.txt"
max_boxes_per_image = 50
# network architecture
backbone_name = "D0"
# can be selected from: resnet_18, resnet_34, resnet_50, resnet_101, resnet_152, D0~D7
downsampling_ratio = 8 # efficientdet: 8, others: 4
# efficientdet
width_coefficient = {"D0": 1.0, "D1": 1.0, "D2": 1.1, "D3": 1.2, "D4": 1.4, "D5": 1.6, "D6": 1.8, "D7": 1.8}
depth_coefficient = {"D0": 1.0, "D1": 1.1, "D2": 1.2, "D3": 1.4, "D4": 1.8, "D5": 2.2, "D6": 2.6, "D7": 2.6}
dropout_rate = {"D0": 0.2, "D1": 0.2, "D2": 0.3, "D3": 0.3, "D4": 0.4, "D5": 0.4, "D6": 0.5, "D7": 0.5}
# bifpn channels
w_bifpn = {"D0": 64, "D1": 88, "D2": 112, "D3": 160, "D4": 224, "D5": 288, "D6": 384, "D7": 384}
# bifpn layers
d_bifpn = {"D0": 2, "D1": 3, "D2": 4, "D3": 5, "D4": 6, "D5": 7, "D6": 8, "D7": 8}
heads = {"heatmap": num_classes, "wh": 2, "reg": 2}
head_conv = {"no_conv_layer": 0, "resnets": 64, "dla": 256,
"D0": w_bifpn["D0"], "D1": w_bifpn["D1"], "D2": w_bifpn["D2"], "D3": w_bifpn["D3"],
"D4": w_bifpn["D4"], "D5": w_bifpn["D5"], "D6": w_bifpn["D6"], "D7": w_bifpn["D7"]}
# loss
hm_weight = 1.0
wh_weight = 0.1
off_weight = 1.0
score_threshold = 0.3
@classmethod
def get_image_size(cls):
return cls.image_size[cls.backbone_name]
@classmethod
def get_width_coefficient(cls, backbone_name):
return cls.width_coefficient[backbone_name]
@classmethod
def get_depth_coefficient(cls, backbone_name):
return cls.depth_coefficient[backbone_name]
@classmethod
def get_dropout_rate(cls, backbone_name):
return cls.dropout_rate[backbone_name]
@classmethod
def get_w_bifpn(cls, backbone_name):
return cls.w_bifpn[backbone_name]
@classmethod
def get_d_bifpn(cls, backbone_name):
return cls.d_bifpn[backbone_name]
|
class Polygon():
def __init__(self, no_of_sides):
self.n = no_of_sides
self.sides = [0 for i in range (no_of_sides)]
def inputSides(self):
self.sides = [float(input('Enter side '+str(i+1)+' : ')) for i in range(self.n)]
def dispSides(self):
for i in range(self.n):
print('Side', i + 1,'is', self.sides[i])
class Rectangle(Polygon):
def __init__(self):
super().__init__(2)
def findArea(self):
lenght_rectangle, breadth_rectangle = self.sides
area_rectangle = lenght_rectangle*breadth_rectangle
print(f'The area of rectangle is {area_rectangle}.')
r = Rectangle()
r.inputSides()
r.dispSides()
r.findArea()
|
class DaiquiriException(Exception):
def __init__(self, errors):
self.errors = errors
def __str__(self):
return repr(self.errors)
|
# Do not edit this file directly.
# It was auto-generated by: code/programs/reflexivity/reflexive_refresh
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
def glib():
http_archive(
name="glib" ,
build_file="//bazel/deps/glib:build.BUILD" ,
sha256="80753e02bd0baddfa03807dccc6da4e063f272026f07fd0e05e17c6e5353b07e" ,
strip_prefix="glib-2ba0f14b5298f49dcc3b376d2bdf6505b2c32bd3" ,
urls = [
"https://github.com/Unilang/glib/archive/2ba0f14b5298f49dcc3b376d2bdf6505b2c32bd3.tar.gz",
], patches = [
"//bazel/deps/glib/patches:glib_config.patch",
"//bazel/deps/glib/patches:glib_config2.patch",
"//bazel/deps/glib/patches:glib_enums.patch",
"//bazel/deps/glib/patches:gio_enums.patch",
"//bazel/deps/glib/patches:gnetworking.patch",
"//bazel/deps/glib/patches:xdp_dbus.patch",
"//bazel/deps/glib/patches:gdbus_daemon.patch",
"//bazel/deps/glib/patches:gmoduleconf.patch",
"//bazel/deps/glib/patches:gconstructor.patch",
],
patch_args = [
"-p1",
],
)
|
class Environment(object):
"""Base class for environment."""
def __init__(self):
pass
@property
def num_of_actions(self):
raise NotImplementedError
def GetState(self):
"""Returns current state as numpy (possibly) multidimensional array.
If the current state is terminal, returns None.
"""
raise NotImplementedError
def ProcessAction(self, action):
"""Performs one step given selected action. Returns step reward."""
raise NotImplementedError
class Agent(object):
"""Base class for different agents."""
def __init__(self):
pass
def ChooseAction(self, state):
pass
def PlayEpisode(env, agent):
state = env.GetState()
total_reward = 0.
while state is not None:
action = agent.ChooseAction(state)
total_reward += env.ProcessAction(action)
state = env.GetState()
return total_reward
|
# QI = {"AGE": 1, "SEX": 1, "CURADM_DAYS": 1, "OUTCOME": 0, "CURRICU_FLAG":0,
# "PREVADM_NO":0, "PREVADM_DAYS":0, "PREVICU_DAYS":0, "READMISSION_30_DAYS":0}
# K = 20
CATEGORICAL_ATTRIBUTES = {"AGE": 0, "SEX": 1, "CURADM_DAYS": 0, "OUTCOME": 1, "CURRICU_FLAG":1,
"PREVADM_NO":0, "PREVADM_DAYS":0, "PREVICU_DAYS":0, "READMISSION_30_DAYS":1}
INPUT_DIRECTORY = "/home/arianna/CSL Docs/Papers/Paper_Anonymized_ML/dataset"
RESULT_DIRECTORY = f"/home/arianna/CSL Docs/Papers/Paper_Anonymized_ML/loss_metric_results"
RESULT_FILEPATH = f'{RESULT_DIRECTORY}/anonymity_results.csv' |
# Given 3 int values, a b c, return their sum.
# However, if any of the values is a teen
# -- in the range 13..19 inclusive --
# then that value counts as 0,
# except 15 and 16 do not count as a teens
#
# For example:
# no_teen_sum(1, 2, 3) → 6
# no_teen_sum(2, 13, 1) → 3
# no_teen_sum(2, 1, 14) → 3
class Exercise00NoTeenSum:
def __init__(self, a=0, b=0, c=0):
self.a = a
self.b = b
self.c = c
def no_teen_sum(self):
summary = 0
summary += self.fix_value(self.a)
summary += self.fix_value(self.b)
summary += self.fix_value(self.c)
return summary
@staticmethod
def fix_value(value):
teen = [13, 14, 17, 18, 19]
if teen.__contains__(value):
return 0
return value
|
#!/usr/bin/env python
# -*- coding:utf-8 -*-
"""
アプリケーション、バージョン情報
"""
APP_NAME = 'VReducer'
VERSION = '0.2.0'
def app_name():
return '{}-{}'.format(APP_NAME, VERSION)
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Fri Oct 350 17:10:37 2020
@author: daniel
"""
mat02 = [[1,2,3], [4,5,6], [7,8,9]]
n = int ( input ("dimension del cuadro? "))
mat01 = [ [0] * n for i in range(n) ]
ren = 0
col = n // 2
for x in range (1,n*n + 1):
mat01[ren][col] = x
if x % n == 0:
ren = ren + 1
else:
ren = ren - 1
col = col + 1
if ren == n:
ren = 0
if ren < 0:
ren = n - 1
if col == n:
col = 0
for ren in mat01 :
for col in ren :
print ('{:3d}'.format(col), end= '' )
print()
|
_base_ = [
'../../_base_/models/retinanet_r50_fpn.py',
'../../_base_/datasets/dota_detection_v2.0_hbb.py',
'../../_base_/schedules/schedule_2x.py', '../../_base_/default_runtime.py'
]
model = dict(
bbox_head=dict(
num_classes=18,
)
)
optimizer =dict(lr=0.01)
work_dir = './work_dirs/retinanet_r50_fpn_1x_dota'
|
# -*- coding: utf-8 -*-
"""This file contains the Windows NT Known Folder identifier definitions."""
# For now ignore the line too long errors.
# pylint: disable=line-too-long
# For now copied from:
# https://code.google.com/p/libfwsi/wiki/KnownFolderIdentifiers
# TODO: store these in a database or equiv.
DESCRIPTIONS = {
u'008ca0b1-55b4-4c56-b8a8-4de4b299d3be': u'Account Pictures',
u'00bcfc5a-ed94-4e48-96a1-3f6217f21990': u'Roaming Tiles',
u'0139d44e-6afe-49f2-8690-3dafcae6ffb8': u'(Common) Programs',
u'0482af6c-08f1-4c34-8c90-e17ec98b1e17': u'Public Account Pictures',
u'054fae61-4dd8-4787-80b6-090220c4b700': u'Game Explorer (Game Tasks)',
u'0762d272-c50a-4bb0-a382-697dcd729b80': u'Users (User Profiles)',
u'0ac0837c-bbf8-452a-850d-79d08e667ca7': u'Computer (My Computer)',
u'0d4c3db6-03a3-462f-a0e6-08924c41b5d4': u'History',
u'0f214138-b1d3-4a90-bba9-27cbc0c5389a': u'Sync Setup',
u'15ca69b3-30ee-49c1-ace1-6b5ec372afb5': u'Sample Playlists',
u'1777f761-68ad-4d8a-87bd-30b759fa33dd': u'Favorites',
u'18989b1d-99b5-455b-841c-ab7c74e4ddfc': u'Videos (My Video)',
u'190337d1-b8ca-4121-a639-6d472d16972a': u'Search Results (Search Home)',
u'1a6fdba2-f42d-4358-a798-b74d745926c5': u'Recorded TV',
u'1ac14e77-02e7-4e5d-b744-2eb1ae5198b7': u'System32 (System)',
u'1b3ea5dc-b587-4786-b4ef-bd1dc332aeae': u'Libraries',
u'1e87508d-89c2-42f0-8a7e-645a0f50ca58': u'Applications',
u'2112ab0a-c86a-4ffe-a368-0de96e47012e': u'Music',
u'2400183a-6185-49fb-a2d8-4a392a602ba3': u'Public Videos (Common Video)',
u'24d89e24-2f19-4534-9dde-6a6671fbb8fe': u'One Drive Documents',
u'289a9a43-be44-4057-a41b-587a76d7e7f9': u'Sync Results',
u'2a00375e-224c-49de-b8d1-440df7ef3ddc': u'Localized Resources (Directory)',
u'2b0f765d-c0e9-4171-908e-08a611b84ff6': u'Cookies',
u'2c36c0aa-5812-4b87-bfd0-4cd0dfb19b39': u'Original Images',
u'3214fab5-9757-4298-bb61-92a9deaa44ff': u'Public Music (Common Music)',
u'339719b5-8c47-4894-94c2-d8f77add44a6': u'One Drive Pictures',
u'33e28130-4e1e-4676-835a-98395c3bc3bb': u'Pictures (My Pictures)',
u'352481e8-33be-4251-ba85-6007caedcf9d': u'Internet Cache (Temporary Internet Files)',
u'374de290-123f-4565-9164-39c4925e467b': u'Downloads',
u'3d644c9b-1fb8-4f30-9b45-f670235f79c0': u'Public Downloads (Common Downloads)',
u'3eb685db-65f9-4cf6-a03a-e3ef65729f3d': u'Roaming Application Data (Roaming)',
u'43668bf8-c14e-49b2-97c9-747784d784b7': u'Sync Center (Sync Manager)',
u'48daf80b-e6cf-4f4e-b800-0e69d84ee384': u'Libraries',
u'491e922f-5643-4af4-a7eb-4e7a138d8174': u'Videos',
u'4bd8d571-6d19-48d3-be97-422220080e43': u'Music (My Music)',
u'4bfefb45-347d-4006-a5be-ac0cb0567192': u'Conflicts',
u'4c5c32ff-bb9d-43b0-b5b4-2d72e54eaaa4': u'Saved Games',
u'4d9f7874-4e0c-4904-967b-40b0d20c3e4b': u'Internet (The Internet)',
u'52528a6b-b9e3-4add-b60d-588c2dba842d': u'Homegroup',
u'52a4f021-7b75-48a9-9f6b-4b87a210bc8f': u'Quick Launch',
u'56784854-c6cb-462b-8169-88e350acb882': u'Contacts',
u'5b3749ad-b49f-49c1-83eb-15370fbd4882': u'Tree Properties',
u'5cd7aee2-2219-4a67-b85d-6c9ce15660cb': u'Programs',
u'5ce4a5e9-e4eb-479d-b89f-130c02886155': u'Device Metadata Store',
u'5e6c858f-0e22-4760-9afe-ea3317b67173': u'Profile (User\'s name)',
u'625b53c3-ab48-4ec1-ba1f-a1ef4146fc19': u'Start Menu',
u'62ab5d82-fdc1-4dc3-a9dd-070d1d495d97': u'Program Data',
u'6365d5a7-0f0d-45e5-87f6-0da56b6a4f7d': u'Common Files (x64)',
u'69d2cf90-fc33-4fb7-9a0c-ebb0f0fcb43c': u'Slide Shows (Photo Albums)',
u'6d809377-6af0-444b-8957-a3773f02200e': u'Program Files (x64)',
u'6f0cd92b-2e97-45d1-88ff-b0d186b8dedd': u'Network Connections',
u'724ef170-a42d-4fef-9f26-b60e846fba4f': u'Administrative Tools',
u'767e6811-49cb-4273-87c2-20f355e1085b': u'One Drive Camera Roll',
u'76fc4e2d-d6ad-4519-a663-37bd56068185': u'Printers',
u'7b0db17d-9cd2-4a93-9733-46cc89022e7c': u'Documents',
u'7b396e54-9ec5-4300-be0a-2482ebae1a26': u'Default Gadgets (Sidebar Default Parts)',
u'7c5a40ef-a0fb-4bfc-874a-c0f2e0b9fa8e': u'Program Files (x86)',
u'7d1d3a04-debb-4115-95cf-2f29da2920da': u'Saved Searches (Searches)',
u'7e636bfe-dfa9-4d5e-b456-d7b39851d8a9': u'Templates',
u'82a5ea35-d9cd-47c5-9629-e15d2f714e6e': u'(Common) Startup',
u'82a74aeb-aeb4-465c-a014-d097ee346d63': u'Control Panel',
u'859ead94-2e85-48ad-a71a-0969cb56a6cd': u'Sample Videos',
u'8983036c-27c0-404b-8f08-102d10dcfd74': u'Send To',
u'8ad10c31-2adb-4296-a8f7-e4701232c972': u'Resources (Resources Directory)',
u'905e63b6-c1bf-494e-b29c-65b732d3d21a': u'Program Files',
u'9274bd8d-cfd1-41c3-b35e-b13f55a758f4': u'Printer Shortcuts (PrintHood)',
u'98ec0e18-2098-4d44-8644-66979315a281': u'Microsoft Office Outlook (MAPI)',
u'9b74b6a3-0dfd-4f11-9e78-5f7800f2e772': u'User\'s name',
u'9e3995ab-1f9c-4f13-b827-48b24b6c7174': u'User Pinned',
u'9e52ab10-f80d-49df-acb8-4330f5687855': u'Temporary Burn Folder (CD Burning)',
u'a302545d-deff-464b-abe8-61c8648d939b': u'Libraries',
u'a305ce99-f527-492b-8b1a-7e76fa98d6e4': u'Installed Updates (Application Updates)',
u'a3918781-e5f2-4890-b3d9-a7e54332328c': u'Application Shortcuts',
u'a4115719-d62e-491d-aa7c-e74b8be3b067': u'(Common) Start Menu',
u'a520a1a4-1780-4ff6-bd18-167343c5af16': u'Local Application Data Low (Local Low)',
u'a52bba46-e9e1-435f-b3d9-28daa648c0f6': u'One Drive',
u'a63293e8-664e-48db-a079-df759e0509f7': u'Templates',
u'a75d362e-50fc-4fb7-ac2c-a8beaa314493': u'Gadgets (Sidebar Parts)',
u'a77f5d77-2e2b-44c3-a6a2-aba601054a51': u'Programs',
u'a990ae9f-a03b-4e80-94bc-9912d7504104': u'Pictures',
u'aaa8d5a5-f1d6-4259-baa8-78e7ef60835e': u'Roamed Tile Images',
u'ab5fb87b-7ce2-4f83-915d-550846c9537b': u'Camera Roll',
u'ae50c081-ebd2-438a-8655-8a092e34987a': u'Recent (Recent Items)',
u'b250c668-f57d-4ee1-a63c-290ee7d1aa1f': u'Sample Music',
u'b4bfcc3a-db2c-424c-b029-7fe99a87c641': u'Desktop',
u'b6ebfb86-6907-413c-9af7-4fc2abf07cc5': u'Public Pictures (Common Pictures)',
u'b7534046-3ecb-4c18-be4e-64cd4cb7d6ac': u'Recycle Bin (Bit Bucket)',
u'b7bede81-df94-4682-a7d8-57a52620b86f': u'Screenshots',
u'b94237e7-57ac-4347-9151-b08c6c32d1f7': u'(Common) Templates',
u'b97d20bb-f46a-4c97-ba10-5e3608430854': u'Startup',
u'bcb5256f-79f6-4cee-b725-dc34e402fd46': u'Implicit Application Shortcuts',
u'bcbd3057-ca5c-4622-b42d-bc56db0ae516': u'Programs',
u'bd85e001-112e-431e-983b-7b15ac09fff1': u'Recorded TV',
u'bfb9d5e0-c6a9-404c-b2b2-ae6db6af4968': u'Links',
u'c1bae2d0-10df-4334-bedd-7aa20b227a9d': u'(Common) OEM Links',
u'c4900540-2379-4c75-844b-64e6faf8716b': u'Sample Pictures',
u'c4aa340d-f20f-4863-afef-f87ef2e6ba25': u'Public Desktop (Common Desktop)',
u'c5abbf53-e17f-4121-8900-86626fc2c973': u'Network Shortcuts (NetHood)',
u'c870044b-f49e-4126-a9c3-b52a1ff411e8': u'Ringtones',
u'cac52c1a-b53d-4edc-92d7-6b2e8ac19434': u'Games',
u'd0384e7d-bac3-4797-8f14-cba229b392b5': u'(Common) Administrative Tools',
u'd20beec4-5ca8-4905-ae3b-bf251ea09b53': u'Network (Places)',
u'd65231b0-b2f1-4857-a4ce-a8e7c6ea7d27': u'System32 (x86)',
u'd9dc8a3b-b784-432e-a781-5a1130a75963': u'History',
u'de61d971-5ebc-4f02-a3a9-6c82895e5c04': u'Add New Programs (Get Programs)',
u'de92c1c7-837f-4f69-a3bb-86e631204a23': u'Playlists',
u'de974d24-d9c6-4d3e-bf91-f4455120b917': u'Common Files (x86)',
u'debf2536-e1a8-4c59-b6a2-414586476aea': u'Game Explorer (Public Game Tasks)',
u'df7266ac-9274-4867-8d55-3bd661de872d': u'Programs and Features (Change and Remove Programs)',
u'dfdf76a2-c82a-4d63-906a-5644ac457385': u'Public',
u'e555ab60-153b-4d17-9f04-a5fe99fc15ec': u'Ringtones',
u'ed4824af-dce4-45a8-81e2-fc7965083634': u'Public Documents (Common Documents)',
u'ee32e446-31ca-4aba-814f-a5ebd2fd6d5e': u'Offline Files (CSC)',
u'f1b32785-6fba-4fcf-9d55-7b8e7f157091': u'Local Application Data',
u'f38bf404-1d43-42f2-9305-67de0b28fc23': u'Windows',
u'f3ce0f7c-4901-4acc-8648-d5d44b04ef8f': u'User\'s Files',
u'f7f1ed05-9f6d-47a2-aaae-29d317c6f066': u'Common Files',
u'fd228cb7-ae11-4ae3-864c-16f3910ab8fe': u'Fonts',
u'fdd39ad0-238f-46af-adb4-6c85480369c7': u'Documents (Personal)',
}
PATHS = {
u'008ca0b1-55b4-4c56-b8a8-4de4b299d3be': u'%APPDATA%\\Microsoft\\Windows\\AccountPictures',
u'00bcfc5a-ed94-4e48-96a1-3f6217f21990': u'%LOCALAPPDATA%\\Microsoft\\Windows\\RoamingTiles',
u'0139d44e-6afe-49f2-8690-3dafcae6ffb8': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Start Menu\\Programs',
u'0482af6c-08f1-4c34-8c90-e17ec98b1e17': u'%PUBLIC%\\AccountPictures',
u'054fae61-4dd8-4787-80b6-090220c4b700': u'%LOCALAPPDATA%\\Microsoft\\Windows\\GameExplorer',
u'0762d272-c50a-4bb0-a382-697dcd729b80': u'%SYSTEMDRIVE%\\Users',
u'0ac0837c-bbf8-452a-850d-79d08e667ca7': u'',
u'0d4c3db6-03a3-462f-a0e6-08924c41b5d4': u'%LOCALAPPDATA%\\Microsoft\\Windows\\ConnectedSearch\\History',
u'0f214138-b1d3-4a90-bba9-27cbc0c5389a': u'',
u'15ca69b3-30ee-49c1-ace1-6b5ec372afb5': u'%PUBLIC%\\Music\\Sample Playlists',
u'1777f761-68ad-4d8a-87bd-30b759fa33dd': u'%USERPROFILE%\\Favorites',
u'18989b1d-99b5-455b-841c-ab7c74e4ddfc': u'%USERPROFILE%\\Videos',
u'190337d1-b8ca-4121-a639-6d472d16972a': u'',
u'1a6fdba2-f42d-4358-a798-b74d745926c5': u'%PUBLIC%\\RecordedTV.library-ms',
u'1ac14e77-02e7-4e5d-b744-2eb1ae5198b7': u'%WINDIR%\\System32',
u'1b3ea5dc-b587-4786-b4ef-bd1dc332aeae': u'%APPDATA%\\Microsoft\\Windows\\Libraries',
u'1e87508d-89c2-42f0-8a7e-645a0f50ca58': u'',
u'2112ab0a-c86a-4ffe-a368-0de96e47012e': u'%APPDATA%\\Microsoft\\Windows\\Libraries\\Music.library-ms',
u'2400183a-6185-49fb-a2d8-4a392a602ba3': u'%PUBLIC%\\Videos',
u'24d89e24-2f19-4534-9dde-6a6671fbb8fe': u'%USERPROFILE%\\OneDrive\\Documents',
u'289a9a43-be44-4057-a41b-587a76d7e7f9': u'',
u'2a00375e-224c-49de-b8d1-440df7ef3ddc': u'%WINDIR%\\resources\\%CODEPAGE%',
u'2b0f765d-c0e9-4171-908e-08a611b84ff6': u'%APPDATA%\\Microsoft\\Windows\\Cookies',
u'2c36c0aa-5812-4b87-bfd0-4cd0dfb19b39': u'%LOCALAPPDATA%\\Microsoft\\Windows Photo Gallery\\Original Images',
u'3214fab5-9757-4298-bb61-92a9deaa44ff': u'%PUBLIC%\\Music',
u'339719b5-8c47-4894-94c2-d8f77add44a6': u'%USERPROFILE%\\OneDrive\\Pictures',
u'33e28130-4e1e-4676-835a-98395c3bc3bb': u'%USERPROFILE%\\Pictures',
u'352481e8-33be-4251-ba85-6007caedcf9d': u'%LOCALAPPDATA%\\Microsoft\\Windows\\Temporary Internet Files',
u'374de290-123f-4565-9164-39c4925e467b': u'%USERPROFILE%\\Downloads',
u'3d644c9b-1fb8-4f30-9b45-f670235f79c0': u'%PUBLIC%\\Downloads',
u'3eb685db-65f9-4cf6-a03a-e3ef65729f3d': u'%USERPROFILE%\\AppData\\Roaming',
u'43668bf8-c14e-49b2-97c9-747784d784b7': u'',
u'48daf80b-e6cf-4f4e-b800-0e69d84ee384': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Libraries',
u'491e922f-5643-4af4-a7eb-4e7a138d8174': u'%APPDATA%\\Microsoft\\Windows\\Libraries\\Videos.library-ms',
u'4bd8d571-6d19-48d3-be97-422220080e43': u'%USERPROFILE%\\Music',
u'4bfefb45-347d-4006-a5be-ac0cb0567192': u'',
u'4c5c32ff-bb9d-43b0-b5b4-2d72e54eaaa4': u'%USERPROFILE%\\Saved Games',
u'4d9f7874-4e0c-4904-967b-40b0d20c3e4b': u'',
u'52528a6b-b9e3-4add-b60d-588c2dba842d': u'',
u'52a4f021-7b75-48a9-9f6b-4b87a210bc8f': u'%APPDATA%\\Microsoft\\Internet Explorer\\Quick Launch',
u'56784854-c6cb-462b-8169-88e350acb882': u'',
u'5b3749ad-b49f-49c1-83eb-15370fbd4882': u'',
u'5cd7aee2-2219-4a67-b85d-6c9ce15660cb': u'%LOCALAPPDATA%\\Programs',
u'5ce4a5e9-e4eb-479d-b89f-130c02886155': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\DeviceMetadataStore',
u'5e6c858f-0e22-4760-9afe-ea3317b67173': u'%SYSTEMDRIVE%\\Users\\%USERNAME%',
u'625b53c3-ab48-4ec1-ba1f-a1ef4146fc19': u'%APPDATA%\\Microsoft\\Windows\\Start Menu',
u'62ab5d82-fdc1-4dc3-a9dd-070d1d495d97': u'%SYSTEMDRIVE%\\ProgramData',
u'6365d5a7-0f0d-45e5-87f6-0da56b6a4f7d': u'%PROGRAMFILES%\\Common Files',
u'69d2cf90-fc33-4fb7-9a0c-ebb0f0fcb43c': u'%USERPROFILE%\\Pictures\\Slide Shows',
u'6d809377-6af0-444b-8957-a3773f02200e': u'%SYSTEMDRIVE%\\Program Files',
u'6f0cd92b-2e97-45d1-88ff-b0d186b8dedd': u'',
u'724ef170-a42d-4fef-9f26-b60e846fba4f': u'%APPDATA%\\Microsoft\\Windows\\Start Menu\\Programs\\Administrative Tools',
u'767e6811-49cb-4273-87c2-20f355e1085b': u'%USERPROFILE%\\OneDrive\\Pictures\\Camera Roll',
u'76fc4e2d-d6ad-4519-a663-37bd56068185': u'',
u'7b0db17d-9cd2-4a93-9733-46cc89022e7c': u'%APPDATA%\\Microsoft\\Windows\\Libraries\\Documents.library-ms',
u'7b396e54-9ec5-4300-be0a-2482ebae1a26': u'%PROGRAMFILES%\\Windows Sidebar\\Gadgets',
u'7c5a40ef-a0fb-4bfc-874a-c0f2e0b9fa8e': u'%PROGRAMFILES% (%SYSTEMDRIVE%\\Program Files)',
u'7d1d3a04-debb-4115-95cf-2f29da2920da': u'%USERPROFILE%\\Searches',
u'7e636bfe-dfa9-4d5e-b456-d7b39851d8a9': u'%LOCALAPPDATA%\\Microsoft\\Windows\\ConnectedSearch\\Templates',
u'82a5ea35-d9cd-47c5-9629-e15d2f714e6e': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Start Menu\\Programs\\StartUp',
u'82a74aeb-aeb4-465c-a014-d097ee346d63': u'',
u'859ead94-2e85-48ad-a71a-0969cb56a6cd': u'%PUBLIC%\\Videos\\Sample Videos',
u'8983036c-27c0-404b-8f08-102d10dcfd74': u'%APPDATA%\\Microsoft\\Windows\\SendTo',
u'8ad10c31-2adb-4296-a8f7-e4701232c972': u'%WINDIR%\\Resources',
u'905e63b6-c1bf-494e-b29c-65b732d3d21a': u'%SYSTEMDRIVE%\\Program Files',
u'9274bd8d-cfd1-41c3-b35e-b13f55a758f4': u'%APPDATA%\\Microsoft\\Windows\\Printer Shortcuts',
u'98ec0e18-2098-4d44-8644-66979315a281': u'',
u'9b74b6a3-0dfd-4f11-9e78-5f7800f2e772': u'',
u'9e3995ab-1f9c-4f13-b827-48b24b6c7174': u'%APPDATA%\\Microsoft\\Internet Explorer\\Quick Launch\\User Pinned',
u'9e52ab10-f80d-49df-acb8-4330f5687855': u'%LOCALAPPDATA%\\Microsoft\\Windows\\Burn\\Burn',
u'a302545d-deff-464b-abe8-61c8648d939b': u'',
u'a305ce99-f527-492b-8b1a-7e76fa98d6e4': u'',
u'a3918781-e5f2-4890-b3d9-a7e54332328c': u'%LOCALAPPDATA%\\Microsoft\\Windows\\Application Shortcuts',
u'a4115719-d62e-491d-aa7c-e74b8be3b067': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Start Menu',
u'a520a1a4-1780-4ff6-bd18-167343c5af16': u'%USERPROFILE%\\AppData\\LocalLow',
u'a52bba46-e9e1-435f-b3d9-28daa648c0f6': u'%USERPROFILE%\\OneDrive',
u'a63293e8-664e-48db-a079-df759e0509f7': u'%APPDATA%\\Microsoft\\Windows\\Templates',
u'a75d362e-50fc-4fb7-ac2c-a8beaa314493': u'%LOCALAPPDATA%\\Microsoft\\Windows Sidebar\\Gadgets',
u'a77f5d77-2e2b-44c3-a6a2-aba601054a51': u'%APPDATA%\\Microsoft\\Windows\\Start Menu\\Programs',
u'a990ae9f-a03b-4e80-94bc-9912d7504104': u'%APPDATA%\\Microsoft\\Windows\\Libraries\\Pictures.library-ms',
u'aaa8d5a5-f1d6-4259-baa8-78e7ef60835e': u'%LOCALAPPDATA%\\Microsoft\\Windows\\RoamedTileImages',
u'ab5fb87b-7ce2-4f83-915d-550846c9537b': u'%USERPROFILE%\\Pictures\\Camera Roll',
u'ae50c081-ebd2-438a-8655-8a092e34987a': u'%APPDATA%\\Microsoft\\Windows\\Recent',
u'b250c668-f57d-4ee1-a63c-290ee7d1aa1f': u'%PUBLIC%\\Music\\Sample Music',
u'b4bfcc3a-db2c-424c-b029-7fe99a87c641': u'%USERPROFILE%\\Desktop',
u'b6ebfb86-6907-413c-9af7-4fc2abf07cc5': u'%PUBLIC%\\Pictures',
u'b7534046-3ecb-4c18-be4e-64cd4cb7d6ac': u'',
u'b7bede81-df94-4682-a7d8-57a52620b86f': u'%USERPROFILE%\\Pictures\\Screenshots',
u'b94237e7-57ac-4347-9151-b08c6c32d1f7': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Templates',
u'b97d20bb-f46a-4c97-ba10-5e3608430854': u'%APPDATA%\\Microsoft\\Windows\\Start Menu\\Programs\\StartUp',
u'bcb5256f-79f6-4cee-b725-dc34e402fd46': u'%APPDATA%\\Microsoft\\Internet Explorer\\Quick Launch\\User Pinned\\ImplicitAppShortcuts',
u'bcbd3057-ca5c-4622-b42d-bc56db0ae516': u'%LOCALAPPDATA%\\Programs\\Common',
u'bd85e001-112e-431e-983b-7b15ac09fff1': u'',
u'bfb9d5e0-c6a9-404c-b2b2-ae6db6af4968': u'%USERPROFILE%\\Links',
u'c1bae2d0-10df-4334-bedd-7aa20b227a9d': u'%ALLUSERSPROFILE%\\OEM Links',
u'c4900540-2379-4c75-844b-64e6faf8716b': u'%PUBLIC%\\Pictures\\Sample Pictures',
u'c4aa340d-f20f-4863-afef-f87ef2e6ba25': u'%PUBLIC%\\Desktop',
u'c5abbf53-e17f-4121-8900-86626fc2c973': u'%APPDATA%\\Microsoft\\Windows\\Network Shortcuts',
u'c870044b-f49e-4126-a9c3-b52a1ff411e8': u'%LOCALAPPDATA%\\Microsoft\\Windows\\Ringtones',
u'cac52c1a-b53d-4edc-92d7-6b2e8ac19434': u'',
u'd0384e7d-bac3-4797-8f14-cba229b392b5': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Start Menu\\Programs\\Administrative Tools',
u'd20beec4-5ca8-4905-ae3b-bf251ea09b53': u'',
u'd65231b0-b2f1-4857-a4ce-a8e7c6ea7d27': u'%WINDIR%\\system32',
u'd9dc8a3b-b784-432e-a781-5a1130a75963': u'%LOCALAPPDATA%\\Microsoft\\Windows\\History',
u'de61d971-5ebc-4f02-a3a9-6c82895e5c04': u'',
u'de92c1c7-837f-4f69-a3bb-86e631204a23': u'%USERPROFILE%\\Music\\Playlists',
u'de974d24-d9c6-4d3e-bf91-f4455120b917': u'%PROGRAMFILES%\\Common Files',
u'debf2536-e1a8-4c59-b6a2-414586476aea': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\GameExplorer',
u'df7266ac-9274-4867-8d55-3bd661de872d': u'',
u'dfdf76a2-c82a-4d63-906a-5644ac457385': u'%SYSTEMDRIVE%\\Users\\Public',
u'e555ab60-153b-4d17-9f04-a5fe99fc15ec': u'%ALLUSERSPROFILE%\\Microsoft\\Windows\\Ringtones',
u'ed4824af-dce4-45a8-81e2-fc7965083634': u'%PUBLIC%\\Documents',
u'ee32e446-31ca-4aba-814f-a5ebd2fd6d5e': u'',
u'f1b32785-6fba-4fcf-9d55-7b8e7f157091': u'%USERPROFILE%\\AppData\\Local',
u'f38bf404-1d43-42f2-9305-67de0b28fc23': u'%WINDIR%',
u'f3ce0f7c-4901-4acc-8648-d5d44b04ef8f': u'',
u'f7f1ed05-9f6d-47a2-aaae-29d317c6f066': u'%PROGRAMFILES%\\Common Files',
u'fd228cb7-ae11-4ae3-864c-16f3910ab8fe': u'%WINDIR%\\Fonts',
u'fdd39ad0-238f-46af-adb4-6c85480369c7': u'%USERPROFILE%\\Documents',
}
|
#
# PySNMP MIB module ALCATEL-IND1-TIMETRA-SAP-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALCATEL-IND1-TIMETRA-SAP-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:04:02 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)
#
TFilterID, = mibBuilder.importSymbols("ALCATEL-IND1-TIMETRA-FILTER-MIB", "TFilterID")
timetraSRMIBModules, = mibBuilder.importSymbols("ALCATEL-IND1-TIMETRA-GLOBAL-MIB", "timetraSRMIBModules")
TBurstPercentOrDefault, tVirtualSchedulerName, tSchedulerPolicyName, TBurstSize, TAdaptationRule = mibBuilder.importSymbols("ALCATEL-IND1-TIMETRA-QOS-MIB", "TBurstPercentOrDefault", "tVirtualSchedulerName", "tSchedulerPolicyName", "TBurstSize", "TAdaptationRule")
hostConnectivityChAddr, tlsDhcpLseStateNewChAddr, tmnxServNotifications, protectedMacForNotify, svcDhcpClientLease, svcVpnId, svcDhcpPacketProblem, MvplsPruneState, TVirtSchedAttribute, tmnxCustomerBridgeId, tlsDHCPClientLease, MstiInstanceIdOrZero, TlsLimitMacMove, ServType, svcDhcpLseStateOldChAddr, CemSapEcid, CemSapReportAlarm, tlsDhcpLseStateOldCiAddr, svcDhcpLseStateNewChAddr, svcDhcpCoAError, tmnxServConformance, L2ptProtocols, svcTlsMacMoveMaxRate, TSapEgrQueueId, svcDhcpLseStateNewCiAddr, TdmOptionsCasTrunkFraming, StpExceptionCondition, tstpTraps, custId, svcDhcpProxyError, tmnxCustomerRootBridgeId, tmnxOtherBridgeId, tlsDhcpLseStateOldChAddr, ConfigStatus, StpProtocol, tmnxServObjs, svcDhcpLseStateOldCiAddr, staticHostDynamicMacIpAddress, BridgeId, hostConnectivityCiAddr, tlsDhcpPacketProblem, TStpPortState, tlsMstiInstanceId, ServObjDesc, staticHostDynamicMacConflict, VpnId, StpPortRole, hostConnectivityCiAddrType, ServObjName, TlsLimitMacMoveLevel, tlsDhcpLseStateNewCiAddr, svcDhcpLseStatePopulateError, svcDhcpSubAuthError, TSapIngQueueId, TQosQueueAttribute, svcId = mibBuilder.importSymbols("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityChAddr", "tlsDhcpLseStateNewChAddr", "tmnxServNotifications", "protectedMacForNotify", "svcDhcpClientLease", "svcVpnId", "svcDhcpPacketProblem", "MvplsPruneState", "TVirtSchedAttribute", "tmnxCustomerBridgeId", "tlsDHCPClientLease", "MstiInstanceIdOrZero", "TlsLimitMacMove", "ServType", "svcDhcpLseStateOldChAddr", "CemSapEcid", "CemSapReportAlarm", "tlsDhcpLseStateOldCiAddr", "svcDhcpLseStateNewChAddr", "svcDhcpCoAError", "tmnxServConformance", "L2ptProtocols", "svcTlsMacMoveMaxRate", "TSapEgrQueueId", "svcDhcpLseStateNewCiAddr", "TdmOptionsCasTrunkFraming", "StpExceptionCondition", "tstpTraps", "custId", "svcDhcpProxyError", "tmnxCustomerRootBridgeId", "tmnxOtherBridgeId", "tlsDhcpLseStateOldChAddr", "ConfigStatus", "StpProtocol", "tmnxServObjs", "svcDhcpLseStateOldCiAddr", "staticHostDynamicMacIpAddress", "BridgeId", "hostConnectivityCiAddr", "tlsDhcpPacketProblem", "TStpPortState", "tlsMstiInstanceId", "ServObjDesc", "staticHostDynamicMacConflict", "VpnId", "StpPortRole", "hostConnectivityCiAddrType", "ServObjName", "TlsLimitMacMoveLevel", "tlsDhcpLseStateNewCiAddr", "svcDhcpLseStatePopulateError", "svcDhcpSubAuthError", "TSapIngQueueId", "TQosQueueAttribute", "svcId")
TmnxServId, TmnxCustId, ServiceAdminStatus, TCIRRate, TPIRRate, TmnxEnabledDisabled, TIngressQueueId, TmnxEncapVal, TNamedItemOrEmpty, TSapIngressPolicyID, TmnxActionType, TPolicyStatementNameOrEmpty, TEgressQueueId, TNamedItem, TSapEgressPolicyID, TPortSchedulerPIR, TmnxPortID, TmnxOperState, TCpmProtPolicyID, TmnxIgmpVersion, TItemDescription = mibBuilder.importSymbols("ALCATEL-IND1-TIMETRA-TC-MIB", "TmnxServId", "TmnxCustId", "ServiceAdminStatus", "TCIRRate", "TPIRRate", "TmnxEnabledDisabled", "TIngressQueueId", "TmnxEncapVal", "TNamedItemOrEmpty", "TSapIngressPolicyID", "TmnxActionType", "TPolicyStatementNameOrEmpty", "TEgressQueueId", "TNamedItem", "TSapEgressPolicyID", "TPortSchedulerPIR", "TmnxPortID", "TmnxOperState", "TCpmProtPolicyID", "TmnxIgmpVersion", "TItemDescription")
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection")
AtmTrafficDescrParamIndex, = mibBuilder.importSymbols("ATM-TC-MIB", "AtmTrafficDescrParamIndex")
InterfaceIndexOrZero, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndexOrZero")
InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress")
ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance")
NotificationType, ObjectIdentity, Integer32, ModuleIdentity, TimeTicks, Gauge32, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, iso, MibIdentifier, IpAddress, Counter32, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "ObjectIdentity", "Integer32", "ModuleIdentity", "TimeTicks", "Gauge32", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "iso", "MibIdentifier", "IpAddress", "Counter32", "Unsigned32")
TextualConvention, RowStatus, TimeStamp, MacAddress, DisplayString, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "RowStatus", "TimeStamp", "MacAddress", "DisplayString", "TruthValue")
timetraSvcSapMIBModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 6527, 1, 1, 3, 55))
timetraSvcSapMIBModule.setRevisions(('1907-10-01 00:00',))
if mibBuilder.loadTexts: timetraSvcSapMIBModule.setLastUpdated('0710010000Z')
if mibBuilder.loadTexts: timetraSvcSapMIBModule.setOrganization('Alcatel')
tmnxSapObjs = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3))
tmnxSapNotifyObjs = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100))
tmnxSapConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3))
sapTrapsPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3))
sapTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0))
sapNumEntries = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapNumEntries.setStatus('current')
sapBaseInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2), )
if mibBuilder.loadTexts: sapBaseInfoTable.setStatus('current')
sapBaseInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapBaseInfoEntry.setStatus('current')
sapPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 1), TmnxPortID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortId.setStatus('current')
sapEncapValue = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 2), TmnxEncapVal()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEncapValue.setStatus('current')
sapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapRowStatus.setStatus('current')
sapType = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 4), ServType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapType.setStatus('current')
sapDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 5), ServObjDesc()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapDescription.setStatus('current')
sapAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 6), ServiceAdminStatus().clone('down')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapAdminStatus.setStatus('current')
sapOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("ingressQosMismatch", 3), ("egressQosMismatch", 4), ("portMtuTooSmall", 5), ("svcAdminDown", 6), ("iesIfAdminDown", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapOperStatus.setStatus('current')
sapIngressQosPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 8), TSapIngressPolicyID().clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressQosPolicyId.setStatus('current')
sapIngressMacFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 9), TFilterID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressMacFilterId.setStatus('current')
sapIngressIpFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 10), TFilterID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressIpFilterId.setStatus('current')
sapEgressQosPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 11), TSapEgressPolicyID().clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressQosPolicyId.setStatus('current')
sapEgressMacFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 12), TFilterID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressMacFilterId.setStatus('current')
sapEgressIpFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 13), TFilterID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressIpFilterId.setStatus('current')
sapMirrorStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ingress", 1), ("egress", 2), ("ingressAndEgress", 3), ("disabled", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapMirrorStatus.setStatus('current')
sapIesIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 15), InterfaceIndexOrZero()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIesIfIndex.setStatus('current')
sapLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 16), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapLastMgmtChange.setStatus('current')
sapCollectAcctStats = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 17), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapCollectAcctStats.setStatus('current')
sapAccountingPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 18), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapAccountingPolicyId.setStatus('current')
sapVpnId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 19), VpnId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapVpnId.setStatus('current')
sapCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 20), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCustId.setStatus('current')
sapCustMultSvcSite = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 21), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapCustMultSvcSite.setStatus('current')
sapIngressQosSchedulerPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 22), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressQosSchedulerPolicy.setStatus('current')
sapEgressQosSchedulerPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 23), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressQosSchedulerPolicy.setStatus('current')
sapSplitHorizonGrp = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 24), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSplitHorizonGrp.setStatus('current')
sapIngressSharedQueuePolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 25), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressSharedQueuePolicy.setStatus('current')
sapIngressMatchQinQDot1PBits = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("default", 1), ("top", 2), ("bottom", 3))).clone('default')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressMatchQinQDot1PBits.setStatus('current')
sapOperFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 27), Bits().clone(namedValues=NamedValues(("sapAdminDown", 0), ("svcAdminDown", 1), ("iesIfAdminDown", 2), ("portOperDown", 3), ("portMtuTooSmall", 4), ("l2OperDown", 5), ("ingressQosMismatch", 6), ("egressQosMismatch", 7), ("relearnLimitExceeded", 8), ("recProtSrcMac", 9), ("subIfAdminDown", 10), ("sapIpipeNoCeIpAddr", 11), ("sapTodResourceUnavail", 12), ("sapTodMssResourceUnavail", 13), ("sapParamMismatch", 14), ("sapCemNoEcidOrMacAddr", 15), ("sapStandbyForMcRing", 16), ("sapSvcMtuTooSmall", 17), ("ingressNamedPoolMismatch", 18), ("egressNamedPoolMismatch", 19), ("ipMirrorNoMacAddr", 20), ("sapEpipeNoRingNode", 21)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapOperFlags.setStatus('current')
sapLastStatusChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 28), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapLastStatusChange.setStatus('current')
sapAntiSpoofing = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 0), ("sourceIpAddr", 1), ("sourceMacAddr", 2), ("sourceIpAndMacAddr", 3), ("nextHopIpAndMacAddr", 4))).clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapAntiSpoofing.setStatus('current')
sapIngressIpv6FilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 30), TFilterID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressIpv6FilterId.setStatus('current')
sapEgressIpv6FilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 31), TFilterID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressIpv6FilterId.setStatus('current')
sapTodSuite = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 32), TNamedItemOrEmpty().clone(hexValue="")).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapTodSuite.setStatus('current')
sapIngUseMultipointShared = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 33), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngUseMultipointShared.setStatus('current')
sapEgressQinQMarkTopOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 34), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressQinQMarkTopOnly.setStatus('current')
sapEgressAggRateLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 35), TPortSchedulerPIR().clone(-1)).setUnits('kbps').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressAggRateLimit.setStatus('current')
sapEndPoint = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 36), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEndPoint.setStatus('current')
sapIngressVlanTranslation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("vlanId", 2), ("copyOuter", 3))).clone('none')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressVlanTranslation.setStatus('current')
sapIngressVlanTranslationId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 4094), )).clone(-1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngressVlanTranslationId.setStatus('current')
sapSubType = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("regular", 0), ("capture", 1), ("managed", 2))).clone('regular')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubType.setStatus('current')
sapCpmProtPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 40), TCpmProtPolicyID()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapCpmProtPolicyId.setStatus('current')
sapCpmProtMonitorMac = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 41), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapCpmProtMonitorMac.setStatus('current')
sapEgressFrameBasedAccounting = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 42), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgressFrameBasedAccounting.setStatus('current')
sapTlsInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3), )
if mibBuilder.loadTexts: sapTlsInfoTable.setStatus('current')
sapTlsInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTlsInfoEntry.setStatus('current')
sapTlsStpAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 1), TmnxEnabledDisabled().clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpAdminStatus.setStatus('current')
sapTlsStpPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(128)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpPriority.setStatus('current')
sapTlsStpPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpPortNum.setStatus('current')
sapTlsStpPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 200000000)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpPathCost.setStatus('current')
sapTlsStpRapidStart = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 5), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpRapidStart.setStatus('current')
sapTlsStpBpduEncap = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dynamic", 1), ("dot1d", 2), ("pvst", 3))).clone('dynamic')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpBpduEncap.setStatus('current')
sapTlsStpPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 7), TStpPortState()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpPortState.setStatus('current')
sapTlsStpDesignatedBridge = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 8), BridgeId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpDesignatedBridge.setStatus('current')
sapTlsStpDesignatedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpDesignatedPort.setStatus('current')
sapTlsStpForwardTransitions = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 10), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpForwardTransitions.setStatus('current')
sapTlsStpInConfigBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 11), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpInConfigBpdus.setStatus('current')
sapTlsStpInTcnBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 12), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpInTcnBpdus.setStatus('current')
sapTlsStpInBadBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 13), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpInBadBpdus.setStatus('current')
sapTlsStpOutConfigBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 14), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOutConfigBpdus.setStatus('current')
sapTlsStpOutTcnBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 15), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOutTcnBpdus.setStatus('current')
sapTlsStpOperBpduEncap = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dynamic", 1), ("dot1d", 2), ("pvst", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOperBpduEncap.setStatus('current')
sapTlsVpnId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 17), VpnId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsVpnId.setStatus('current')
sapTlsCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 18), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsCustId.setStatus('current')
sapTlsMacAddressLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 196607))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMacAddressLimit.setStatus('current')
sapTlsNumMacAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 20), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsNumMacAddresses.setStatus('current')
sapTlsNumStaticMacAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsNumStaticMacAddresses.setStatus('current')
sapTlsMacLearning = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 22), TmnxEnabledDisabled().clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMacLearning.setStatus('current')
sapTlsMacAgeing = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 23), TmnxEnabledDisabled().clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMacAgeing.setStatus('current')
sapTlsStpOperEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 24), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOperEdge.setStatus('current')
sapTlsStpAdminPointToPoint = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("forceTrue", 0), ("forceFalse", 1))).clone('forceTrue')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpAdminPointToPoint.setStatus('current')
sapTlsStpPortRole = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 26), StpPortRole()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpPortRole.setStatus('current')
sapTlsStpAutoEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 27), TmnxEnabledDisabled().clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpAutoEdge.setStatus('current')
sapTlsStpOperProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 28), StpProtocol()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOperProtocol.setStatus('current')
sapTlsStpInRstBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 29), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpInRstBpdus.setStatus('current')
sapTlsStpOutRstBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 30), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOutRstBpdus.setStatus('current')
sapTlsLimitMacMove = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 31), TlsLimitMacMove().clone('blockable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsLimitMacMove.setStatus('current')
sapTlsDhcpSnooping = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 32), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpSnooping.setStatus('obsolete')
sapTlsMacPinning = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 33), TmnxEnabledDisabled()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMacPinning.setStatus('current')
sapTlsDiscardUnknownSource = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 34), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDiscardUnknownSource.setStatus('current')
sapTlsMvplsPruneState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 35), MvplsPruneState()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMvplsPruneState.setStatus('current')
sapTlsMvplsMgmtService = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 36), TmnxServId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMvplsMgmtService.setStatus('current')
sapTlsMvplsMgmtPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 37), TmnxPortID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMvplsMgmtPortId.setStatus('current')
sapTlsMvplsMgmtEncapValue = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 38), TmnxEncapVal()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMvplsMgmtEncapValue.setStatus('current')
sapTlsArpReplyAgent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2), ("enabledWithSubscrIdent", 3))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsArpReplyAgent.setStatus('current')
sapTlsStpException = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 40), StpExceptionCondition()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpException.setStatus('current')
sapTlsAuthenticationPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 41), TPolicyStatementNameOrEmpty().clone(hexValue="")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsAuthenticationPolicy.setStatus('current')
sapTlsL2ptTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 42), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsL2ptTermination.setStatus('current')
sapTlsBpduTranslation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("auto", 1), ("disabled", 2), ("pvst", 3), ("stp", 4))).clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsBpduTranslation.setStatus('current')
sapTlsStpRootGuard = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 44), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsStpRootGuard.setStatus('current')
sapTlsStpInsideRegion = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 45), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpInsideRegion.setStatus('current')
sapTlsEgressMcastGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 46), TNamedItemOrEmpty()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsEgressMcastGroup.setStatus('current')
sapTlsStpInMstBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 47), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpInMstBpdus.setStatus('current')
sapTlsStpOutMstBpdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 48), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpOutMstBpdus.setStatus('current')
sapTlsRestProtSrcMac = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 49), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsRestProtSrcMac.setStatus('current')
sapTlsRestUnprotDstMac = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 50), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsRestUnprotDstMac.setStatus('current')
sapTlsStpRxdDesigBridge = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 51), BridgeId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpRxdDesigBridge.setStatus('current')
sapTlsStpRootGuardViolation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 52), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsStpRootGuardViolation.setStatus('current')
sapTlsShcvAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("alarm", 1), ("remove", 2))).clone('alarm')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsShcvAction.setStatus('current')
sapTlsShcvSrcIp = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 54), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsShcvSrcIp.setStatus('current')
sapTlsShcvSrcMac = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 55), MacAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsShcvSrcMac.setStatus('current')
sapTlsShcvInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 56), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 6000))).setUnits('minutes').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsShcvInterval.setStatus('current')
sapTlsMvplsMgmtMsti = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 57), MstiInstanceIdOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMvplsMgmtMsti.setStatus('current')
sapTlsMacMoveNextUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 58), Unsigned32()).setUnits('seconds').setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMacMoveNextUpTime.setStatus('current')
sapTlsMacMoveRateExcdLeft = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 59), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMacMoveRateExcdLeft.setStatus('current')
sapTlsRestProtSrcMacAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 60), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("alarm-only", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsRestProtSrcMacAction.setStatus('current')
sapTlsL2ptForceBoundary = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 61), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsL2ptForceBoundary.setStatus('current')
sapTlsLimitMacMoveLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 62), TlsLimitMacMoveLevel().clone('tertiary')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsLimitMacMoveLevel.setStatus('current')
sapTlsBpduTransOper = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 63), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("undefined", 1), ("disabled", 2), ("pvst", 3), ("stp", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsBpduTransOper.setStatus('current')
sapTlsDefMsapPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 64), TPolicyStatementNameOrEmpty()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDefMsapPolicy.setStatus('current')
sapTlsL2ptProtocols = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 65), L2ptProtocols().clone(namedValues=NamedValues(("stp", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsL2ptProtocols.setStatus('current')
sapTlsL2ptForceProtocols = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 66), L2ptProtocols().clone(namedValues=NamedValues(("stp", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsL2ptForceProtocols.setStatus('current')
sapTlsPppoeMsapTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 67), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsPppoeMsapTrigger.setStatus('current')
sapTlsDhcpMsapTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 68), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpMsapTrigger.setStatus('current')
sapTlsMrpJoinTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 69), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(2)).setUnits('deci-seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMrpJoinTime.setStatus('current')
sapTlsMrpLeaveTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 70), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(30, 60)).clone(30)).setUnits('deci-seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMrpLeaveTime.setStatus('current')
sapTlsMrpLeaveAllTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 71), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(60, 300)).clone(100)).setUnits('deci-seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMrpLeaveAllTime.setStatus('current')
sapTlsMrpPeriodicTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 72), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 100)).clone(10)).setUnits('deci-seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMrpPeriodicTime.setStatus('current')
sapTlsMrpPeriodicEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 73), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMrpPeriodicEnabled.setStatus('current')
sapAtmInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4), )
if mibBuilder.loadTexts: sapAtmInfoTable.setStatus('current')
sapAtmInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapAtmInfoEntry.setStatus('current')
sapAtmEncapsulation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 7, 8, 10, 11))).clone(namedValues=NamedValues(("vcMultiplexRoutedProtocol", 1), ("vcMultiplexBridgedProtocol8023", 2), ("llcSnapRoutedProtocol", 7), ("multiprotocolFrameRelaySscs", 8), ("unknown", 10), ("llcSnapBridgedProtocol8023", 11))).clone('llcSnapRoutedProtocol')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapAtmEncapsulation.setStatus('current')
sapAtmIngressTrafficDescIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 2), AtmTrafficDescrParamIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 1000)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapAtmIngressTrafficDescIndex.setStatus('current')
sapAtmEgressTrafficDescIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 3), AtmTrafficDescrParamIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 1000)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapAtmEgressTrafficDescIndex.setStatus('current')
sapAtmOamAlarmCellHandling = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 4), ServiceAdminStatus().clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapAtmOamAlarmCellHandling.setStatus('current')
sapAtmOamTerminate = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 5), ServiceAdminStatus().clone('down')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapAtmOamTerminate.setStatus('current')
sapAtmOamPeriodicLoopback = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 6), ServiceAdminStatus().clone('down')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapAtmOamPeriodicLoopback.setStatus('current')
sapBaseStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6), )
if mibBuilder.loadTexts: sapBaseStatsTable.setStatus('current')
sapBaseStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapBaseStatsEntry.setStatus('current')
sapBaseStatsIngressPchipDroppedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipDroppedPackets.setStatus('current')
sapBaseStatsIngressPchipDroppedOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipDroppedOctets.setStatus('current')
sapBaseStatsIngressPchipOfferedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedHiPrioPackets.setStatus('current')
sapBaseStatsIngressPchipOfferedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedHiPrioOctets.setStatus('current')
sapBaseStatsIngressPchipOfferedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedLoPrioPackets.setStatus('current')
sapBaseStatsIngressPchipOfferedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedLoPrioOctets.setStatus('current')
sapBaseStatsIngressQchipDroppedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedHiPrioPackets.setStatus('current')
sapBaseStatsIngressQchipDroppedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedHiPrioOctets.setStatus('current')
sapBaseStatsIngressQchipDroppedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedLoPrioPackets.setStatus('current')
sapBaseStatsIngressQchipDroppedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedLoPrioOctets.setStatus('current')
sapBaseStatsIngressQchipForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedInProfPackets.setStatus('current')
sapBaseStatsIngressQchipForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedInProfOctets.setStatus('current')
sapBaseStatsIngressQchipForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedOutProfPackets.setStatus('current')
sapBaseStatsIngressQchipForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedOutProfOctets.setStatus('current')
sapBaseStatsEgressQchipDroppedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedInProfPackets.setStatus('current')
sapBaseStatsEgressQchipDroppedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedInProfOctets.setStatus('current')
sapBaseStatsEgressQchipDroppedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedOutProfPackets.setStatus('current')
sapBaseStatsEgressQchipDroppedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedOutProfOctets.setStatus('current')
sapBaseStatsEgressQchipForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 19), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedInProfPackets.setStatus('current')
sapBaseStatsEgressQchipForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 20), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedInProfOctets.setStatus('current')
sapBaseStatsEgressQchipForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 21), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedOutProfPackets.setStatus('current')
sapBaseStatsEgressQchipForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 22), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedOutProfOctets.setStatus('current')
sapBaseStatsCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 23), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsCustId.setStatus('current')
sapBaseStatsIngressPchipOfferedUncoloredPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 24), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedUncoloredPackets.setStatus('current')
sapBaseStatsIngressPchipOfferedUncoloredOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 25), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedUncoloredOctets.setStatus('current')
sapBaseStatsAuthenticationPktsDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 26), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsAuthenticationPktsDiscarded.setStatus('current')
sapBaseStatsAuthenticationPktsSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 27), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsAuthenticationPktsSuccess.setStatus('current')
sapBaseStatsLastClearedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 28), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapBaseStatsLastClearedTime.setStatus('current')
sapIngQosQueueStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7), )
if mibBuilder.loadTexts: sapIngQosQueueStatsTable.setStatus('current')
sapIngQosQueueStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueId"))
if mibBuilder.loadTexts: sapIngQosQueueStatsEntry.setStatus('current')
sapIngQosQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 1), TSapIngQueueId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueId.setStatus('current')
sapIngQosQueueStatsOfferedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedHiPrioPackets.setStatus('current')
sapIngQosQueueStatsDroppedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedHiPrioPackets.setStatus('current')
sapIngQosQueueStatsOfferedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedLoPrioPackets.setStatus('current')
sapIngQosQueueStatsDroppedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedLoPrioPackets.setStatus('current')
sapIngQosQueueStatsOfferedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedHiPrioOctets.setStatus('current')
sapIngQosQueueStatsDroppedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedHiPrioOctets.setStatus('current')
sapIngQosQueueStatsOfferedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedLoPrioOctets.setStatus('current')
sapIngQosQueueStatsDroppedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedLoPrioOctets.setStatus('current')
sapIngQosQueueStatsForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedInProfPackets.setStatus('current')
sapIngQosQueueStatsForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedOutProfPackets.setStatus('current')
sapIngQosQueueStatsForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedInProfOctets.setStatus('current')
sapIngQosQueueStatsForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedOutProfOctets.setStatus('current')
sapIngQosCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 14), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosCustId.setStatus('current')
sapIngQosQueueStatsUncoloredPacketsOffered = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsUncoloredPacketsOffered.setStatus('current')
sapIngQosQueueStatsUncoloredOctetsOffered = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQueueStatsUncoloredOctetsOffered.setStatus('current')
sapEgrQosQueueStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8), )
if mibBuilder.loadTexts: sapEgrQosQueueStatsTable.setStatus('current')
sapEgrQosQueueStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueId"))
if mibBuilder.loadTexts: sapEgrQosQueueStatsEntry.setStatus('current')
sapEgrQosQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 1), TSapEgrQueueId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueId.setStatus('current')
sapEgrQosQueueStatsForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedInProfPackets.setStatus('current')
sapEgrQosQueueStatsDroppedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedInProfPackets.setStatus('current')
sapEgrQosQueueStatsForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedOutProfPackets.setStatus('current')
sapEgrQosQueueStatsDroppedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedOutProfPackets.setStatus('current')
sapEgrQosQueueStatsForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedInProfOctets.setStatus('current')
sapEgrQosQueueStatsDroppedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedInProfOctets.setStatus('current')
sapEgrQosQueueStatsForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedOutProfOctets.setStatus('current')
sapEgrQosQueueStatsDroppedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedOutProfOctets.setStatus('current')
sapEgrQosCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 10), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosCustId.setStatus('current')
sapIngQosSchedStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9), )
if mibBuilder.loadTexts: sapIngQosSchedStatsTable.setStatus('current')
sapIngQosSchedStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (1, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSchedName"))
if mibBuilder.loadTexts: sapIngQosSchedStatsEntry.setStatus('current')
sapIngQosSchedName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 1), TNamedItem())
if mibBuilder.loadTexts: sapIngQosSchedName.setStatus('current')
sapIngQosSchedStatsForwardedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosSchedStatsForwardedPackets.setStatus('current')
sapIngQosSchedStatsForwardedOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosSchedStatsForwardedOctets.setStatus('current')
sapIngQosSchedCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 4), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosSchedCustId.setStatus('current')
sapEgrQosSchedStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10), )
if mibBuilder.loadTexts: sapEgrQosSchedStatsTable.setStatus('current')
sapEgrQosSchedStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (1, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSchedName"))
if mibBuilder.loadTexts: sapEgrQosSchedStatsEntry.setStatus('current')
sapEgrQosSchedName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 1), TNamedItem())
if mibBuilder.loadTexts: sapEgrQosSchedName.setStatus('current')
sapEgrQosSchedStatsForwardedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosSchedStatsForwardedPackets.setStatus('current')
sapEgrQosSchedStatsForwardedOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosSchedStatsForwardedOctets.setStatus('current')
sapEgrQosSchedCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 4), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosSchedCustId.setStatus('current')
sapTlsManagedVlanListTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11), )
if mibBuilder.loadTexts: sapTlsManagedVlanListTable.setStatus('current')
sapTlsManagedVlanListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsMinVlanTag"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsMaxVlanTag"))
if mibBuilder.loadTexts: sapTlsManagedVlanListEntry.setStatus('current')
sapTlsMvplsMinVlanTag = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095)))
if mibBuilder.loadTexts: sapTlsMvplsMinVlanTag.setStatus('current')
sapTlsMvplsMaxVlanTag = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095)))
if mibBuilder.loadTexts: sapTlsMvplsMaxVlanTag.setStatus('current')
sapTlsMvplsRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapTlsMvplsRowStatus.setStatus('current')
sapAntiSpoofTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12), )
if mibBuilder.loadTexts: sapAntiSpoofTable.setStatus('current')
sapAntiSpoofEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAntiSpoofIpAddress"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAntiSpoofMacAddress"))
if mibBuilder.loadTexts: sapAntiSpoofEntry.setStatus('current')
sapAntiSpoofIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapAntiSpoofIpAddress.setStatus('current')
sapAntiSpoofMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12, 1, 2), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapAntiSpoofMacAddress.setStatus('current')
sapStaticHostTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13), )
if mibBuilder.loadTexts: sapStaticHostTable.setStatus('current')
sapStaticHostEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostIpAddress"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostMacAddress"))
if mibBuilder.loadTexts: sapStaticHostEntry.setStatus('current')
sapStaticHostRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 1), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostRowStatus.setStatus('current')
sapStaticHostIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 2), IpAddress())
if mibBuilder.loadTexts: sapStaticHostIpAddress.setStatus('current')
sapStaticHostMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 3), MacAddress())
if mibBuilder.loadTexts: sapStaticHostMacAddress.setStatus('current')
sapStaticHostSubscrIdent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostSubscrIdent.setStatus('current')
sapStaticHostSubProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 5), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostSubProfile.setStatus('current')
sapStaticHostSlaProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 6), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostSlaProfile.setStatus('current')
sapStaticHostShcvOperState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 1), ("undefined", 2), ("down", 3), ("up", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostShcvOperState.setStatus('current')
sapStaticHostShcvChecks = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 8), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostShcvChecks.setStatus('current')
sapStaticHostShcvReplies = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 9), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostShcvReplies.setStatus('current')
sapStaticHostShcvReplyTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 10), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostShcvReplyTime.setStatus('current')
sapStaticHostDynMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 11), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostDynMacAddress.setStatus('current')
sapStaticHostRetailerSvcId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 12), TmnxServId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostRetailerSvcId.setStatus('current')
sapStaticHostRetailerIf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 13), InterfaceIndexOrZero()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostRetailerIf.setStatus('current')
sapStaticHostFwdingState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 14), TmnxOperState()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapStaticHostFwdingState.setStatus('current')
sapStaticHostAncpString = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostAncpString.setStatus('current')
sapStaticHostSubIdIsSapId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 16), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostSubIdIsSapId.setStatus('current')
sapStaticHostAppProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 17), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostAppProfile.setStatus('current')
sapStaticHostIntermediateDestId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapStaticHostIntermediateDestId.setStatus('current')
sapTlsDhcpInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14), )
if mibBuilder.loadTexts: sapTlsDhcpInfoTable.setStatus('current')
sapTlsDhcpInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTlsDhcpInfoEntry.setStatus('current')
sapTlsDhcpAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 1), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpAdminState.setStatus('current')
sapTlsDhcpDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 2), ServObjDesc().clone(hexValue="")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpDescription.setStatus('current')
sapTlsDhcpSnoop = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 3), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpSnoop.setStatus('current')
sapTlsDhcpLeasePopulate = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 8000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpLeasePopulate.setStatus('current')
sapTlsDhcpOperLeasePopulate = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 8000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpOperLeasePopulate.setStatus('current')
sapTlsDhcpInfoAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("replace", 1), ("drop", 2), ("keep", 3))).clone('keep')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpInfoAction.setStatus('current')
sapTlsDhcpCircuitId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("asciiTuple", 1), ("vlanAsciiTuple", 2))).clone('asciiTuple')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpCircuitId.setStatus('current')
sapTlsDhcpRemoteId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("mac", 2), ("remote-id", 3))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpRemoteId.setStatus('current')
sapTlsDhcpRemoteIdString = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpRemoteIdString.setStatus('current')
sapTlsDhcpProxyAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 10), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpProxyAdminState.setStatus('current')
sapTlsDhcpProxyServerAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 11), IpAddress().clone(hexValue="00000000")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpProxyServerAddr.setStatus('current')
sapTlsDhcpProxyLeaseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 12), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(300, 315446399), ))).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpProxyLeaseTime.setStatus('current')
sapTlsDhcpProxyLTRadiusOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 13), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpProxyLTRadiusOverride.setStatus('current')
sapTlsDhcpVendorIncludeOptions = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 14), Bits().clone(namedValues=NamedValues(("systemId", 0), ("clientMac", 1), ("serviceId", 2), ("sapId", 3))).clone(namedValues=NamedValues(("systemId", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpVendorIncludeOptions.setStatus('current')
sapTlsDhcpVendorOptionString = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsDhcpVendorOptionString.setStatus('current')
sapTlsDhcpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15), )
if mibBuilder.loadTexts: sapTlsDhcpStatsTable.setStatus('current')
sapTlsDhcpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTlsDhcpStatsEntry.setStatus('current')
sapTlsDhcpStatsClntSnoopdPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsClntSnoopdPckts.setStatus('current')
sapTlsDhcpStatsSrvrSnoopdPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsSrvrSnoopdPckts.setStatus('current')
sapTlsDhcpStatsClntForwdPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsClntForwdPckts.setStatus('current')
sapTlsDhcpStatsSrvrForwdPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsSrvrForwdPckts.setStatus('current')
sapTlsDhcpStatsClntDropdPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsClntDropdPckts.setStatus('current')
sapTlsDhcpStatsSrvrDropdPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsSrvrDropdPckts.setStatus('current')
sapTlsDhcpStatsClntProxRadPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsClntProxRadPckts.setStatus('current')
sapTlsDhcpStatsClntProxLSPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsClntProxLSPckts.setStatus('current')
sapTlsDhcpStatsGenReleasePckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsGenReleasePckts.setStatus('current')
sapTlsDhcpStatsGenForceRenPckts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpStatsGenForceRenPckts.setStatus('current')
sapTlsDhcpLeaseStateTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16), )
if mibBuilder.loadTexts: sapTlsDhcpLeaseStateTable.setStatus('obsolete')
sapTlsDhcpLeaseStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpLseStateCiAddr"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpLseStateChAddr"))
if mibBuilder.loadTexts: sapTlsDhcpLeaseStateEntry.setStatus('obsolete')
sapTlsDhcpLseStateCiAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 1), IpAddress())
if mibBuilder.loadTexts: sapTlsDhcpLseStateCiAddr.setStatus('obsolete')
sapTlsDhcpLseStateChAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 2), MacAddress())
if mibBuilder.loadTexts: sapTlsDhcpLseStateChAddr.setStatus('obsolete')
sapTlsDhcpLseStateRemainLseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 3), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpLseStateRemainLseTime.setStatus('obsolete')
sapTlsDhcpLseStateOption82 = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpLseStateOption82.setStatus('obsolete')
sapTlsDhcpLseStatePersistKey = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 5), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsDhcpLseStatePersistKey.setStatus('obsolete')
sapPortIdIngQosSchedStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17), )
if mibBuilder.loadTexts: sapPortIdIngQosSchedStatsTable.setStatus('current')
sapPortIdIngQosSchedStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdIngQosSchedName"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdIngPortId"))
if mibBuilder.loadTexts: sapPortIdIngQosSchedStatsEntry.setStatus('current')
sapPortIdIngQosSchedName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 1), TNamedItem())
if mibBuilder.loadTexts: sapPortIdIngQosSchedName.setStatus('current')
sapPortIdIngPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 2), TmnxPortID())
if mibBuilder.loadTexts: sapPortIdIngPortId.setStatus('current')
sapPortIdIngQosSchedFwdPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortIdIngQosSchedFwdPkts.setStatus('current')
sapPortIdIngQosSchedFwdOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortIdIngQosSchedFwdOctets.setStatus('current')
sapPortIdIngQosSchedCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 5), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortIdIngQosSchedCustId.setStatus('current')
sapPortIdEgrQosSchedStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18), )
if mibBuilder.loadTexts: sapPortIdEgrQosSchedStatsTable.setStatus('current')
sapPortIdEgrQosSchedStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdEgrQosSchedName"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdEgrPortId"))
if mibBuilder.loadTexts: sapPortIdEgrQosSchedStatsEntry.setStatus('current')
sapPortIdEgrQosSchedName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 1), TNamedItem())
if mibBuilder.loadTexts: sapPortIdEgrQosSchedName.setStatus('current')
sapPortIdEgrPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 2), TmnxPortID())
if mibBuilder.loadTexts: sapPortIdEgrPortId.setStatus('current')
sapPortIdEgrQosSchedFwdPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortIdEgrQosSchedFwdPkts.setStatus('current')
sapPortIdEgrQosSchedFwdOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortIdEgrQosSchedFwdOctets.setStatus('current')
sapPortIdEgrQosSchedCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 5), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapPortIdEgrQosSchedCustId.setStatus('current')
sapIngQosQueueInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19), )
if mibBuilder.loadTexts: sapIngQosQueueInfoTable.setStatus('current')
sapIngQosQueueInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQId"))
if mibBuilder.loadTexts: sapIngQosQueueInfoEntry.setStatus('current')
sapIngQosQId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 1), TIngressQueueId())
if mibBuilder.loadTexts: sapIngQosQId.setStatus('current')
sapIngQosQRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQRowStatus.setStatus('current')
sapIngQosQLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosQLastMgmtChange.setStatus('current')
sapIngQosQOverrideFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 4), TQosQueueAttribute()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQOverrideFlags.setStatus('current')
sapIngQosQCBS = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 5), TBurstSize().clone(-1)).setUnits('kilo bytes').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQCBS.setStatus('current')
sapIngQosQMBS = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 6), TBurstSize().clone(-1)).setUnits('kilo bytes').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQMBS.setStatus('current')
sapIngQosQHiPrioOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 7), TBurstPercentOrDefault().clone(-1)).setUnits('percent').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQHiPrioOnly.setStatus('current')
sapIngQosQCIRAdaptation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 8), TAdaptationRule().clone('closest')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQCIRAdaptation.setStatus('current')
sapIngQosQPIRAdaptation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 9), TAdaptationRule().clone('closest')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQPIRAdaptation.setStatus('current')
sapIngQosQAdminPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 10), TPIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQAdminPIR.setStatus('current')
sapIngQosQAdminCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 11), TCIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosQAdminCIR.setStatus('current')
sapEgrQosQueueInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20), )
if mibBuilder.loadTexts: sapEgrQosQueueInfoTable.setStatus('current')
sapEgrQosQueueInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQId"))
if mibBuilder.loadTexts: sapEgrQosQueueInfoEntry.setStatus('current')
sapEgrQosQId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 1), TEgressQueueId())
if mibBuilder.loadTexts: sapEgrQosQId.setStatus('current')
sapEgrQosQRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQRowStatus.setStatus('current')
sapEgrQosQLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosQLastMgmtChange.setStatus('current')
sapEgrQosQOverrideFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 4), TQosQueueAttribute()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQOverrideFlags.setStatus('current')
sapEgrQosQCBS = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 5), TBurstSize().clone(-1)).setUnits('kilo bytes').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQCBS.setStatus('current')
sapEgrQosQMBS = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 6), TBurstSize().clone(-1)).setUnits('kilo bytes').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQMBS.setStatus('current')
sapEgrQosQHiPrioOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 7), TBurstPercentOrDefault().clone(-1)).setUnits('percent').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQHiPrioOnly.setStatus('current')
sapEgrQosQCIRAdaptation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 8), TAdaptationRule().clone('closest')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQCIRAdaptation.setStatus('current')
sapEgrQosQPIRAdaptation = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 9), TAdaptationRule().clone('closest')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQPIRAdaptation.setStatus('current')
sapEgrQosQAdminPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 10), TPIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQAdminPIR.setStatus('current')
sapEgrQosQAdminCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 11), TCIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQAdminCIR.setStatus('current')
sapEgrQosQAvgOverhead = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosQAvgOverhead.setStatus('current')
sapIngQosSchedInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21), )
if mibBuilder.loadTexts: sapIngQosSchedInfoTable.setStatus('current')
sapIngQosSchedInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (1, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSName"))
if mibBuilder.loadTexts: sapIngQosSchedInfoEntry.setStatus('current')
sapIngQosSName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 1), TNamedItem())
if mibBuilder.loadTexts: sapIngQosSName.setStatus('current')
sapIngQosSRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosSRowStatus.setStatus('current')
sapIngQosSLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngQosSLastMgmtChange.setStatus('current')
sapIngQosSOverrideFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 4), TVirtSchedAttribute()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosSOverrideFlags.setStatus('current')
sapIngQosSPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 5), TPIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosSPIR.setStatus('current')
sapIngQosSCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 6), TCIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosSCIR.setStatus('current')
sapIngQosSSummedCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 7), TruthValue().clone('true')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapIngQosSSummedCIR.setStatus('current')
sapEgrQosSchedInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22), )
if mibBuilder.loadTexts: sapEgrQosSchedInfoTable.setStatus('current')
sapEgrQosSchedInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (1, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSName"))
if mibBuilder.loadTexts: sapEgrQosSchedInfoEntry.setStatus('current')
sapEgrQosSName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 1), TNamedItem())
if mibBuilder.loadTexts: sapEgrQosSName.setStatus('current')
sapEgrQosSRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosSRowStatus.setStatus('current')
sapEgrQosSLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrQosSLastMgmtChange.setStatus('current')
sapEgrQosSOverrideFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 4), TVirtSchedAttribute()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosSOverrideFlags.setStatus('current')
sapEgrQosSPIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 5), TPIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosSPIR.setStatus('current')
sapEgrQosSCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 6), TCIRRate().clone(-1)).setUnits('kilo bits per second').setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosSCIR.setStatus('current')
sapEgrQosSSummedCIR = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 7), TruthValue().clone('true')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEgrQosSSummedCIR.setStatus('current')
sapSubMgmtInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23), )
if mibBuilder.loadTexts: sapSubMgmtInfoTable.setStatus('current')
sapSubMgmtInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapSubMgmtInfoEntry.setStatus('current')
sapSubMgmtAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 1), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtAdminStatus.setStatus('current')
sapSubMgmtDefSubProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 2), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtDefSubProfile.setStatus('current')
sapSubMgmtDefSlaProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 3), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtDefSlaProfile.setStatus('current')
sapSubMgmtSubIdentPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 4), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtSubIdentPolicy.setStatus('current')
sapSubMgmtSubscriberLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 8000)).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtSubscriberLimit.setStatus('current')
sapSubMgmtProfiledTrafficOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 6), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtProfiledTrafficOnly.setStatus('current')
sapSubMgmtNonSubTrafficSubIdent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficSubIdent.setStatus('current')
sapSubMgmtNonSubTrafficSubProf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 8), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficSubProf.setStatus('current')
sapSubMgmtNonSubTrafficSlaProf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 9), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficSlaProf.setStatus('current')
sapSubMgmtMacDaHashing = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 10), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtMacDaHashing.setStatus('current')
sapSubMgmtDefSubIdent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("useSapId", 1), ("useString", 2))).clone('useString')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtDefSubIdent.setStatus('current')
sapSubMgmtDefSubIdentString = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtDefSubIdentString.setStatus('current')
sapSubMgmtDefAppProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 13), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtDefAppProfile.setStatus('current')
sapSubMgmtNonSubTrafficAppProf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 14), ServObjName()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficAppProf.setStatus('current')
sapTlsMstiTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24), )
if mibBuilder.loadTexts: sapTlsMstiTable.setStatus('current')
sapTlsMstiEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsMstiInstanceId"))
if mibBuilder.loadTexts: sapTlsMstiEntry.setStatus('current')
sapTlsMstiPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(128)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMstiPriority.setStatus('current')
sapTlsMstiPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 200000000)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapTlsMstiPathCost.setStatus('current')
sapTlsMstiLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMstiLastMgmtChange.setStatus('current')
sapTlsMstiPortRole = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 4), StpPortRole()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMstiPortRole.setStatus('current')
sapTlsMstiPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 5), TStpPortState()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMstiPortState.setStatus('current')
sapTlsMstiDesignatedBridge = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 6), BridgeId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMstiDesignatedBridge.setStatus('current')
sapTlsMstiDesignatedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMstiDesignatedPort.setStatus('current')
sapIpipeInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25), )
if mibBuilder.loadTexts: sapIpipeInfoTable.setStatus('current')
sapIpipeInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapIpipeInfoEntry.setStatus('current')
sapIpipeCeInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 1), InetAddressType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapIpipeCeInetAddressType.setStatus('current')
sapIpipeCeInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 2), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(4, 4), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapIpipeCeInetAddress.setStatus('current')
sapIpipeMacRefreshInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535)).clone(14400)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapIpipeMacRefreshInterval.setStatus('current')
sapIpipeMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 4), MacAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapIpipeMacAddress.setStatus('current')
sapIpipeArpedMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 5), MacAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIpipeArpedMacAddress.setStatus('current')
sapIpipeArpedMacAddressTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIpipeArpedMacAddressTimeout.setStatus('current')
sapTodMonitorTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26), )
if mibBuilder.loadTexts: sapTodMonitorTable.setStatus('current')
sapTodMonitorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTodMonitorEntry.setStatus('current')
sapCurrentIngressIpFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 1), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentIngressIpFilterId.setStatus('current')
sapCurrentIngressIpv6FilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 2), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentIngressIpv6FilterId.setStatus('current')
sapCurrentIngressMacFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 3), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentIngressMacFilterId.setStatus('current')
sapCurrentIngressQosPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 4), TSapIngressPolicyID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentIngressQosPolicyId.setStatus('current')
sapCurrentIngressQosSchedPlcy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 5), ServObjName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentIngressQosSchedPlcy.setStatus('current')
sapCurrentEgressIpFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 6), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentEgressIpFilterId.setStatus('current')
sapCurrentEgressIpv6FilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 7), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentEgressIpv6FilterId.setStatus('current')
sapCurrentEgressMacFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 8), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentEgressMacFilterId.setStatus('current')
sapCurrentEgressQosPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 9), TSapEgressPolicyID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentEgressQosPolicyId.setStatus('current')
sapCurrentEgressQosSchedPlcy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 10), ServObjName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCurrentEgressQosSchedPlcy.setStatus('current')
sapIntendedIngressIpFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 11), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedIngressIpFilterId.setStatus('current')
sapIntendedIngressIpv6FilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 12), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedIngressIpv6FilterId.setStatus('current')
sapIntendedIngressMacFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 13), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedIngressMacFilterId.setStatus('current')
sapIntendedIngressQosPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 14), TSapIngressPolicyID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedIngressQosPolicyId.setStatus('current')
sapIntendedIngressQosSchedPlcy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 15), ServObjName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedIngressQosSchedPlcy.setStatus('current')
sapIntendedEgressIpFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 16), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedEgressIpFilterId.setStatus('current')
sapIntendedEgressIpv6FilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 17), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedEgressIpv6FilterId.setStatus('current')
sapIntendedEgressMacFilterId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 18), TFilterID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedEgressMacFilterId.setStatus('current')
sapIntendedEgressQosPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 19), TSapEgressPolicyID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedEgressQosPolicyId.setStatus('current')
sapIntendedEgressQosSchedPlcy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 20), ServObjName()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIntendedEgressQosSchedPlcy.setStatus('current')
sapIngrQosPlcyStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27), )
if mibBuilder.loadTexts: sapIngrQosPlcyStatsTable.setStatus('current')
sapIngrQosPlcyStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyId"))
if mibBuilder.loadTexts: sapIngrQosPlcyStatsEntry.setStatus('current')
sapIgQosPlcyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 1), TSapIngressPolicyID())
if mibBuilder.loadTexts: sapIgQosPlcyId.setStatus('current')
sapIgQosPlcyDroppedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyDroppedHiPrioPackets.setStatus('current')
sapIgQosPlcyDroppedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyDroppedHiPrioOctets.setStatus('current')
sapIgQosPlcyDroppedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyDroppedLoPrioPackets.setStatus('current')
sapIgQosPlcyDroppedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyDroppedLoPrioOctets.setStatus('current')
sapIgQosPlcyForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyForwardedInProfPackets.setStatus('current')
sapIgQosPlcyForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyForwardedInProfOctets.setStatus('current')
sapIgQosPlcyForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyForwardedOutProfPackets.setStatus('current')
sapIgQosPlcyForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyForwardedOutProfOctets.setStatus('current')
sapEgrQosPlcyStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28), )
if mibBuilder.loadTexts: sapEgrQosPlcyStatsTable.setStatus('current')
sapEgrQosPlcyStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyId"))
if mibBuilder.loadTexts: sapEgrQosPlcyStatsEntry.setStatus('current')
sapEgQosPlcyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 1), TSapEgressPolicyID())
if mibBuilder.loadTexts: sapEgQosPlcyId.setStatus('current')
sapEgQosPlcyDroppedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyDroppedInProfPackets.setStatus('current')
sapEgQosPlcyDroppedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyDroppedInProfOctets.setStatus('current')
sapEgQosPlcyDroppedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyDroppedOutProfPackets.setStatus('current')
sapEgQosPlcyDroppedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyDroppedOutProfOctets.setStatus('current')
sapEgQosPlcyForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyForwardedInProfPackets.setStatus('current')
sapEgQosPlcyForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyForwardedInProfOctets.setStatus('current')
sapEgQosPlcyForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyForwardedOutProfPackets.setStatus('current')
sapEgQosPlcyForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyForwardedOutProfOctets.setStatus('current')
sapIngQosPlcyQueueStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29), )
if mibBuilder.loadTexts: sapIngQosPlcyQueueStatsTable.setStatus('current')
sapIngQosPlcyQueueStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueuePlcyId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueId"))
if mibBuilder.loadTexts: sapIngQosPlcyQueueStatsEntry.setStatus('current')
sapIgQosPlcyQueuePlcyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 1), TSapIngressPolicyID())
if mibBuilder.loadTexts: sapIgQosPlcyQueuePlcyId.setStatus('current')
sapIgQosPlcyQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 2), TSapIngQueueId())
if mibBuilder.loadTexts: sapIgQosPlcyQueueId.setStatus('current')
sapIgQosPlcyQueueStatsOfferedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedHiPrioPackets.setStatus('current')
sapIgQosPlcyQueueStatsDroppedHiPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedHiPrioPackets.setStatus('current')
sapIgQosPlcyQueueStatsOfferedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedLoPrioPackets.setStatus('current')
sapIgQosPlcyQueueStatsDroppedLoPrioPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedLoPrioPackets.setStatus('current')
sapIgQosPlcyQueueStatsOfferedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedHiPrioOctets.setStatus('current')
sapIgQosPlcyQueueStatsDroppedHiPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedHiPrioOctets.setStatus('current')
sapIgQosPlcyQueueStatsOfferedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedLoPrioOctets.setStatus('current')
sapIgQosPlcyQueueStatsDroppedLoPrioOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedLoPrioOctets.setStatus('current')
sapIgQosPlcyQueueStatsForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedInProfPackets.setStatus('current')
sapIgQosPlcyQueueStatsForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedOutProfPackets.setStatus('current')
sapIgQosPlcyQueueStatsForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedInProfOctets.setStatus('current')
sapIgQosPlcyQueueStatsForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedOutProfOctets.setStatus('current')
sapIgQosPlcyQueueCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 15), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueCustId.setStatus('current')
sapIgQosPlcyQueueStatsUncoloredPacketsOffered = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsUncoloredPacketsOffered.setStatus('current')
sapIgQosPlcyQueueStatsUncoloredOctetsOffered = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsUncoloredOctetsOffered.setStatus('current')
sapEgrQosPlcyQueueStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30), )
if mibBuilder.loadTexts: sapEgrQosPlcyQueueStatsTable.setStatus('current')
sapEgrQosPlcyQueueStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueuePlcyId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueId"))
if mibBuilder.loadTexts: sapEgrQosPlcyQueueStatsEntry.setStatus('current')
sapEgQosPlcyQueuePlcyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 1), TSapEgressPolicyID())
if mibBuilder.loadTexts: sapEgQosPlcyQueuePlcyId.setStatus('current')
sapEgQosPlcyQueueId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 2), TSapEgrQueueId())
if mibBuilder.loadTexts: sapEgQosPlcyQueueId.setStatus('current')
sapEgQosPlcyQueueStatsForwardedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedInProfPackets.setStatus('current')
sapEgQosPlcyQueueStatsDroppedInProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedInProfPackets.setStatus('current')
sapEgQosPlcyQueueStatsForwardedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedOutProfPackets.setStatus('current')
sapEgQosPlcyQueueStatsDroppedOutProfPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedOutProfPackets.setStatus('current')
sapEgQosPlcyQueueStatsForwardedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedInProfOctets.setStatus('current')
sapEgQosPlcyQueueStatsDroppedInProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedInProfOctets.setStatus('current')
sapEgQosPlcyQueueStatsForwardedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedOutProfOctets.setStatus('current')
sapEgQosPlcyQueueStatsDroppedOutProfOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedOutProfOctets.setStatus('current')
sapEgQosPlcyQueueCustId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 11), TmnxCustId()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgQosPlcyQueueCustId.setStatus('current')
sapDhcpInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 31), )
if mibBuilder.loadTexts: sapDhcpInfoTable.setStatus('current')
sapDhcpInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 31, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapDhcpInfoEntry.setStatus('current')
sapDhcpOperLeasePopulate = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 31, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapDhcpOperLeasePopulate.setStatus('current')
sapIngSchedPlcyStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32), )
if mibBuilder.loadTexts: sapIngSchedPlcyStatsTable.setStatus('current')
sapIngSchedPlcyStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-QOS-MIB", "tSchedulerPolicyName"), (1, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSchedName"))
if mibBuilder.loadTexts: sapIngSchedPlcyStatsEntry.setStatus('current')
sapIngSchedPlcyStatsFwdPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngSchedPlcyStatsFwdPkt.setStatus('current')
sapIngSchedPlcyStatsFwdOct = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngSchedPlcyStatsFwdOct.setStatus('current')
sapEgrSchedPlcyStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33), )
if mibBuilder.loadTexts: sapEgrSchedPlcyStatsTable.setStatus('current')
sapEgrSchedPlcyStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-QOS-MIB", "tSchedulerPolicyName"), (1, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSchedName"))
if mibBuilder.loadTexts: sapEgrSchedPlcyStatsEntry.setStatus('current')
sapEgrSchedPlcyStatsFwdPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrSchedPlcyStatsFwdPkt.setStatus('current')
sapEgrSchedPlcyStatsFwdOct = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrSchedPlcyStatsFwdOct.setStatus('current')
sapIngSchedPlcyPortStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34), )
if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsTable.setStatus('current')
sapIngSchedPlcyPortStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-QOS-MIB", "tSchedulerPolicyName"), (0, "ALCATEL-IND1-TIMETRA-QOS-MIB", "tVirtualSchedulerName"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdIngPortId"))
if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsEntry.setStatus('current')
sapIngSchedPlcyPortStatsPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1, 1), TmnxPortID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsPort.setStatus('current')
sapIngSchedPlcyPortStatsFwdPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsFwdPkt.setStatus('current')
sapIngSchedPlcyPortStatsFwdOct = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsFwdOct.setStatus('current')
sapEgrSchedPlcyPortStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35), )
if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsTable.setStatus('current')
sapEgrSchedPlcyPortStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-QOS-MIB", "tSchedulerPolicyName"), (0, "ALCATEL-IND1-TIMETRA-QOS-MIB", "tVirtualSchedulerName"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdEgrPortId"))
if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsEntry.setStatus('current')
sapEgrSchedPlcyPortStatsPort = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1, 1), TmnxPortID()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsPort.setStatus('current')
sapEgrSchedPlcyPortStatsFwdPkt = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsFwdPkt.setStatus('current')
sapEgrSchedPlcyPortStatsFwdOct = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsFwdOct.setStatus('current')
sapCemInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40), )
if mibBuilder.loadTexts: sapCemInfoTable.setStatus('current')
sapCemInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapCemInfoEntry.setStatus('current')
sapCemLastMgmtChange = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 1), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemLastMgmtChange.setStatus('current')
sapCemEndpointType = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("unstructuredE1", 1), ("unstructuredT1", 2), ("unstructuredE3", 3), ("unstructuredT3", 4), ("nxDS0", 5), ("nxDS0WithCas", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemEndpointType.setStatus('current')
sapCemBitrate = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 699))).setUnits('64 Kbits/s').setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemBitrate.setStatus('current')
sapCemCasTrunkFraming = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 4), TdmOptionsCasTrunkFraming()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemCasTrunkFraming.setStatus('current')
sapCemPayloadSize = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 5), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(16, 2048), ))).setUnits('bytes').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemPayloadSize.setStatus('current')
sapCemJitterBuffer = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 6), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 250), ))).setUnits('milliseconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemJitterBuffer.setStatus('current')
sapCemUseRtpHeader = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 7), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemUseRtpHeader.setStatus('current')
sapCemDifferential = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 8), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemDifferential.setStatus('current')
sapCemTimestampFreq = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 9), Unsigned32()).setUnits('8 KHz').setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemTimestampFreq.setStatus('current')
sapCemReportAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 10), CemSapReportAlarm().clone(namedValues=NamedValues(("strayPkts", 1), ("malformedPkts", 2), ("pktLoss", 3), ("bfrOverrun", 4), ("bfrUnderrun", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemReportAlarm.setStatus('current')
sapCemReportAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 11), CemSapReportAlarm()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemReportAlarmStatus.setStatus('current')
sapCemLocalEcid = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 12), CemSapEcid()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemLocalEcid.setStatus('current')
sapCemRemoteMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 13), MacAddress().clone(hexValue="000000000000")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemRemoteMacAddr.setStatus('current')
sapCemRemoteEcid = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 14), CemSapEcid()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sapCemRemoteEcid.setStatus('current')
sapCemStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41), )
if mibBuilder.loadTexts: sapCemStatsTable.setStatus('current')
sapCemStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapCemStatsEntry.setStatus('current')
sapCemStatsIngressForwardedPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsIngressForwardedPkts.setStatus('current')
sapCemStatsIngressDroppedPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsIngressDroppedPkts.setStatus('current')
sapCemStatsEgressForwardedPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressForwardedPkts.setStatus('current')
sapCemStatsEgressDroppedPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressDroppedPkts.setStatus('current')
sapCemStatsEgressMissingPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressMissingPkts.setStatus('current')
sapCemStatsEgressPktsReOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressPktsReOrder.setStatus('current')
sapCemStatsEgressJtrBfrUnderruns = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressJtrBfrUnderruns.setStatus('current')
sapCemStatsEgressJtrBfrOverruns = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressJtrBfrOverruns.setStatus('current')
sapCemStatsEgressMisOrderDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressMisOrderDropped.setStatus('current')
sapCemStatsEgressMalformedPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressMalformedPkts.setStatus('current')
sapCemStatsEgressLBitDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressLBitDropped.setStatus('current')
sapCemStatsEgressMultipleDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressMultipleDropped.setStatus('current')
sapCemStatsEgressESs = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressESs.setStatus('current')
sapCemStatsEgressSESs = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressSESs.setStatus('current')
sapCemStatsEgressUASs = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressUASs.setStatus('current')
sapCemStatsEgressFailureCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressFailureCounts.setStatus('current')
sapCemStatsEgressUnderrunCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressUnderrunCounts.setStatus('current')
sapCemStatsEgressOverrunCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapCemStatsEgressOverrunCounts.setStatus('current')
sapTlsL2ptStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42), )
if mibBuilder.loadTexts: sapTlsL2ptStatsTable.setStatus('current')
sapTlsL2ptStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTlsL2ptStatsEntry.setStatus('current')
sapTlsL2ptStatsLastClearedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 1), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsLastClearedTime.setStatus('current')
sapTlsL2ptStatsL2ptEncapStpConfigBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpConfigBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapStpConfigBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpConfigBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapStpRstBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpRstBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapStpRstBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpRstBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapStpTcnBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpTcnBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapStpTcnBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpTcnBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPvstConfigBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstConfigBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPvstConfigBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstConfigBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPvstRstBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstRstBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPvstRstBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstRstBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPvstTcnBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstTcnBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPvstTcnBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstTcnBpdusTx.setStatus('current')
sapTlsL2ptStatsStpConfigBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsStpConfigBpdusRx.setStatus('current')
sapTlsL2ptStatsStpConfigBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsStpConfigBpdusTx.setStatus('current')
sapTlsL2ptStatsStpRstBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsStpRstBpdusRx.setStatus('current')
sapTlsL2ptStatsStpRstBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsStpRstBpdusTx.setStatus('current')
sapTlsL2ptStatsStpTcnBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsStpTcnBpdusRx.setStatus('current')
sapTlsL2ptStatsStpTcnBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsStpTcnBpdusTx.setStatus('current')
sapTlsL2ptStatsPvstConfigBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPvstConfigBpdusRx.setStatus('current')
sapTlsL2ptStatsPvstConfigBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPvstConfigBpdusTx.setStatus('current')
sapTlsL2ptStatsPvstRstBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPvstRstBpdusRx.setStatus('current')
sapTlsL2ptStatsPvstRstBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPvstRstBpdusTx.setStatus('current')
sapTlsL2ptStatsPvstTcnBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 24), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPvstTcnBpdusRx.setStatus('current')
sapTlsL2ptStatsPvstTcnBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 25), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPvstTcnBpdusTx.setStatus('current')
sapTlsL2ptStatsOtherBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 26), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsOtherBpdusRx.setStatus('current')
sapTlsL2ptStatsOtherBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 27), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsOtherBpdusTx.setStatus('current')
sapTlsL2ptStatsOtherL2ptBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 28), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsOtherL2ptBpdusRx.setStatus('current')
sapTlsL2ptStatsOtherL2ptBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 29), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsOtherL2ptBpdusTx.setStatus('current')
sapTlsL2ptStatsOtherInvalidBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 30), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsOtherInvalidBpdusRx.setStatus('current')
sapTlsL2ptStatsOtherInvalidBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 31), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsOtherInvalidBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapCdpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 32), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapCdpBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapCdpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 33), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapCdpBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapVtpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 34), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapVtpBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapVtpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 35), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapVtpBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapDtpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 36), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapDtpBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapDtpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 37), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapDtpBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPagpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 38), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPagpBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapPagpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 39), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPagpBpdusTx.setStatus('current')
sapTlsL2ptStatsL2ptEncapUdldBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 40), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapUdldBpdusRx.setStatus('current')
sapTlsL2ptStatsL2ptEncapUdldBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 41), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapUdldBpdusTx.setStatus('current')
sapTlsL2ptStatsCdpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 42), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsCdpBpdusRx.setStatus('current')
sapTlsL2ptStatsCdpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 43), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsCdpBpdusTx.setStatus('current')
sapTlsL2ptStatsVtpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 44), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsVtpBpdusRx.setStatus('current')
sapTlsL2ptStatsVtpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 45), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsVtpBpdusTx.setStatus('current')
sapTlsL2ptStatsDtpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 46), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsDtpBpdusRx.setStatus('current')
sapTlsL2ptStatsDtpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 47), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsDtpBpdusTx.setStatus('current')
sapTlsL2ptStatsPagpBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 48), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPagpBpdusRx.setStatus('current')
sapTlsL2ptStatsPagpBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 49), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsPagpBpdusTx.setStatus('current')
sapTlsL2ptStatsUdldBpdusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 50), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsUdldBpdusRx.setStatus('current')
sapTlsL2ptStatsUdldBpdusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 51), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsL2ptStatsUdldBpdusTx.setStatus('current')
sapEthernetInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43), )
if mibBuilder.loadTexts: sapEthernetInfoTable.setStatus('current')
sapEthernetInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapEthernetInfoEntry.setStatus('current')
sapEthernetLLFAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43, 1, 1), ServiceAdminStatus().clone('down')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: sapEthernetLLFAdminStatus.setStatus('current')
sapEthernetLLFOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("fault", 1), ("clear", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapEthernetLLFOperStatus.setStatus('current')
msapPlcyTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44), )
if mibBuilder.loadTexts: msapPlcyTable.setStatus('current')
msapPlcyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyName"))
if mibBuilder.loadTexts: msapPlcyEntry.setStatus('current')
msapPlcyName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 1), TNamedItem())
if mibBuilder.loadTexts: msapPlcyName.setStatus('current')
msapPlcyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcyRowStatus.setStatus('current')
msapPlcyLastChanged = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapPlcyLastChanged.setStatus('current')
msapPlcyDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 4), TItemDescription()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcyDescription.setStatus('current')
msapPlcyCpmProtPolicyId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 5), TCpmProtPolicyID().clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcyCpmProtPolicyId.setStatus('current')
msapPlcyCpmProtMonitorMac = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 6), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcyCpmProtMonitorMac.setStatus('current')
msapPlcySubMgmtDefSubId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("useSapId", 1), ("useString", 2))).clone('useString')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtDefSubId.setStatus('current')
msapPlcySubMgmtDefSubIdStr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 8), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtDefSubIdStr.setStatus('current')
msapPlcySubMgmtDefSubProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 9), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtDefSubProfile.setStatus('current')
msapPlcySubMgmtDefSlaProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 10), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtDefSlaProfile.setStatus('current')
msapPlcySubMgmtDefAppProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 11), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtDefAppProfile.setStatus('current')
msapPlcySubMgmtSubIdPlcy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 12), TPolicyStatementNameOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtSubIdPlcy.setStatus('current')
msapPlcySubMgmtSubscriberLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 8000)).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtSubscriberLimit.setStatus('current')
msapPlcySubMgmtProfiledTrafOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 14), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtProfiledTrafOnly.setStatus('current')
msapPlcySubMgmtNonSubTrafSubId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 15), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafSubId.setStatus('current')
msapPlcySubMgmtNonSubTrafSubProf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 16), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafSubProf.setStatus('current')
msapPlcySubMgmtNonSubTrafSlaProf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 17), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafSlaProf.setStatus('current')
msapPlcySubMgmtNonSubTrafAppProf = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 18), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafAppProf.setStatus('current')
msapPlcyAssociatedMsaps = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapPlcyAssociatedMsaps.setStatus('current')
msapTlsPlcyTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45), )
if mibBuilder.loadTexts: msapTlsPlcyTable.setStatus('current')
msapTlsPlcyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1), )
msapPlcyEntry.registerAugmentions(("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyEntry"))
msapTlsPlcyEntry.setIndexNames(*msapPlcyEntry.getIndexNames())
if mibBuilder.loadTexts: msapTlsPlcyEntry.setStatus('current')
msapTlsPlcyLastChanged = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 1), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapTlsPlcyLastChanged.setStatus('current')
msapTlsPlcySplitHorizonGrp = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 2), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcySplitHorizonGrp.setStatus('current')
msapTlsPlcyArpReplyAgent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2), ("enabledWithSubscrIdent", 3))).clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyArpReplyAgent.setStatus('current')
msapTlsPlcySubMgmtMacDaHashing = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 4), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcySubMgmtMacDaHashing.setStatus('current')
msapTlsPlcyDhcpLeasePopulate = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 8000)).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpLeasePopulate.setStatus('current')
msapTlsPlcyDhcpPrxyAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 6), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyAdminState.setStatus('current')
msapTlsPlcyDhcpPrxyServAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 7), InetAddressType().clone('unknown')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyServAddrType.setStatus('current')
msapTlsPlcyDhcpPrxyServAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 8), InetAddress().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(4, 4), ValueSizeConstraint(16, 16), ValueSizeConstraint(20, 20), )).clone(hexValue="")).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyServAddr.setStatus('current')
msapTlsPlcyDhcpPrxyLeaseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 9), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(300, 315446399), ))).setUnits('seconds').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyLeaseTime.setStatus('current')
msapTlsPlcyDhcpPrxyLTRadOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 10), TruthValue().clone('false')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyLTRadOverride.setStatus('current')
msapTlsPlcyDhcpInfoAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("replace", 1), ("drop", 2), ("keep", 3))).clone('keep')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpInfoAction.setStatus('current')
msapTlsPlcyDhcpCircuitId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("asciiTuple", 1), ("vlanAsciiTuple", 2))).clone('asciiTuple')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpCircuitId.setStatus('current')
msapTlsPlcyDhcpRemoteId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("mac", 2), ("remote-id", 3))).clone('none')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpRemoteId.setStatus('current')
msapTlsPlcyDhcpRemoteIdString = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 14), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpRemoteIdString.setStatus('current')
msapTlsPlcyDhcpVendorInclOpts = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 15), Bits().clone(namedValues=NamedValues(("systemId", 0), ("clientMac", 1), ("serviceId", 2), ("sapId", 3))).clone(namedValues=NamedValues(("systemId", 0)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpVendorInclOpts.setStatus('current')
msapTlsPlcyDhcpVendorOptStr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 16), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyDhcpVendorOptStr.setStatus('current')
msapTlsPlcyEgressMcastGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 17), TNamedItemOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyEgressMcastGroup.setStatus('current')
msapTlsPlcyIgmpSnpgImportPlcy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 18), TPolicyStatementNameOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgImportPlcy.setStatus('current')
msapTlsPlcyIgmpSnpgFastLeave = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 19), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgFastLeave.setStatus('current')
msapTlsPlcyIgmpSnpgSendQueries = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 20), TmnxEnabledDisabled().clone('disabled')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgSendQueries.setStatus('current')
msapTlsPlcyIgmpSnpgGenQueryIntv = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 21), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2, 1024)).clone(125)).setUnits('seconds').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgGenQueryIntv.setStatus('current')
msapTlsPlcyIgmpSnpgQueryRespIntv = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 1023)).clone(10)).setUnits('seconds').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgQueryRespIntv.setStatus('current')
msapTlsPlcyIgmpSnpgRobustCount = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 23), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2, 7)).clone(2)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgRobustCount.setStatus('current')
msapTlsPlcyIgmpSnpgLastMembIntvl = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 24), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(10)).setUnits('deci-seconds').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgLastMembIntvl.setStatus('current')
msapTlsPlcyIgmpSnpgMaxNbrGrps = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 25), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMaxNbrGrps.setStatus('current')
msapTlsPlcyIgmpSnpgMvrFromVplsId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 26), TmnxServId()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMvrFromVplsId.setStatus('current')
msapTlsPlcyIgmpSnpgVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 27), TmnxIgmpVersion().clone('version3')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgVersion.setStatus('current')
msapTlsPlcyIgmpSnpgMcacPlcyName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 28), TPolicyStatementNameOrEmpty()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMcacPlcyName.setStatus('current')
msapTlsPlcyIgmpSnpgMcacUncnstBW = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 2147483647), )).clone(-1)).setUnits('kbps').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMcacUncnstBW.setStatus('current')
msapTlsPlcyIgmpSnpgMcacPrRsvMnBW = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 2147483647), )).clone(-1)).setUnits('kbps').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMcacPrRsvMnBW.setStatus('current')
msapIgmpSnpgMcacLevelTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46), )
if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelTable.setStatus('current')
msapIgmpSnpgMcacLevelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyName"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLevelId"))
if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelEntry.setStatus('current')
msapIgmpSnpgMcacLevelId = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 8)))
if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelId.setStatus('current')
msapIgmpSnpgMcacLevelRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelRowStatus.setStatus('current')
msapIgmpSnpgMcacLevelLastChanged = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelLastChanged.setStatus('current')
msapIgmpSnpgMcacLevelBW = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 4), Unsigned32().clone(1)).setUnits('kbps').setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelBW.setStatus('current')
msapIgmpSnpgMcacLagTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47), )
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagTable.setStatus('current')
msapIgmpSnpgMcacLagEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyName"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLagPortsDown"))
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagEntry.setStatus('current')
msapIgmpSnpgMcacLagPortsDown = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 8)))
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagPortsDown.setStatus('current')
msapIgmpSnpgMcacLagRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagRowStatus.setStatus('current')
msapIgmpSnpgMcacLagLastChanged = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 3), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagLastChanged.setStatus('current')
msapIgmpSnpgMcacLagLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 8)).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagLevel.setStatus('current')
msapInfoTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48), )
if mibBuilder.loadTexts: msapInfoTable.setStatus('current')
msapInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: msapInfoEntry.setStatus('current')
msapInfoCreationSapPortEncapVal = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 1), TmnxEncapVal()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapInfoCreationSapPortEncapVal.setStatus('current')
msapInfoCreationPlcyName = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 2), TNamedItem()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapInfoCreationPlcyName.setStatus('current')
msapInfoReEvalPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 3), TmnxActionType().clone('notApplicable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: msapInfoReEvalPolicy.setStatus('current')
msapInfoLastChanged = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 4), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapInfoLastChanged.setStatus('current')
msapCaptureSapStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49), )
if mibBuilder.loadTexts: msapCaptureSapStatsTable.setStatus('current')
msapCaptureSapStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "msapCaptureSapStatsTriggerType"))
if mibBuilder.loadTexts: msapCaptureSapStatsEntry.setStatus('current')
msapCaptureSapStatsTriggerType = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("dhcp", 1), ("pppoe", 2))))
if mibBuilder.loadTexts: msapCaptureSapStatsTriggerType.setStatus('current')
msapCaptureSapStatsPktsRecvd = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapCaptureSapStatsPktsRecvd.setStatus('current')
msapCaptureSapStatsPktsRedirect = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapCaptureSapStatsPktsRedirect.setStatus('current')
msapCaptureSapStatsPktsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapCaptureSapStatsPktsDropped.setStatus('current')
sapTlsMrpTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50), )
if mibBuilder.loadTexts: sapTlsMrpTable.setStatus('current')
sapTlsMrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1), )
sapTlsInfoEntry.registerAugmentions(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpEntry"))
sapTlsMrpEntry.setIndexNames(*sapTlsInfoEntry.getIndexNames())
if mibBuilder.loadTexts: sapTlsMrpEntry.setStatus('current')
sapTlsMrpRxPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxPdus.setStatus('current')
sapTlsMrpDroppedPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpDroppedPdus.setStatus('current')
sapTlsMrpTxPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxPdus.setStatus('current')
sapTlsMrpRxNewEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxNewEvent.setStatus('current')
sapTlsMrpRxJoinInEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxJoinInEvent.setStatus('current')
sapTlsMrpRxInEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxInEvent.setStatus('current')
sapTlsMrpRxJoinEmptyEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxJoinEmptyEvent.setStatus('current')
sapTlsMrpRxEmptyEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxEmptyEvent.setStatus('current')
sapTlsMrpRxLeaveEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpRxLeaveEvent.setStatus('current')
sapTlsMrpTxNewEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxNewEvent.setStatus('current')
sapTlsMrpTxJoinInEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxJoinInEvent.setStatus('current')
sapTlsMrpTxInEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxInEvent.setStatus('current')
sapTlsMrpTxJoinEmptyEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxJoinEmptyEvent.setStatus('current')
sapTlsMrpTxEmptyEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxEmptyEvent.setStatus('current')
sapTlsMrpTxLeaveEvent = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMrpTxLeaveEvent.setStatus('current')
sapTlsMmrpTable = MibTable((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51), )
if mibBuilder.loadTexts: sapTlsMmrpTable.setStatus('current')
sapTlsMmrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1), ).setIndexNames((0, "ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), (0, "ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMmrpMacAddr"))
if mibBuilder.loadTexts: sapTlsMmrpEntry.setStatus('current')
sapTlsMmrpMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1, 1), MacAddress())
if mibBuilder.loadTexts: sapTlsMmrpMacAddr.setStatus('current')
sapTlsMmrpDeclared = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1, 2), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMmrpDeclared.setStatus('current')
sapTlsMmrpRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1, 3), TruthValue()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sapTlsMmrpRegistered.setStatus('current')
msapPlcyTblLastChgd = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 59), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapPlcyTblLastChgd.setStatus('current')
msapTlsPlcyTblLastChgd = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 60), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapTlsPlcyTblLastChgd.setStatus('current')
msapIgmpSnpgMcacLvlTblLastChgd = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 61), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLvlTblLastChgd.setStatus('current')
msapIgmpSnpgMcacLagTblLastChgd = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 62), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapIgmpSnpgMcacLagTblLastChgd.setStatus('current')
msapInfoTblLastChgd = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 63), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msapInfoTblLastChgd.setStatus('current')
sapNotifyPortId = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100, 1), TmnxPortID()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: sapNotifyPortId.setStatus('current')
msapStatus = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100, 2), ConfigStatus()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: msapStatus.setStatus('current')
svcManagedSapCreationError = MibScalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100, 3), DisplayString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: svcManagedSapCreationError.setStatus('current')
sapCreated = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 1)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapCreated.setStatus('obsolete')
sapDeleted = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 2)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapDeleted.setStatus('obsolete')
sapStatusChanged = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 3)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAdminStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapOperStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapOperFlags"))
if mibBuilder.loadTexts: sapStatusChanged.setStatus('current')
sapTlsMacAddrLimitAlarmRaised = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 4)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTlsMacAddrLimitAlarmRaised.setStatus('current')
sapTlsMacAddrLimitAlarmCleared = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 5)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapTlsMacAddrLimitAlarmCleared.setStatus('current')
sapTlsDHCPLseStEntriesExceeded = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 6)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpLseStateNewCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpLseStateNewChAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDHCPClientLease"))
if mibBuilder.loadTexts: sapTlsDHCPLseStEntriesExceeded.setStatus('obsolete')
sapTlsDHCPLeaseStateOverride = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 7)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpLseStateNewCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpLseStateNewChAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpLseStateOldCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpLseStateOldChAddr"))
if mibBuilder.loadTexts: sapTlsDHCPLeaseStateOverride.setStatus('obsolete')
sapTlsDHCPSuspiciousPcktRcvd = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 8)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tlsDhcpPacketProblem"))
if mibBuilder.loadTexts: sapTlsDHCPSuspiciousPcktRcvd.setStatus('obsolete')
sapDHCPLeaseEntriesExceeded = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 9)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStateNewCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStateNewChAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpClientLease"))
if mibBuilder.loadTexts: sapDHCPLeaseEntriesExceeded.setStatus('current')
sapDHCPLseStateOverride = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 10)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStateNewCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStateNewChAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStateOldCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStateOldChAddr"))
if mibBuilder.loadTexts: sapDHCPLseStateOverride.setStatus('current')
sapDHCPSuspiciousPcktRcvd = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 11)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpPacketProblem"))
if mibBuilder.loadTexts: sapDHCPSuspiciousPcktRcvd.setStatus('current')
sapDHCPLseStatePopulateErr = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 12)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpLseStatePopulateError"))
if mibBuilder.loadTexts: sapDHCPLseStatePopulateErr.setStatus('current')
hostConnectivityLost = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 13)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityCiAddrType"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityChAddr"))
if mibBuilder.loadTexts: hostConnectivityLost.setStatus('current')
hostConnectivityRestored = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 14)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityCiAddrType"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityCiAddr"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "hostConnectivityChAddr"))
if mibBuilder.loadTexts: hostConnectivityRestored.setStatus('current')
sapReceivedProtSrcMac = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 15)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "protectedMacForNotify"))
if mibBuilder.loadTexts: sapReceivedProtSrcMac.setStatus('current')
sapStaticHostDynMacConflict = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 16)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "staticHostDynamicMacIpAddress"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "staticHostDynamicMacConflict"))
if mibBuilder.loadTexts: sapStaticHostDynMacConflict.setStatus('current')
sapTlsMacMoveExceeded = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 17)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAdminStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapOperStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacMoveRateExcdLeft"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacMoveNextUpTime"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcTlsMacMoveMaxRate"))
if mibBuilder.loadTexts: sapTlsMacMoveExceeded.setStatus('current')
sapDHCPProxyServerError = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 18)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpProxyError"))
if mibBuilder.loadTexts: sapDHCPProxyServerError.setStatus('current')
sapDHCPCoAError = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 19)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpCoAError"))
if mibBuilder.loadTexts: sapDHCPCoAError.setStatus('obsolete')
sapDHCPSubAuthError = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 20)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcDhcpSubAuthError"))
if mibBuilder.loadTexts: sapDHCPSubAuthError.setStatus('obsolete')
sapPortStateChangeProcessed = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 21)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapNotifyPortId"))
if mibBuilder.loadTexts: sapPortStateChangeProcessed.setStatus('current')
sapDHCPLseStateMobilityError = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 22)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: sapDHCPLseStateMobilityError.setStatus('current')
sapCemPacketDefectAlarm = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 23)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemReportAlarmStatus"))
if mibBuilder.loadTexts: sapCemPacketDefectAlarm.setStatus('current')
sapCemPacketDefectAlarmClear = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 24)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemReportAlarmStatus"))
if mibBuilder.loadTexts: sapCemPacketDefectAlarmClear.setStatus('current')
msapStateChanged = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 25)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapStatus"))
if mibBuilder.loadTexts: msapStateChanged.setStatus('current')
msapCreationFailure = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0, 26)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "svcManagedSapCreationError"))
if mibBuilder.loadTexts: msapCreationFailure.setStatus('current')
topologyChangeSapMajorState = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 1)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: topologyChangeSapMajorState.setStatus('current')
newRootSap = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 2)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: newRootSap.setStatus('current')
topologyChangeSapState = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 5)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: topologyChangeSapState.setStatus('current')
receivedTCN = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 6)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: receivedTCN.setStatus('current')
higherPriorityBridge = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 9)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tmnxCustomerBridgeId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tmnxCustomerRootBridgeId"))
if mibBuilder.loadTexts: higherPriorityBridge.setStatus('current')
bridgedTLS = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 10)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"))
if mibBuilder.loadTexts: bridgedTLS.setStatus('obsolete')
sapEncapPVST = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 11)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tmnxOtherBridgeId"))
if mibBuilder.loadTexts: sapEncapPVST.setStatus('current')
sapEncapDot1d = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 12)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tmnxOtherBridgeId"))
if mibBuilder.loadTexts: sapEncapDot1d.setStatus('current')
sapReceiveOwnBpdu = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 13)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "tmnxOtherBridgeId"))
if mibBuilder.loadTexts: sapReceiveOwnBpdu.setStatus('obsolete')
sapActiveProtocolChange = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 30)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOperProtocol"))
if mibBuilder.loadTexts: sapActiveProtocolChange.setStatus('current')
tmnxStpRootGuardViolation = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 35)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpRootGuardViolation"))
if mibBuilder.loadTexts: tmnxStpRootGuardViolation.setStatus('current')
tmnxSapStpExcepCondStateChng = NotificationType((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 5, 0, 37)).setObjects(("ALCATEL-IND1-TIMETRA-SERV-MIB", "custId"), ("ALCATEL-IND1-TIMETRA-SERV-MIB", "svcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpException"))
if mibBuilder.loadTexts: tmnxSapStpExcepCondStateChng.setStatus('current')
tmnxSapCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 1))
tmnxSapGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2))
tmnxSap7450V6v0Compliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 1, 100)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapTlsV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapBaseV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapQosV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapStaticHostV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapPortIdV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapSubMgmtV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMstiV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapIppipeV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapPolicyV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapL2ptV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMsapV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapNotifyGroup"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapDhcpV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMrpV6v0Group"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSap7450V6v0Compliance = tmnxSap7450V6v0Compliance.setStatus('current')
tmnxSap7750V6v0Compliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 1, 101)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapTlsV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapBaseV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapAtmV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapQosV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapStaticHostV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapPortIdV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapSubMgmtV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMstiV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapIppipeV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapPolicyV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapL2ptV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMsapV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapNotifyGroup"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxTlsMsapPppoeV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapCemV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapIpV6FilterV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapDhcpV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMrpV6v0Group"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSap7750V6v0Compliance = tmnxSap7750V6v0Compliance.setStatus('current')
tmnxSap7710V6v0Compliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 1, 102)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapTlsV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapBaseV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapAtmV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapQosV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapStaticHostV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapPortIdV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapSubMgmtV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMstiV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapIppipeV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapPolicyV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapL2ptV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMsapV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapNotifyGroup"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapCemNotificationV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxTlsMsapPppoeV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapCemV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapIpV6FilterV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapDhcpV6v0Group"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapMrpV6v0Group"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSap7710V6v0Compliance = tmnxSap7710V6v0Compliance.setStatus('current')
tmnxSapV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 100)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapNumEntries"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapType"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDescription"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAdminStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapOperStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressQosPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressMacFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressIpFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressVlanTranslationId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressQosPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressMacFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressIpFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapMirrorStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIesIfIndex"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCollectAcctStats"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAccountingPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCustMultSvcSite"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressQosSchedulerPolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressQosSchedulerPolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSplitHorizonGrp"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressSharedQueuePolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressMatchQinQDot1PBits"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapOperFlags"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapLastStatusChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAntiSpoofing"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTodSuite"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngUseMultipointShared"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressQinQMarkTopOnly"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressAggRateLimit"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEndPoint"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressVlanTranslation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubType"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCpmProtPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCpmProtMonitorMac"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressFrameBasedAccounting"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEthernetLLFAdminStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEthernetLLFOperStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAntiSpoofIpAddress"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAntiSpoofMacAddress"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapV6v0Group = tmnxSapV6v0Group.setStatus('current')
tmnxSapTlsV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 101)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpAdminStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpPriority"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpPortNum"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpPathCost"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpRapidStart"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpBpduEncap"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpPortState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpDesignatedBridge"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpDesignatedPort"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpForwardTransitions"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpInConfigBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpInTcnBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpInBadBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOutConfigBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOutTcnBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOperBpduEncap"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsVpnId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacAddressLimit"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsNumMacAddresses"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsNumStaticMacAddresses"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacLearning"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacAgeing"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOperEdge"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpAdminPointToPoint"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpPortRole"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpAutoEdge"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOperProtocol"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpInRstBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOutRstBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsLimitMacMove"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacPinning"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDiscardUnknownSource"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsPruneState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsMgmtService"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsMgmtPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsMgmtEncapValue"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsArpReplyAgent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpException"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsAuthenticationPolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptTermination"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsBpduTranslation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpRootGuard"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpInsideRegion"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsEgressMcastGroup"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpInMstBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpOutMstBpdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsRestProtSrcMac"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsRestProtSrcMacAction"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsRestUnprotDstMac"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpRxdDesigBridge"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsStpRootGuardViolation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsShcvAction"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsShcvSrcIp"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsShcvSrcMac"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsShcvInterval"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMvplsMgmtMsti"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacMoveNextUpTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacMoveRateExcdLeft"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptForceBoundary"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsLimitMacMoveLevel"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsBpduTransOper"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDefMsapPolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptProtocols"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptForceProtocols"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpMsapTrigger"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpProxyLeaseTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpRemoteId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpJoinTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpLeaveTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpLeaveAllTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpPeriodicTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpPeriodicEnabled"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapTlsV6v0Group = tmnxSapTlsV6v0Group.setStatus('current')
tmnxSapAtmV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 102)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAtmEncapsulation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAtmIngressTrafficDescIndex"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAtmEgressTrafficDescIndex"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAtmOamAlarmCellHandling"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAtmOamTerminate"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapAtmOamPeriodicLoopback"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapAtmV6v0Group = tmnxSapAtmV6v0Group.setStatus('current')
tmnxSapBaseV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 103)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipDroppedPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipDroppedOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipOfferedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipOfferedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipOfferedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipOfferedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipDroppedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipDroppedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipDroppedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipDroppedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressQchipForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipDroppedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipDroppedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipDroppedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipDroppedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsEgressQchipForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipOfferedUncoloredPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsIngressPchipOfferedUncoloredOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsAuthenticationPktsDiscarded"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsAuthenticationPktsSuccess"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapBaseStatsLastClearedTime"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapBaseV6v0Group = tmnxSapBaseV6v0Group.setStatus('current')
tmnxSapQosV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 104)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsOfferedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsDroppedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsOfferedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsDroppedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsOfferedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsDroppedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsOfferedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsDroppedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsUncoloredPacketsOffered"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQueueStatsUncoloredOctetsOffered"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsDroppedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsDroppedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsDroppedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQueueStatsDroppedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSchedStatsForwardedPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSchedStatsForwardedOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSchedCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSchedStatsForwardedPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSchedStatsForwardedOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSchedCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQOverrideFlags"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQCBS"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQMBS"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQHiPrioOnly"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQCIRAdaptation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQPIRAdaptation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQAdminPIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosQAdminCIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQOverrideFlags"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQCBS"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQMBS"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQHiPrioOnly"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQCIRAdaptation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQPIRAdaptation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQAdminPIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQAdminCIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosQAvgOverhead"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSOverrideFlags"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSPIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSCIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngQosSSummedCIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSOverrideFlags"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSPIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSCIR"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrQosSSummedCIR"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapQosV6v0Group = tmnxSapQosV6v0Group.setStatus('current')
tmnxSapStaticHostV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 105)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostSubscrIdent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostSubProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostSlaProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostShcvOperState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostShcvChecks"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostShcvReplies"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostShcvReplyTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostDynMacAddress"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostRetailerSvcId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostRetailerIf"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostFwdingState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostAncpString"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostSubIdIsSapId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostIntermediateDestId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapStaticHostV6v0Group = tmnxSapStaticHostV6v0Group.setStatus('current')
tmnxSapDhcpV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 106)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpAdminState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpDescription"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpSnoop"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpLeasePopulate"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpOperLeasePopulate"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpInfoAction"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpCircuitId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpRemoteIdString"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpProxyAdminState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpProxyServerAddr"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpProxyLTRadiusOverride"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpVendorIncludeOptions"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpVendorOptionString"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsClntSnoopdPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsSrvrSnoopdPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsClntForwdPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsSrvrForwdPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsClntDropdPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsSrvrDropdPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsClntProxRadPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsClntProxLSPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsGenReleasePckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpStatsGenForceRenPckts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDhcpOperLeasePopulate"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapDhcpV6v0Group = tmnxSapDhcpV6v0Group.setStatus('current')
tmnxSapPortIdV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 107)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdIngQosSchedFwdPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdIngQosSchedFwdOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdIngQosSchedCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdEgrQosSchedFwdPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdEgrQosSchedFwdOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortIdEgrQosSchedCustId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapPortIdV6v0Group = tmnxSapPortIdV6v0Group.setStatus('current')
tmnxSapSubMgmtV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 108)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtAdminStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtDefSubProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtDefSlaProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtSubIdentPolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtSubscriberLimit"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtProfiledTrafficOnly"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtNonSubTrafficSubIdent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtNonSubTrafficSubProf"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtNonSubTrafficSlaProf"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtMacDaHashing"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtDefSubIdent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtDefSubIdentString"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapSubMgmtV6v0Group = tmnxSapSubMgmtV6v0Group.setStatus('current')
tmnxSapMstiV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 109)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiPriority"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiPathCost"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiPortRole"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiPortState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiDesignatedBridge"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMstiDesignatedPort"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapMstiV6v0Group = tmnxSapMstiV6v0Group.setStatus('current')
tmnxSapIppipeV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 110)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIpipeCeInetAddress"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIpipeCeInetAddressType"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIpipeMacRefreshInterval"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIpipeMacAddress"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIpipeArpedMacAddress"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIpipeArpedMacAddressTimeout"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapIppipeV6v0Group = tmnxSapIppipeV6v0Group.setStatus('current')
tmnxSapPolicyV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 111)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentIngressIpFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentIngressMacFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentIngressQosPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentIngressQosSchedPlcy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentEgressIpFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentEgressMacFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentEgressQosPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentEgressQosSchedPlcy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedIngressIpFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedIngressMacFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedIngressQosPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedIngressQosSchedPlcy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedEgressIpFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedEgressMacFilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedEgressQosPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedEgressQosSchedPlcy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyDroppedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyDroppedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyDroppedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyDroppedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyDroppedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyDroppedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyDroppedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyDroppedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsOfferedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsDroppedHiPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsOfferedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsDroppedLoPrioPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsOfferedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsDroppedHiPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsOfferedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsDroppedLoPrioOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsUncoloredPacketsOffered"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIgQosPlcyQueueStatsUncoloredOctetsOffered"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsForwardedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsDroppedInProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsForwardedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsDroppedOutProfPackets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsForwardedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsDroppedInProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsForwardedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueStatsDroppedOutProfOctets"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgQosPlcyQueueCustId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngSchedPlcyStatsFwdPkt"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngSchedPlcyStatsFwdOct"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrSchedPlcyStatsFwdPkt"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrSchedPlcyStatsFwdOct"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrSchedPlcyPortStatsPort"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngSchedPlcyPortStatsFwdPkt"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngSchedPlcyPortStatsFwdOct"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngSchedPlcyPortStatsPort"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrSchedPlcyPortStatsFwdPkt"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgrSchedPlcyPortStatsFwdOct"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapPolicyV6v0Group = tmnxSapPolicyV6v0Group.setStatus('current')
tmnxSapCemV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 112)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemLastMgmtChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemEndpointType"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemBitrate"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemCasTrunkFraming"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemPayloadSize"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemJitterBuffer"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemUseRtpHeader"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemDifferential"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemTimestampFreq"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemReportAlarm"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemReportAlarmStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemLocalEcid"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemRemoteMacAddr"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemRemoteEcid"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsIngressForwardedPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsIngressDroppedPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressForwardedPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressDroppedPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressMissingPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressPktsReOrder"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressJtrBfrUnderruns"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressJtrBfrOverruns"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressMisOrderDropped"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressMalformedPkts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressLBitDropped"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressMultipleDropped"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressESs"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressSESs"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressUASs"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressFailureCounts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressUnderrunCounts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemStatsEgressOverrunCounts"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapCemV6v0Group = tmnxSapCemV6v0Group.setStatus('current')
tmnxSapL2ptV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 113)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsLastClearedTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapStpConfigBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapStpConfigBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapStpRstBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapStpRstBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapStpTcnBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapStpTcnBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPvstConfigBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPvstConfigBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPvstRstBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPvstRstBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPvstTcnBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPvstTcnBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsStpConfigBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsStpConfigBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsStpRstBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsStpRstBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsStpTcnBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsStpTcnBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPvstConfigBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPvstConfigBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPvstRstBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPvstRstBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPvstTcnBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPvstTcnBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsOtherBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsOtherBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsOtherL2ptBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsOtherL2ptBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsOtherInvalidBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsOtherInvalidBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapCdpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapCdpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapVtpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapVtpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapDtpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapDtpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPagpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapPagpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapUdldBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsL2ptEncapUdldBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsCdpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsCdpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsVtpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsVtpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsDtpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsDtpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPagpBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsPagpBpdusTx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsUdldBpdusRx"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsL2ptStatsUdldBpdusTx"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapL2ptV6v0Group = tmnxSapL2ptV6v0Group.setStatus('current')
tmnxSapMsapV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 114)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyLastChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyDescription"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyCpmProtPolicyId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyCpmProtMonitorMac"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtDefSubId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtDefSubIdStr"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtDefSubProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtDefSlaProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtSubIdPlcy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtSubscriberLimit"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtProfiledTrafOnly"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtNonSubTrafSubId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtNonSubTrafSubProf"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtNonSubTrafSlaProf"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyAssociatedMsaps"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyLastChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcySplitHorizonGrp"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyArpReplyAgent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcySubMgmtMacDaHashing"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpLeasePopulate"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpPrxyAdminState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpPrxyServAddr"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpPrxyServAddrType"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpPrxyLTRadOverride"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpInfoAction"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpCircuitId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpRemoteId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpRemoteIdString"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpVendorInclOpts"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpVendorOptStr"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyDhcpPrxyLeaseTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyEgressMcastGroup"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgImportPlcy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgFastLeave"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgSendQueries"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgGenQueryIntv"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgQueryRespIntv"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgRobustCount"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgLastMembIntvl"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgMaxNbrGrps"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgMvrFromVplsId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgVersion"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgMcacPlcyName"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgMcacPrRsvMnBW"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyIgmpSnpgMcacUncnstBW"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLevelRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLevelLastChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLevelBW"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLagRowStatus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLagLastChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLagLevel"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapInfoCreationSapPortEncapVal"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapInfoCreationPlcyName"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapInfoReEvalPolicy"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapInfoLastChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapCaptureSapStatsPktsRecvd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapCaptureSapStatsPktsRedirect"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapCaptureSapStatsPktsDropped"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcyTblLastChgd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapTlsPlcyTblLastChgd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLvlTblLastChgd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapIgmpSnpgMcacLagTblLastChgd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapInfoTblLastChgd"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapMsapV6v0Group = tmnxSapMsapV6v0Group.setStatus('current')
tmnxSapMrpV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 115)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxPdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpDroppedPdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxPdus"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxNewEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxJoinInEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxInEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxJoinEmptyEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxEmptyEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpRxLeaveEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxNewEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxJoinInEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxInEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxJoinEmptyEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxEmptyEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMrpTxLeaveEvent"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMmrpDeclared"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMmrpRegistered"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapMrpV6v0Group = tmnxSapMrpV6v0Group.setStatus('current')
tmnxTlsMsapPppoeV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 117)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsPppoeMsapTrigger"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxTlsMsapPppoeV6v0Group = tmnxTlsMsapPppoeV6v0Group.setStatus('current')
tmnxSapIpV6FilterV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 118)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIngressIpv6FilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEgressIpv6FilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentIngressIpv6FilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCurrentEgressIpv6FilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedIngressIpv6FilterId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapIntendedEgressIpv6FilterId"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapIpV6FilterV6v0Group = tmnxSapIpV6FilterV6v0Group.setStatus('current')
tmnxSapBsxV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 119)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostAppProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtDefAppProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapSubMgmtNonSubTrafficAppProf"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtDefAppProfile"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapPlcySubMgmtNonSubTrafAppProf"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapBsxV6v0Group = tmnxSapBsxV6v0Group.setStatus('current')
tmnxSapNotificationObjV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 200)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapNotifyPortId"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "svcManagedSapCreationError"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapNotificationObjV6v0Group = tmnxSapNotificationObjV6v0Group.setStatus('current')
tmnxSapObsoletedV6v0Group = ObjectGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 300)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpSnooping"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpLseStateRemainLseTime"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpLseStateOption82"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDhcpLseStatePersistKey"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapObsoletedV6v0Group = tmnxSapObsoletedV6v0Group.setStatus('current')
tmnxSapNotifyGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 400)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStatusChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacAddrLimitAlarmRaised"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacAddrLimitAlarmCleared"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPLeaseEntriesExceeded"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPLseStateOverride"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPSuspiciousPcktRcvd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPLseStatePopulateErr"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "hostConnectivityLost"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "hostConnectivityRestored"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapReceivedProtSrcMac"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapStaticHostDynMacConflict"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsMacMoveExceeded"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPProxyServerError"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapPortStateChangeProcessed"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPLseStateMobilityError"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapStateChanged"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "msapCreationFailure"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "topologyChangeSapMajorState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "newRootSap"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "topologyChangeSapState"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "receivedTCN"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "higherPriorityBridge"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapPVST"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapEncapDot1d"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapActiveProtocolChange"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxStpRootGuardViolation"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "tmnxSapStpExcepCondStateChng"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapNotifyGroup = tmnxSapNotifyGroup.setStatus('current')
tmnxSapCemNotificationV6v0Group = NotificationGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 401)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemPacketDefectAlarm"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCemPacketDefectAlarmClear"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapCemNotificationV6v0Group = tmnxSapCemNotificationV6v0Group.setStatus('current')
tmnxSapObsoletedNotifyGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2, 402)).setObjects(("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapCreated"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDeleted"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDHCPLseStEntriesExceeded"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDHCPLeaseStateOverride"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapTlsDHCPSuspiciousPcktRcvd"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPCoAError"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapDHCPSubAuthError"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "bridgedTLS"), ("ALCATEL-IND1-TIMETRA-SAP-MIB", "sapReceiveOwnBpdu"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
tmnxSapObsoletedNotifyGroup = tmnxSapObsoletedNotifyGroup.setStatus('current')
mibBuilder.exportSymbols("ALCATEL-IND1-TIMETRA-SAP-MIB", sapCemCasTrunkFraming=sapCemCasTrunkFraming, sapIpipeMacAddress=sapIpipeMacAddress, msapCaptureSapStatsPktsRedirect=msapCaptureSapStatsPktsRedirect, sapVpnId=sapVpnId, sapCemStatsEntry=sapCemStatsEntry, sapIngQosQueueId=sapIngQosQueueId, sapSubMgmtDefSlaProfile=sapSubMgmtDefSlaProfile, sapCemStatsEgressForwardedPkts=sapCemStatsEgressForwardedPkts, tmnxSapCemV6v0Group=tmnxSapCemV6v0Group, sapDhcpInfoTable=sapDhcpInfoTable, sapTlsL2ptStatsL2ptEncapStpRstBpdusTx=sapTlsL2ptStatsL2ptEncapStpRstBpdusTx, msapTlsPlcyIgmpSnpgMcacPlcyName=msapTlsPlcyIgmpSnpgMcacPlcyName, sapEgQosPlcyForwardedInProfPackets=sapEgQosPlcyForwardedInProfPackets, sapTlsL2ptStatsL2ptEncapPvstRstBpdusRx=sapTlsL2ptStatsL2ptEncapPvstRstBpdusRx, sapTlsDhcpRemoteId=sapTlsDhcpRemoteId, sapSubMgmtInfoEntry=sapSubMgmtInfoEntry, sapStaticHostSlaProfile=sapStaticHostSlaProfile, sapIgQosPlcyQueueStatsDroppedLoPrioOctets=sapIgQosPlcyQueueStatsDroppedLoPrioOctets, sapDHCPLeaseEntriesExceeded=sapDHCPLeaseEntriesExceeded, sapBaseStatsIngressQchipDroppedHiPrioPackets=sapBaseStatsIngressQchipDroppedHiPrioPackets, sapEgQosPlcyQueueStatsDroppedOutProfPackets=sapEgQosPlcyQueueStatsDroppedOutProfPackets, sapTlsL2ptStatsStpTcnBpdusTx=sapTlsL2ptStatsStpTcnBpdusTx, sapEgrQosQueueInfoEntry=sapEgrQosQueueInfoEntry, msapIgmpSnpgMcacLagLastChanged=msapIgmpSnpgMcacLagLastChanged, sapAtmInfoTable=sapAtmInfoTable, sapAntiSpoofEntry=sapAntiSpoofEntry, sapTlsMstiDesignatedPort=sapTlsMstiDesignatedPort, sapTlsL2ptStatsUdldBpdusTx=sapTlsL2ptStatsUdldBpdusTx, msapPlcyTable=msapPlcyTable, sapTlsStpForwardTransitions=sapTlsStpForwardTransitions, sapCemStatsEgressUnderrunCounts=sapCemStatsEgressUnderrunCounts, sapEgrQosSSummedCIR=sapEgrQosSSummedCIR, msapTlsPlcySplitHorizonGrp=msapTlsPlcySplitHorizonGrp, sapEgrQosPlcyStatsEntry=sapEgrQosPlcyStatsEntry, sapIgQosPlcyQueueStatsOfferedHiPrioOctets=sapIgQosPlcyQueueStatsOfferedHiPrioOctets, sapIgQosPlcyQueueStatsForwardedInProfOctets=sapIgQosPlcyQueueStatsForwardedInProfOctets, sapTlsMvplsMinVlanTag=sapTlsMvplsMinVlanTag, sapPortIdIngQosSchedStatsTable=sapPortIdIngQosSchedStatsTable, sapIgQosPlcyQueueStatsOfferedLoPrioOctets=sapIgQosPlcyQueueStatsOfferedLoPrioOctets, sapTlsMvplsMgmtPortId=sapTlsMvplsMgmtPortId, msapTlsPlcyIgmpSnpgFastLeave=msapTlsPlcyIgmpSnpgFastLeave, sapType=sapType, sapTlsL2ptStatsVtpBpdusRx=sapTlsL2ptStatsVtpBpdusRx, sapLastStatusChange=sapLastStatusChange, sapIgQosPlcyDroppedLoPrioOctets=sapIgQosPlcyDroppedLoPrioOctets, sapTlsStpRootGuard=sapTlsStpRootGuard, msapTlsPlcyDhcpPrxyLTRadOverride=msapTlsPlcyDhcpPrxyLTRadOverride, sapTlsStpPortState=sapTlsStpPortState, sapTlsMrpTxJoinEmptyEvent=sapTlsMrpTxJoinEmptyEvent, sapIngQosSchedInfoTable=sapIngQosSchedInfoTable, sapEncapDot1d=sapEncapDot1d, sapEgrQosQueueStatsForwardedOutProfOctets=sapEgrQosQueueStatsForwardedOutProfOctets, sapCurrentEgressIpFilterId=sapCurrentEgressIpFilterId, sapIgQosPlcyQueueStatsUncoloredOctetsOffered=sapIgQosPlcyQueueStatsUncoloredOctetsOffered, sapEgQosPlcyQueueStatsForwardedInProfPackets=sapEgQosPlcyQueueStatsForwardedInProfPackets, tmnxSapConformance=tmnxSapConformance, sapIntendedIngressQosPolicyId=sapIntendedIngressQosPolicyId, sapTodSuite=sapTodSuite, msapPlcySubMgmtDefSubProfile=msapPlcySubMgmtDefSubProfile, sapTlsStpRapidStart=sapTlsStpRapidStart, sapIngQosQueueStatsForwardedInProfOctets=sapIngQosQueueStatsForwardedInProfOctets, sapIngQosQCBS=sapIngQosQCBS, sapIpipeArpedMacAddressTimeout=sapIpipeArpedMacAddressTimeout, sapEgrQosSchedStatsEntry=sapEgrQosSchedStatsEntry, sapIgQosPlcyDroppedHiPrioOctets=sapIgQosPlcyDroppedHiPrioOctets, sapReceivedProtSrcMac=sapReceivedProtSrcMac, sapEgrQosQHiPrioOnly=sapEgrQosQHiPrioOnly, sapIngQosSCIR=sapIngQosSCIR, msapTlsPlcyArpReplyAgent=msapTlsPlcyArpReplyAgent, sapEgrQosCustId=sapEgrQosCustId, sapCemStatsEgressFailureCounts=sapCemStatsEgressFailureCounts, sapEgressMacFilterId=sapEgressMacFilterId, sapDHCPLseStateMobilityError=sapDHCPLseStateMobilityError, sapBaseStatsIngressPchipOfferedHiPrioPackets=sapBaseStatsIngressPchipOfferedHiPrioPackets, sapEgrQosSLastMgmtChange=sapEgrQosSLastMgmtChange, sapCemTimestampFreq=sapCemTimestampFreq, msapTlsPlcyDhcpPrxyServAddrType=msapTlsPlcyDhcpPrxyServAddrType, msapTlsPlcyDhcpPrxyLeaseTime=msapTlsPlcyDhcpPrxyLeaseTime, msapTlsPlcyIgmpSnpgMcacUncnstBW=msapTlsPlcyIgmpSnpgMcacUncnstBW, hostConnectivityRestored=hostConnectivityRestored, sapTlsMstiTable=sapTlsMstiTable, sapCemBitrate=sapCemBitrate, sapTlsL2ptStatsPagpBpdusRx=sapTlsL2ptStatsPagpBpdusRx, sapStaticHostShcvChecks=sapStaticHostShcvChecks, sapEgQosPlcyQueueStatsForwardedOutProfOctets=sapEgQosPlcyQueueStatsForwardedOutProfOctets, PYSNMP_MODULE_ID=timetraSvcSapMIBModule, sapTlsStpOperBpduEncap=sapTlsStpOperBpduEncap, sapCemLocalEcid=sapCemLocalEcid, sapTlsMrpRxJoinInEvent=sapTlsMrpRxJoinInEvent, sapStaticHostSubIdIsSapId=sapStaticHostSubIdIsSapId, sapEgrQosSName=sapEgrQosSName, sapIngQosSchedStatsForwardedOctets=sapIngQosSchedStatsForwardedOctets, sapTlsL2ptTermination=sapTlsL2ptTermination, sapTlsMvplsMgmtEncapValue=sapTlsMvplsMgmtEncapValue, sapEgrQosSchedInfoTable=sapEgrQosSchedInfoTable, sapSubMgmtInfoTable=sapSubMgmtInfoTable, msapTlsPlcyIgmpSnpgImportPlcy=msapTlsPlcyIgmpSnpgImportPlcy, sapTlsDhcpStatsClntProxLSPckts=sapTlsDhcpStatsClntProxLSPckts, sapTlsStpInMstBpdus=sapTlsStpInMstBpdus, sapEgrSchedPlcyStatsFwdPkt=sapEgrSchedPlcyStatsFwdPkt, sapEgQosPlcyQueueStatsDroppedOutProfOctets=sapEgQosPlcyQueueStatsDroppedOutProfOctets, sapEthernetInfoTable=sapEthernetInfoTable, sapTlsMstiPortState=sapTlsMstiPortState, sapStaticHostAppProfile=sapStaticHostAppProfile, msapTlsPlcyIgmpSnpgMaxNbrGrps=msapTlsPlcyIgmpSnpgMaxNbrGrps, sapEgrQosQueueStatsForwardedInProfOctets=sapEgrQosQueueStatsForwardedInProfOctets, sapTlsDhcpSnoop=sapTlsDhcpSnoop, sapTlsDhcpStatsSrvrDropdPckts=sapTlsDhcpStatsSrvrDropdPckts, sapIntendedIngressMacFilterId=sapIntendedIngressMacFilterId, msapPlcySubMgmtDefSubId=msapPlcySubMgmtDefSubId, sapBaseStatsAuthenticationPktsSuccess=sapBaseStatsAuthenticationPktsSuccess, sapIngQosQAdminCIR=sapIngQosQAdminCIR, sapTlsL2ptStatsPvstRstBpdusRx=sapTlsL2ptStatsPvstRstBpdusRx, sapTlsMvplsMgmtMsti=sapTlsMvplsMgmtMsti, sapBaseStatsIngressQchipDroppedHiPrioOctets=sapBaseStatsIngressQchipDroppedHiPrioOctets, sapEgrQosSCIR=sapEgrQosSCIR, sapIngQosQueueStatsOfferedHiPrioOctets=sapIngQosQueueStatsOfferedHiPrioOctets, sapTlsL2ptStatsOtherInvalidBpdusRx=sapTlsL2ptStatsOtherInvalidBpdusRx, sapCurrentIngressMacFilterId=sapCurrentIngressMacFilterId, sapTlsMacAddressLimit=sapTlsMacAddressLimit, sapTlsStpException=sapTlsStpException, sapMirrorStatus=sapMirrorStatus, sapEgrQosQLastMgmtChange=sapEgrQosQLastMgmtChange, sapIgQosPlcyQueueStatsForwardedOutProfPackets=sapIgQosPlcyQueueStatsForwardedOutProfPackets, sapAtmEncapsulation=sapAtmEncapsulation, sapDhcpInfoEntry=sapDhcpInfoEntry, sapTlsL2ptStatsLastClearedTime=sapTlsL2ptStatsLastClearedTime, sapEgressIpv6FilterId=sapEgressIpv6FilterId, sapSplitHorizonGrp=sapSplitHorizonGrp, msapIgmpSnpgMcacLagRowStatus=msapIgmpSnpgMcacLagRowStatus, sapTlsDhcpStatsSrvrSnoopdPckts=sapTlsDhcpStatsSrvrSnoopdPckts, sapCemInfoTable=sapCemInfoTable, sapIngQosQRowStatus=sapIngQosQRowStatus, tmnxSapGroups=tmnxSapGroups, sapBaseStatsEgressQchipForwardedOutProfPackets=sapBaseStatsEgressQchipForwardedOutProfPackets, sapTlsMacMoveExceeded=sapTlsMacMoveExceeded, sapIgQosPlcyQueueStatsOfferedLoPrioPackets=sapIgQosPlcyQueueStatsOfferedLoPrioPackets, sapIngQosQAdminPIR=sapIngQosQAdminPIR, sapTlsStpDesignatedBridge=sapTlsStpDesignatedBridge, sapIngQosQLastMgmtChange=sapIngQosQLastMgmtChange, sapIntendedEgressQosPolicyId=sapIntendedEgressQosPolicyId, topologyChangeSapMajorState=topologyChangeSapMajorState, sapTlsRestProtSrcMac=sapTlsRestProtSrcMac, sapEgQosPlcyDroppedInProfPackets=sapEgQosPlcyDroppedInProfPackets, sapTlsMstiPathCost=sapTlsMstiPathCost, msapIgmpSnpgMcacLevelLastChanged=msapIgmpSnpgMcacLevelLastChanged, sapCemPayloadSize=sapCemPayloadSize, sapEgrQosQAdminCIR=sapEgrQosQAdminCIR, sapIngSchedPlcyPortStatsFwdPkt=sapIngSchedPlcyPortStatsFwdPkt, tmnxSapBsxV6v0Group=tmnxSapBsxV6v0Group, sapTlsRestUnprotDstMac=sapTlsRestUnprotDstMac, sapEgrSchedPlcyPortStatsFwdOct=sapEgrSchedPlcyPortStatsFwdOct, msapInfoCreationPlcyName=msapInfoCreationPlcyName, tmnxSapAtmV6v0Group=tmnxSapAtmV6v0Group, msapIgmpSnpgMcacLagEntry=msapIgmpSnpgMcacLagEntry, sapTlsDhcpProxyServerAddr=sapTlsDhcpProxyServerAddr, sapIgQosPlcyQueueStatsForwardedOutProfOctets=sapIgQosPlcyQueueStatsForwardedOutProfOctets, sapTlsMacMoveNextUpTime=sapTlsMacMoveNextUpTime, sapPortIdIngQosSchedFwdOctets=sapPortIdIngQosSchedFwdOctets, sapTlsL2ptStatsOtherInvalidBpdusTx=sapTlsL2ptStatsOtherInvalidBpdusTx, tmnxSapIpV6FilterV6v0Group=tmnxSapIpV6FilterV6v0Group, sapAdminStatus=sapAdminStatus, sapStaticHostShcvReplies=sapStaticHostShcvReplies, sapIpipeCeInetAddress=sapIpipeCeInetAddress, sapSubMgmtDefAppProfile=sapSubMgmtDefAppProfile, sapIngQosSchedCustId=sapIngQosSchedCustId, sapActiveProtocolChange=sapActiveProtocolChange, sapIngUseMultipointShared=sapIngUseMultipointShared, tmnxSapMsapV6v0Group=tmnxSapMsapV6v0Group, msapPlcyName=msapPlcyName, sapTlsMmrpMacAddr=sapTlsMmrpMacAddr, sapTlsMrpRxNewEvent=sapTlsMrpRxNewEvent, sapEgressIpFilterId=sapEgressIpFilterId, sapIgQosPlcyQueueStatsDroppedHiPrioPackets=sapIgQosPlcyQueueStatsDroppedHiPrioPackets, sapBaseStatsIngressPchipOfferedHiPrioOctets=sapBaseStatsIngressPchipOfferedHiPrioOctets, sapTlsBpduTranslation=sapTlsBpduTranslation, sapEgrQosSRowStatus=sapEgrQosSRowStatus, sapAntiSpoofing=sapAntiSpoofing, sapCurrentEgressIpv6FilterId=sapCurrentEgressIpv6FilterId, sapBaseInfoEntry=sapBaseInfoEntry, sapIngressVlanTranslation=sapIngressVlanTranslation, msapIgmpSnpgMcacLagTable=msapIgmpSnpgMcacLagTable, tmnxSapCemNotificationV6v0Group=tmnxSapCemNotificationV6v0Group, sapEgrQosQMBS=sapEgrQosQMBS, sapCemUseRtpHeader=sapCemUseRtpHeader, msapTlsPlcyIgmpSnpgRobustCount=msapTlsPlcyIgmpSnpgRobustCount, sapTlsMrpTxPdus=sapTlsMrpTxPdus, sapTlsL2ptForceProtocols=sapTlsL2ptForceProtocols, msapPlcySubMgmtSubIdPlcy=msapPlcySubMgmtSubIdPlcy, sapDHCPCoAError=sapDHCPCoAError, sapCpmProtPolicyId=sapCpmProtPolicyId, sapEgrQosSchedStatsForwardedOctets=sapEgrQosSchedStatsForwardedOctets, msapCaptureSapStatsEntry=msapCaptureSapStatsEntry, sapTlsL2ptStatsL2ptEncapPvstConfigBpdusTx=sapTlsL2ptStatsL2ptEncapPvstConfigBpdusTx, sapTlsMmrpDeclared=sapTlsMmrpDeclared, sapCemStatsIngressForwardedPkts=sapCemStatsIngressForwardedPkts, sapStaticHostSubscrIdent=sapStaticHostSubscrIdent, sapIgQosPlcyForwardedInProfOctets=sapIgQosPlcyForwardedInProfOctets, sapTlsMmrpTable=sapTlsMmrpTable, sapTlsStpAdminPointToPoint=sapTlsStpAdminPointToPoint, sapStaticHostDynMacConflict=sapStaticHostDynMacConflict, sapTlsDhcpStatsEntry=sapTlsDhcpStatsEntry, sapEgrQosSchedStatsForwardedPackets=sapEgrQosSchedStatsForwardedPackets, sapTlsL2ptStatsL2ptEncapStpTcnBpdusTx=sapTlsL2ptStatsL2ptEncapStpTcnBpdusTx, sapStaticHostRowStatus=sapStaticHostRowStatus, sapTlsDhcpStatsClntForwdPckts=sapTlsDhcpStatsClntForwdPckts, sapBaseStatsEgressQchipForwardedInProfOctets=sapBaseStatsEgressQchipForwardedInProfOctets, sapBaseStatsIngressQchipDroppedLoPrioPackets=sapBaseStatsIngressQchipDroppedLoPrioPackets, sapEgQosPlcyDroppedInProfOctets=sapEgQosPlcyDroppedInProfOctets, tmnxSapTlsV6v0Group=tmnxSapTlsV6v0Group, sapTlsL2ptStatsL2ptEncapPvstRstBpdusTx=sapTlsL2ptStatsL2ptEncapPvstRstBpdusTx, sapTlsL2ptStatsL2ptEncapDtpBpdusTx=sapTlsL2ptStatsL2ptEncapDtpBpdusTx, sapSubMgmtMacDaHashing=sapSubMgmtMacDaHashing, msapPlcySubMgmtNonSubTrafSubId=msapPlcySubMgmtNonSubTrafSubId, msapCaptureSapStatsPktsRecvd=msapCaptureSapStatsPktsRecvd, hostConnectivityLost=hostConnectivityLost, sapTlsStpInRstBpdus=sapTlsStpInRstBpdus, sapEgressQosSchedulerPolicy=sapEgressQosSchedulerPolicy, sapPortIdIngQosSchedStatsEntry=sapPortIdIngQosSchedStatsEntry, tmnxSapObsoletedV6v0Group=tmnxSapObsoletedV6v0Group, sapIngQosQueueStatsTable=sapIngQosQueueStatsTable, sapTlsStpPathCost=sapTlsStpPathCost, sapStaticHostShcvOperState=sapStaticHostShcvOperState, sapTlsL2ptStatsL2ptEncapPagpBpdusTx=sapTlsL2ptStatsL2ptEncapPagpBpdusTx, msapTlsPlcyDhcpCircuitId=msapTlsPlcyDhcpCircuitId, sapTlsMrpEntry=sapTlsMrpEntry, sapSubMgmtAdminStatus=sapSubMgmtAdminStatus, msapCreationFailure=msapCreationFailure, sapIngressIpFilterId=sapIngressIpFilterId, sapEncapValue=sapEncapValue, tmnxSap7710V6v0Compliance=tmnxSap7710V6v0Compliance, msapCaptureSapStatsTable=msapCaptureSapStatsTable, sapTlsL2ptStatsPvstConfigBpdusRx=sapTlsL2ptStatsPvstConfigBpdusRx, sapIpipeInfoTable=sapIpipeInfoTable, sapSubMgmtNonSubTrafficSlaProf=sapSubMgmtNonSubTrafficSlaProf, sapTlsDhcpSnooping=sapTlsDhcpSnooping, msapPlcySubMgmtDefSubIdStr=msapPlcySubMgmtDefSubIdStr, sapTlsStpOutConfigBpdus=sapTlsStpOutConfigBpdus, sapTlsLimitMacMoveLevel=sapTlsLimitMacMoveLevel, sapBaseInfoTable=sapBaseInfoTable, msapPlcySubMgmtDefAppProfile=msapPlcySubMgmtDefAppProfile, msapTlsPlcyLastChanged=msapTlsPlcyLastChanged, sapEgrQosQCBS=sapEgrQosQCBS, sapIngQosQPIRAdaptation=sapIngQosQPIRAdaptation, sapIngQosQueueStatsDroppedLoPrioPackets=sapIngQosQueueStatsDroppedLoPrioPackets, sapAtmOamPeriodicLoopback=sapAtmOamPeriodicLoopback, sapIngQosSLastMgmtChange=sapIngQosSLastMgmtChange, msapPlcyRowStatus=msapPlcyRowStatus, sapIngQosSchedStatsTable=sapIngQosSchedStatsTable, sapTlsStpPriority=sapTlsStpPriority, sapIpipeCeInetAddressType=sapIpipeCeInetAddressType, sapTlsL2ptStatsL2ptEncapStpConfigBpdusRx=sapTlsL2ptStatsL2ptEncapStpConfigBpdusRx, sapTlsInfoEntry=sapTlsInfoEntry, tmnxSapSubMgmtV6v0Group=tmnxSapSubMgmtV6v0Group)
mibBuilder.exportSymbols("ALCATEL-IND1-TIMETRA-SAP-MIB", sapCreated=sapCreated, sapPortIdEgrQosSchedFwdOctets=sapPortIdEgrQosSchedFwdOctets, sapIngQosSchedStatsEntry=sapIngQosSchedStatsEntry, sapIgQosPlcyDroppedLoPrioPackets=sapIgQosPlcyDroppedLoPrioPackets, sapCemStatsEgressMissingPkts=sapCemStatsEgressMissingPkts, sapBaseStatsEgressQchipForwardedOutProfOctets=sapBaseStatsEgressQchipForwardedOutProfOctets, sapTlsL2ptStatsL2ptEncapStpRstBpdusRx=sapTlsL2ptStatsL2ptEncapStpRstBpdusRx, sapTlsDhcpProxyAdminState=sapTlsDhcpProxyAdminState, sapTlsMstiLastMgmtChange=sapTlsMstiLastMgmtChange, sapCustId=sapCustId, sapEgQosPlcyQueueStatsDroppedInProfOctets=sapEgQosPlcyQueueStatsDroppedInProfOctets, sapTlsStpOperEdge=sapTlsStpOperEdge, sapBaseStatsEntry=sapBaseStatsEntry, sapTlsStpInTcnBpdus=sapTlsStpInTcnBpdus, sapIgQosPlcyForwardedInProfPackets=sapIgQosPlcyForwardedInProfPackets, sapIngQosSchedStatsForwardedPackets=sapIngQosSchedStatsForwardedPackets, sapIngSchedPlcyPortStatsPort=sapIngSchedPlcyPortStatsPort, sapTlsL2ptStatsEntry=sapTlsL2ptStatsEntry, sapCemStatsEgressJtrBfrUnderruns=sapCemStatsEgressJtrBfrUnderruns, sapPortIdIngPortId=sapPortIdIngPortId, msapPlcyDescription=msapPlcyDescription, sapTlsMrpPeriodicEnabled=sapTlsMrpPeriodicEnabled, sapEgQosPlcyDroppedOutProfOctets=sapEgQosPlcyDroppedOutProfOctets, tmnxSapBaseV6v0Group=tmnxSapBaseV6v0Group, sapCemRemoteMacAddr=sapCemRemoteMacAddr, sapTlsStpInBadBpdus=sapTlsStpInBadBpdus, sapIntendedEgressIpFilterId=sapIntendedEgressIpFilterId, sapIntendedIngressQosSchedPlcy=sapIntendedIngressQosSchedPlcy, msapCaptureSapStatsTriggerType=msapCaptureSapStatsTriggerType, sapEgQosPlcyForwardedInProfOctets=sapEgQosPlcyForwardedInProfOctets, sapIgQosPlcyQueuePlcyId=sapIgQosPlcyQueuePlcyId, sapTlsDhcpVendorOptionString=sapTlsDhcpVendorOptionString, sapIngSchedPlcyPortStatsFwdOct=sapIngSchedPlcyPortStatsFwdOct, sapDHCPLseStatePopulateErr=sapDHCPLseStatePopulateErr, tmnxTlsMsapPppoeV6v0Group=tmnxTlsMsapPppoeV6v0Group, tmnxSap7750V6v0Compliance=tmnxSap7750V6v0Compliance, sapEndPoint=sapEndPoint, sapCemDifferential=sapCemDifferential, sapEgrQosQRowStatus=sapEgrQosQRowStatus, sapTlsStpAutoEdge=sapTlsStpAutoEdge, sapIngSchedPlcyPortStatsEntry=sapIngSchedPlcyPortStatsEntry, sapTlsDHCPLseStEntriesExceeded=sapTlsDHCPLseStEntriesExceeded, sapTlsL2ptStatsL2ptEncapCdpBpdusRx=sapTlsL2ptStatsL2ptEncapCdpBpdusRx, sapTlsStpPortRole=sapTlsStpPortRole, sapTlsL2ptStatsL2ptEncapDtpBpdusRx=sapTlsL2ptStatsL2ptEncapDtpBpdusRx, sapTlsMacMoveRateExcdLeft=sapTlsMacMoveRateExcdLeft, sapBaseStatsIngressPchipDroppedOctets=sapBaseStatsIngressPchipDroppedOctets, tmnxSapIppipeV6v0Group=tmnxSapIppipeV6v0Group, sapIngQosQueueStatsUncoloredPacketsOffered=sapIngQosQueueStatsUncoloredPacketsOffered, sapBaseStatsIngressPchipOfferedLoPrioOctets=sapBaseStatsIngressPchipOfferedLoPrioOctets, sapSubMgmtSubscriberLimit=sapSubMgmtSubscriberLimit, sapBaseStatsCustId=sapBaseStatsCustId, sapCurrentIngressQosPolicyId=sapCurrentIngressQosPolicyId, sapTlsDhcpDescription=sapTlsDhcpDescription, sapTlsDhcpStatsGenForceRenPckts=sapTlsDhcpStatsGenForceRenPckts, msapInfoEntry=msapInfoEntry, sapIngQosSRowStatus=sapIngQosSRowStatus, sapTlsL2ptStatsPvstConfigBpdusTx=sapTlsL2ptStatsPvstConfigBpdusTx, sapEgQosPlcyQueueId=sapEgQosPlcyQueueId, sapTlsMrpTxLeaveEvent=sapTlsMrpTxLeaveEvent, sapTlsL2ptStatsPvstTcnBpdusRx=sapTlsL2ptStatsPvstTcnBpdusRx, sapTlsDhcpLeasePopulate=sapTlsDhcpLeasePopulate, tmnxSapCompliances=tmnxSapCompliances, sapBaseStatsEgressQchipDroppedOutProfPackets=sapBaseStatsEgressQchipDroppedOutProfPackets, sapTlsDhcpInfoAction=sapTlsDhcpInfoAction, newRootSap=newRootSap, sapIngressQosSchedulerPolicy=sapIngressQosSchedulerPolicy, sapTlsEgressMcastGroup=sapTlsEgressMcastGroup, sapPortId=sapPortId, msapTlsPlcyDhcpVendorOptStr=msapTlsPlcyDhcpVendorOptStr, sapTlsMrpRxInEvent=sapTlsMrpRxInEvent, sapTlsL2ptStatsUdldBpdusRx=sapTlsL2ptStatsUdldBpdusRx, sapCollectAcctStats=sapCollectAcctStats, sapIgQosPlcyQueueStatsOfferedHiPrioPackets=sapIgQosPlcyQueueStatsOfferedHiPrioPackets, sapEgrQosPlcyQueueStatsTable=sapEgrQosPlcyQueueStatsTable, sapEgQosPlcyQueueStatsForwardedOutProfPackets=sapEgQosPlcyQueueStatsForwardedOutProfPackets, sapStaticHostIpAddress=sapStaticHostIpAddress, sapIgQosPlcyQueueStatsUncoloredPacketsOffered=sapIgQosPlcyQueueStatsUncoloredPacketsOffered, sapEgrQosSchedStatsTable=sapEgrQosSchedStatsTable, sapTlsStpBpduEncap=sapTlsStpBpduEncap, sapIngQosQueueStatsDroppedHiPrioPackets=sapIngQosQueueStatsDroppedHiPrioPackets, sapIngQosSchedName=sapIngQosSchedName, sapCemReportAlarmStatus=sapCemReportAlarmStatus, sapAntiSpoofIpAddress=sapAntiSpoofIpAddress, sapIgQosPlcyForwardedOutProfPackets=sapIgQosPlcyForwardedOutProfPackets, sapTlsInfoTable=sapTlsInfoTable, sapCurrentIngressIpv6FilterId=sapCurrentIngressIpv6FilterId, tmnxSapNotifyObjs=tmnxSapNotifyObjs, sapTlsMstiPriority=sapTlsMstiPriority, sapIngQosQueueStatsForwardedInProfPackets=sapIngQosQueueStatsForwardedInProfPackets, sapOperFlags=sapOperFlags, sapIngQosSSummedCIR=sapIngQosSSummedCIR, sapTlsMstiEntry=sapTlsMstiEntry, sapLastMgmtChange=sapLastMgmtChange, sapTlsL2ptForceBoundary=sapTlsL2ptForceBoundary, sapEgrQosQueueId=sapEgrQosQueueId, sapIngQosQId=sapIngQosQId, sapIntendedEgressMacFilterId=sapIntendedEgressMacFilterId, msapIgmpSnpgMcacLagPortsDown=msapIgmpSnpgMcacLagPortsDown, sapIpipeMacRefreshInterval=sapIpipeMacRefreshInterval, sapBaseStatsLastClearedTime=sapBaseStatsLastClearedTime, sapEgressFrameBasedAccounting=sapEgressFrameBasedAccounting, sapPortIdEgrQosSchedFwdPkts=sapPortIdEgrQosSchedFwdPkts, sapCemPacketDefectAlarm=sapCemPacketDefectAlarm, sapCurrentIngressIpFilterId=sapCurrentIngressIpFilterId, sapStaticHostMacAddress=sapStaticHostMacAddress, msapTlsPlcySubMgmtMacDaHashing=msapTlsPlcySubMgmtMacDaHashing, msapTlsPlcyIgmpSnpgSendQueries=msapTlsPlcyIgmpSnpgSendQueries, sapTlsDhcpRemoteIdString=sapTlsDhcpRemoteIdString, tmnxSapMrpV6v0Group=tmnxSapMrpV6v0Group, sapCemStatsEgressESs=sapCemStatsEgressESs, sapIngQosQueueStatsUncoloredOctetsOffered=sapIngQosQueueStatsUncoloredOctetsOffered, tmnxStpRootGuardViolation=tmnxStpRootGuardViolation, sapIngressIpv6FilterId=sapIngressIpv6FilterId, sapIngQosCustId=sapIngQosCustId, sapTlsLimitMacMove=sapTlsLimitMacMove, tmnxSapNotificationObjV6v0Group=tmnxSapNotificationObjV6v0Group, sapTlsMacAddrLimitAlarmRaised=sapTlsMacAddrLimitAlarmRaised, sapBaseStatsIngressPchipOfferedUncoloredOctets=sapBaseStatsIngressPchipOfferedUncoloredOctets, sapIngSchedPlcyStatsTable=sapIngSchedPlcyStatsTable, sapTlsVpnId=sapTlsVpnId, sapTlsDhcpInfoEntry=sapTlsDhcpInfoEntry, sapTlsL2ptStatsDtpBpdusRx=sapTlsL2ptStatsDtpBpdusRx, sapAtmInfoEntry=sapAtmInfoEntry, sapPortIdEgrQosSchedName=sapPortIdEgrQosSchedName, msapTlsPlcyDhcpRemoteIdString=msapTlsPlcyDhcpRemoteIdString, sapEgrQosQAvgOverhead=sapEgrQosQAvgOverhead, sapEgrQosQCIRAdaptation=sapEgrQosQCIRAdaptation, sapTlsDhcpInfoTable=sapTlsDhcpInfoTable, sapEgQosPlcyQueueCustId=sapEgQosPlcyQueueCustId, sapTlsMrpTxJoinInEvent=sapTlsMrpTxJoinInEvent, sapBaseStatsAuthenticationPktsDiscarded=sapBaseStatsAuthenticationPktsDiscarded, sapTlsDhcpLseStateChAddr=sapTlsDhcpLseStateChAddr, sapDHCPSuspiciousPcktRcvd=sapDHCPSuspiciousPcktRcvd, sapTlsShcvAction=sapTlsShcvAction, sapTlsMrpPeriodicTime=sapTlsMrpPeriodicTime, msapTlsPlcyDhcpInfoAction=msapTlsPlcyDhcpInfoAction, sapTlsMmrpEntry=sapTlsMmrpEntry, sapEgrSchedPlcyPortStatsTable=sapEgrSchedPlcyPortStatsTable, sapTlsDHCPLeaseStateOverride=sapTlsDHCPLeaseStateOverride, msapTlsPlcyEgressMcastGroup=msapTlsPlcyEgressMcastGroup, sapTlsMrpDroppedPdus=sapTlsMrpDroppedPdus, tmnxSapStaticHostV6v0Group=tmnxSapStaticHostV6v0Group, sapCemStatsEgressPktsReOrder=sapCemStatsEgressPktsReOrder, sapEgrQosSchedCustId=sapEgrQosSchedCustId, sapPortIdIngQosSchedFwdPkts=sapPortIdIngQosSchedFwdPkts, sapTlsL2ptStatsL2ptEncapUdldBpdusRx=sapTlsL2ptStatsL2ptEncapUdldBpdusRx, sapTlsStpAdminStatus=sapTlsStpAdminStatus, sapTlsDhcpLseStateOption82=sapTlsDhcpLseStateOption82, sapIngQosQMBS=sapIngQosQMBS, sapTlsL2ptStatsL2ptEncapPvstTcnBpdusTx=sapTlsL2ptStatsL2ptEncapPvstTcnBpdusTx, sapAntiSpoofMacAddress=sapAntiSpoofMacAddress, sapTlsMacAddrLimitAlarmCleared=sapTlsMacAddrLimitAlarmCleared, sapEgrQosQueueStatsDroppedInProfOctets=sapEgrQosQueueStatsDroppedInProfOctets, sapCurrentEgressMacFilterId=sapCurrentEgressMacFilterId, sapTlsL2ptStatsStpRstBpdusTx=sapTlsL2ptStatsStpRstBpdusTx, msapIgmpSnpgMcacLagTblLastChgd=msapIgmpSnpgMcacLagTblLastChgd, sapTlsMrpRxPdus=sapTlsMrpRxPdus, sapTlsDhcpLeaseStateEntry=sapTlsDhcpLeaseStateEntry, sapTlsL2ptStatsPvstRstBpdusTx=sapTlsL2ptStatsPvstRstBpdusTx, msapTlsPlcyDhcpPrxyServAddr=msapTlsPlcyDhcpPrxyServAddr, sapTlsCustId=sapTlsCustId, sapTlsL2ptStatsL2ptEncapVtpBpdusRx=sapTlsL2ptStatsL2ptEncapVtpBpdusRx, sapIngQosQueueStatsDroppedLoPrioOctets=sapIngQosQueueStatsDroppedLoPrioOctets, sapStaticHostAncpString=sapStaticHostAncpString, sapEgrQosSchedName=sapEgrQosSchedName, sapTlsL2ptStatsStpTcnBpdusRx=sapTlsL2ptStatsStpTcnBpdusRx, msapIgmpSnpgMcacLevelId=msapIgmpSnpgMcacLevelId, sapTlsDhcpLeaseStateTable=sapTlsDhcpLeaseStateTable, sapSubMgmtNonSubTrafficSubProf=sapSubMgmtNonSubTrafficSubProf, sapIngSchedPlcyPortStatsTable=sapIngSchedPlcyPortStatsTable, sapTlsL2ptStatsL2ptEncapPvstConfigBpdusRx=sapTlsL2ptStatsL2ptEncapPvstConfigBpdusRx, sapTlsMrpTable=sapTlsMrpTable, sapIngSchedPlcyStatsEntry=sapIngSchedPlcyStatsEntry, sapTlsMrpLeaveAllTime=sapTlsMrpLeaveAllTime, sapEgrQosSOverrideFlags=sapEgrQosSOverrideFlags, sapStaticHostIntermediateDestId=sapStaticHostIntermediateDestId, sapTlsMrpRxEmptyEvent=sapTlsMrpRxEmptyEvent, sapEgrQosQueueStatsTable=sapEgrQosQueueStatsTable, msapTlsPlcyEntry=msapTlsPlcyEntry, sapEgrQosPlcyStatsTable=sapEgrQosPlcyStatsTable, sapAtmOamTerminate=sapAtmOamTerminate, sapIgQosPlcyQueueId=sapIgQosPlcyQueueId, sapNumEntries=sapNumEntries, sapBaseStatsIngressQchipForwardedInProfOctets=sapBaseStatsIngressQchipForwardedInProfOctets, sapTlsStpOutRstBpdus=sapTlsStpOutRstBpdus, sapEgrQosPlcyQueueStatsEntry=sapEgrQosPlcyQueueStatsEntry, sapIngressVlanTranslationId=sapIngressVlanTranslationId, sapTlsMrpLeaveTime=sapTlsMrpLeaveTime, sapIgQosPlcyQueueStatsForwardedInProfPackets=sapIgQosPlcyQueueStatsForwardedInProfPackets, sapTlsMvplsMgmtService=sapTlsMvplsMgmtService, sapEgQosPlcyId=sapEgQosPlcyId, msapTlsPlcyIgmpSnpgGenQueryIntv=msapTlsPlcyIgmpSnpgGenQueryIntv, sapPortIdEgrQosSchedStatsTable=sapPortIdEgrQosSchedStatsTable, tmnxSapStpExcepCondStateChng=tmnxSapStpExcepCondStateChng, tmnxSapMstiV6v0Group=tmnxSapMstiV6v0Group, sapPortIdEgrQosSchedStatsEntry=sapPortIdEgrQosSchedStatsEntry, sapTlsDhcpProxyLeaseTime=sapTlsDhcpProxyLeaseTime, sapSubMgmtDefSubIdentString=sapSubMgmtDefSubIdentString, sapEthernetLLFOperStatus=sapEthernetLLFOperStatus, msapPlcySubMgmtSubscriberLimit=msapPlcySubMgmtSubscriberLimit, sapIntendedEgressQosSchedPlcy=sapIntendedEgressQosSchedPlcy, sapTlsNumMacAddresses=sapTlsNumMacAddresses, msapTlsPlcyIgmpSnpgMvrFromVplsId=msapTlsPlcyIgmpSnpgMvrFromVplsId, msapTlsPlcyTblLastChgd=msapTlsPlcyTblLastChgd, sapTlsMstiDesignatedBridge=sapTlsMstiDesignatedBridge, sapTlsL2ptStatsOtherL2ptBpdusTx=sapTlsL2ptStatsOtherL2ptBpdusTx, sapCemStatsEgressSESs=sapCemStatsEgressSESs, sapTlsStpInConfigBpdus=sapTlsStpInConfigBpdus, sapBaseStatsIngressQchipForwardedOutProfPackets=sapBaseStatsIngressQchipForwardedOutProfPackets, sapIngressSharedQueuePolicy=sapIngressSharedQueuePolicy, sapEgrQosQOverrideFlags=sapEgrQosQOverrideFlags, sapCurrentEgressQosPolicyId=sapCurrentEgressQosPolicyId, sapBaseStatsEgressQchipDroppedOutProfOctets=sapBaseStatsEgressQchipDroppedOutProfOctets, sapTlsDhcpVendorIncludeOptions=sapTlsDhcpVendorIncludeOptions, sapTlsL2ptStatsTable=sapTlsL2ptStatsTable, sapStaticHostDynMacAddress=sapStaticHostDynMacAddress, msapIgmpSnpgMcacLevelBW=msapIgmpSnpgMcacLevelBW, sapCurrentEgressQosSchedPlcy=sapCurrentEgressQosSchedPlcy, msapInfoReEvalPolicy=msapInfoReEvalPolicy, sapTlsL2ptProtocols=sapTlsL2ptProtocols, sapTlsL2ptStatsOtherL2ptBpdusRx=sapTlsL2ptStatsOtherL2ptBpdusRx, sapSubType=sapSubType, sapDescription=sapDescription, sapCemInfoEntry=sapCemInfoEntry, sapNotifyPortId=sapNotifyPortId, sapCemStatsEgressJtrBfrOverruns=sapCemStatsEgressJtrBfrOverruns, sapEgressQosPolicyId=sapEgressQosPolicyId, sapTlsL2ptStatsStpConfigBpdusTx=sapTlsL2ptStatsStpConfigBpdusTx, sapTlsShcvInterval=sapTlsShcvInterval, topologyChangeSapState=topologyChangeSapState, msapTlsPlcyIgmpSnpgMcacPrRsvMnBW=msapTlsPlcyIgmpSnpgMcacPrRsvMnBW, msapPlcyEntry=msapPlcyEntry, sapEthernetInfoEntry=sapEthernetInfoEntry, sapPortIdIngQosSchedName=sapPortIdIngQosSchedName, sapIngQosPlcyQueueStatsTable=sapIngQosPlcyQueueStatsTable, sapPortIdEgrQosSchedCustId=sapPortIdEgrQosSchedCustId, sapTlsDhcpStatsClntDropdPckts=sapTlsDhcpStatsClntDropdPckts, msapPlcyAssociatedMsaps=msapPlcyAssociatedMsaps, sapEgrQosSPIR=sapEgrQosSPIR, sapTlsDhcpProxyLTRadiusOverride=sapTlsDhcpProxyLTRadiusOverride, msapPlcySubMgmtNonSubTrafSubProf=msapPlcySubMgmtNonSubTrafSubProf, tmnxSapV6v0Group=tmnxSapV6v0Group, sapTlsShcvSrcMac=sapTlsShcvSrcMac, sapIngQosQueueStatsEntry=sapIngQosQueueStatsEntry, sapTlsL2ptStatsL2ptEncapStpTcnBpdusRx=sapTlsL2ptStatsL2ptEncapStpTcnBpdusRx, sapIngQosQOverrideFlags=sapIngQosQOverrideFlags, sapBaseStatsEgressQchipForwardedInProfPackets=sapBaseStatsEgressQchipForwardedInProfPackets, sapTlsL2ptStatsDtpBpdusTx=sapTlsL2ptStatsDtpBpdusTx, sapEgrQosQueueStatsDroppedInProfPackets=sapEgrQosQueueStatsDroppedInProfPackets, msapInfoCreationSapPortEncapVal=msapInfoCreationSapPortEncapVal, sapCustMultSvcSite=sapCustMultSvcSite, sapIngQosSPIR=sapIngQosSPIR, msapIgmpSnpgMcacLvlTblLastChgd=msapIgmpSnpgMcacLvlTblLastChgd)
mibBuilder.exportSymbols("ALCATEL-IND1-TIMETRA-SAP-MIB", sapTlsDhcpCircuitId=sapTlsDhcpCircuitId, msapPlcyLastChanged=msapPlcyLastChanged, sapEgressQinQMarkTopOnly=sapEgressQinQMarkTopOnly, sapTraps=sapTraps, sapCpmProtMonitorMac=sapCpmProtMonitorMac, sapIngressQosPolicyId=sapIngressQosPolicyId, sapCemStatsEgressUASs=sapCemStatsEgressUASs, sapEgQosPlcyQueueStatsDroppedInProfPackets=sapEgQosPlcyQueueStatsDroppedInProfPackets, sapTlsL2ptStatsCdpBpdusTx=sapTlsL2ptStatsCdpBpdusTx, higherPriorityBridge=higherPriorityBridge, sapTlsStpDesignatedPort=sapTlsStpDesignatedPort, sapTlsManagedVlanListEntry=sapTlsManagedVlanListEntry, sapEgrQosSchedInfoEntry=sapEgrQosSchedInfoEntry, msapPlcySubMgmtNonSubTrafAppProf=msapPlcySubMgmtNonSubTrafAppProf, sapCemStatsEgressMalformedPkts=sapCemStatsEgressMalformedPkts, msapStatus=msapStatus, msapInfoLastChanged=msapInfoLastChanged, sapEgrSchedPlcyStatsTable=sapEgrSchedPlcyStatsTable, sapAntiSpoofTable=sapAntiSpoofTable, sapIgQosPlcyQueueStatsDroppedHiPrioOctets=sapIgQosPlcyQueueStatsDroppedHiPrioOctets, sapBaseStatsIngressQchipForwardedOutProfOctets=sapBaseStatsIngressQchipForwardedOutProfOctets, msapTlsPlcyIgmpSnpgVersion=msapTlsPlcyIgmpSnpgVersion, sapIngressMatchQinQDot1PBits=sapIngressMatchQinQDot1PBits, sapEgrQosQueueStatsDroppedOutProfPackets=sapEgrQosQueueStatsDroppedOutProfPackets, receivedTCN=receivedTCN, sapDeleted=sapDeleted, sapIngSchedPlcyStatsFwdPkt=sapIngSchedPlcyStatsFwdPkt, sapTlsStpPortNum=sapTlsStpPortNum, sapEgrQosQueueStatsEntry=sapEgrQosQueueStatsEntry, sapAccountingPolicyId=sapAccountingPolicyId, svcManagedSapCreationError=svcManagedSapCreationError, msapTlsPlcyTable=msapTlsPlcyTable, sapIngQosSName=sapIngQosSName, msapPlcyCpmProtPolicyId=msapPlcyCpmProtPolicyId, msapPlcyTblLastChgd=msapPlcyTblLastChgd, msapPlcyCpmProtMonitorMac=msapPlcyCpmProtMonitorMac, msapInfoTblLastChgd=msapInfoTblLastChgd, sapTlsStpInsideRegion=sapTlsStpInsideRegion, sapIngQosQueueStatsDroppedHiPrioOctets=sapIngQosQueueStatsDroppedHiPrioOctets, sapEgrQosQueueStatsForwardedInProfPackets=sapEgrQosQueueStatsForwardedInProfPackets, sapTlsDhcpOperLeasePopulate=sapTlsDhcpOperLeasePopulate, sapTlsMvplsPruneState=sapTlsMvplsPruneState, msapTlsPlcyDhcpVendorInclOpts=msapTlsPlcyDhcpVendorInclOpts, sapIpipeArpedMacAddress=sapIpipeArpedMacAddress, sapCemStatsEgressMisOrderDropped=sapCemStatsEgressMisOrderDropped, msapIgmpSnpgMcacLagLevel=msapIgmpSnpgMcacLagLevel, sapEgrQosQueueStatsForwardedOutProfPackets=sapEgrQosQueueStatsForwardedOutProfPackets, sapTlsDhcpAdminState=sapTlsDhcpAdminState, sapPortIdEgrPortId=sapPortIdEgrPortId, sapIngQosQueueInfoTable=sapIngQosQueueInfoTable, sapTlsStpOutMstBpdus=sapTlsStpOutMstBpdus, msapIgmpSnpgMcacLevelRowStatus=msapIgmpSnpgMcacLevelRowStatus, sapTlsDhcpMsapTrigger=sapTlsDhcpMsapTrigger, tmnxSapL2ptV6v0Group=tmnxSapL2ptV6v0Group, sapIngSchedPlcyStatsFwdOct=sapIngSchedPlcyStatsFwdOct, bridgedTLS=bridgedTLS, sapEgrSchedPlcyStatsEntry=sapEgrSchedPlcyStatsEntry, sapTlsManagedVlanListTable=sapTlsManagedVlanListTable, sapTlsL2ptStatsCdpBpdusRx=sapTlsL2ptStatsCdpBpdusRx, msapPlcySubMgmtProfiledTrafOnly=msapPlcySubMgmtProfiledTrafOnly, sapSubMgmtProfiledTrafficOnly=sapSubMgmtProfiledTrafficOnly, sapCemPacketDefectAlarmClear=sapCemPacketDefectAlarmClear, sapIngQosQueueInfoEntry=sapIngQosQueueInfoEntry, sapIntendedIngressIpFilterId=sapIntendedIngressIpFilterId, tmnxSap7450V6v0Compliance=tmnxSap7450V6v0Compliance, msapPlcySubMgmtNonSubTrafSlaProf=msapPlcySubMgmtNonSubTrafSlaProf, sapIngQosQueueStatsOfferedLoPrioOctets=sapIngQosQueueStatsOfferedLoPrioOctets, sapSubMgmtNonSubTrafficAppProf=sapSubMgmtNonSubTrafficAppProf, sapTlsMacPinning=sapTlsMacPinning, sapAtmEgressTrafficDescIndex=sapAtmEgressTrafficDescIndex, msapTlsPlcyDhcpRemoteId=msapTlsPlcyDhcpRemoteId, sapEgrSchedPlcyStatsFwdOct=sapEgrSchedPlcyStatsFwdOct, sapSubMgmtDefSubProfile=sapSubMgmtDefSubProfile, sapEgQosPlcyQueueStatsForwardedInProfOctets=sapEgQosPlcyQueueStatsForwardedInProfOctets, sapIngQosSOverrideFlags=sapIngQosSOverrideFlags, sapIngQosQHiPrioOnly=sapIngQosQHiPrioOnly, sapTlsL2ptStatsL2ptEncapPvstTcnBpdusRx=sapTlsL2ptStatsL2ptEncapPvstTcnBpdusRx, sapBaseStatsIngressQchipDroppedLoPrioOctets=sapBaseStatsIngressQchipDroppedLoPrioOctets, sapCemStatsTable=sapCemStatsTable, sapBaseStatsIngressPchipOfferedUncoloredPackets=sapBaseStatsIngressPchipOfferedUncoloredPackets, msapInfoTable=msapInfoTable, sapTlsDHCPSuspiciousPcktRcvd=sapTlsDHCPSuspiciousPcktRcvd, sapReceiveOwnBpdu=sapReceiveOwnBpdu, sapPortIdIngQosSchedCustId=sapPortIdIngQosSchedCustId, sapSubMgmtSubIdentPolicy=sapSubMgmtSubIdentPolicy, sapIntendedIngressIpv6FilterId=sapIntendedIngressIpv6FilterId, sapEgrSchedPlcyPortStatsPort=sapEgrSchedPlcyPortStatsPort, sapIngrQosPlcyStatsEntry=sapIngrQosPlcyStatsEntry, sapCemLastMgmtChange=sapCemLastMgmtChange, sapStaticHostTable=sapStaticHostTable, sapTlsL2ptStatsPagpBpdusTx=sapTlsL2ptStatsPagpBpdusTx, sapCemJitterBuffer=sapCemJitterBuffer, sapEgQosPlcyForwardedOutProfPackets=sapEgQosPlcyForwardedOutProfPackets, sapIngQosQueueStatsOfferedLoPrioPackets=sapIngQosQueueStatsOfferedLoPrioPackets, sapCemStatsEgressLBitDropped=sapCemStatsEgressLBitDropped, sapStaticHostShcvReplyTime=sapStaticHostShcvReplyTime, sapEgrQosQPIRAdaptation=sapEgrQosQPIRAdaptation, sapTlsDefMsapPolicy=sapTlsDefMsapPolicy, sapStaticHostRetailerIf=sapStaticHostRetailerIf, sapTlsMrpRxLeaveEvent=sapTlsMrpRxLeaveEvent, sapCurrentIngressQosSchedPlcy=sapCurrentIngressQosSchedPlcy, sapIgQosPlcyForwardedOutProfOctets=sapIgQosPlcyForwardedOutProfOctets, timetraSvcSapMIBModule=timetraSvcSapMIBModule, sapTlsPppoeMsapTrigger=sapTlsPppoeMsapTrigger, sapTlsDhcpLseStateRemainLseTime=sapTlsDhcpLseStateRemainLseTime, sapTlsMrpRxJoinEmptyEvent=sapTlsMrpRxJoinEmptyEvent, tmnxSapObjs=tmnxSapObjs, sapTlsStpRxdDesigBridge=sapTlsStpRxdDesigBridge, sapTlsL2ptStatsL2ptEncapPagpBpdusRx=sapTlsL2ptStatsL2ptEncapPagpBpdusRx, sapTlsStpOperProtocol=sapTlsStpOperProtocol, sapBaseStatsEgressQchipDroppedInProfPackets=sapBaseStatsEgressQchipDroppedInProfPackets, sapIngQosPlcyQueueStatsEntry=sapIngQosPlcyQueueStatsEntry, sapEgrSchedPlcyPortStatsFwdPkt=sapEgrSchedPlcyPortStatsFwdPkt, sapDhcpOperLeasePopulate=sapDhcpOperLeasePopulate, tmnxSapNotifyGroup=tmnxSapNotifyGroup, sapDHCPLseStateOverride=sapDHCPLseStateOverride, sapBaseStatsEgressQchipDroppedInProfOctets=sapBaseStatsEgressQchipDroppedInProfOctets, sapCemStatsEgressDroppedPkts=sapCemStatsEgressDroppedPkts, sapTlsL2ptStatsOtherBpdusRx=sapTlsL2ptStatsOtherBpdusRx, sapEncapPVST=sapEncapPVST, sapTlsDiscardUnknownSource=sapTlsDiscardUnknownSource, sapTlsMvplsRowStatus=sapTlsMvplsRowStatus, sapBaseStatsIngressQchipForwardedInProfPackets=sapBaseStatsIngressQchipForwardedInProfPackets, sapEgQosPlcyForwardedOutProfOctets=sapEgQosPlcyForwardedOutProfOctets, sapBaseStatsTable=sapBaseStatsTable, sapCemStatsIngressDroppedPkts=sapCemStatsIngressDroppedPkts, sapTlsNumStaticMacAddresses=sapTlsNumStaticMacAddresses, sapBaseStatsIngressPchipDroppedPackets=sapBaseStatsIngressPchipDroppedPackets, sapIngQosQueueStatsForwardedOutProfPackets=sapIngQosQueueStatsForwardedOutProfPackets, sapDHCPProxyServerError=sapDHCPProxyServerError, sapEgrQosQAdminPIR=sapEgrQosQAdminPIR, tmnxSapPortIdV6v0Group=tmnxSapPortIdV6v0Group, sapStaticHostFwdingState=sapStaticHostFwdingState, sapEgrQosQueueInfoTable=sapEgrQosQueueInfoTable, tmnxSapObsoletedNotifyGroup=tmnxSapObsoletedNotifyGroup, sapIngQosSchedInfoEntry=sapIngQosSchedInfoEntry, sapIntendedEgressIpv6FilterId=sapIntendedEgressIpv6FilterId, sapIngQosQueueStatsOfferedHiPrioPackets=sapIngQosQueueStatsOfferedHiPrioPackets, sapTlsDhcpLseStatePersistKey=sapTlsDhcpLseStatePersistKey, sapDHCPSubAuthError=sapDHCPSubAuthError, sapTlsStpOutTcnBpdus=sapTlsStpOutTcnBpdus, sapTlsL2ptStatsStpRstBpdusRx=sapTlsL2ptStatsStpRstBpdusRx, sapTlsL2ptStatsVtpBpdusTx=sapTlsL2ptStatsVtpBpdusTx, sapSubMgmtDefSubIdent=sapSubMgmtDefSubIdent, sapIesIfIndex=sapIesIfIndex, sapTlsMrpTxInEvent=sapTlsMrpTxInEvent, sapIgQosPlcyQueueCustId=sapIgQosPlcyQueueCustId, tmnxSapDhcpV6v0Group=tmnxSapDhcpV6v0Group, msapTlsPlcyDhcpPrxyAdminState=msapTlsPlcyDhcpPrxyAdminState, sapAtmIngressTrafficDescIndex=sapAtmIngressTrafficDescIndex, sapCemRemoteEcid=sapCemRemoteEcid, sapTlsMstiPortRole=sapTlsMstiPortRole, sapTlsMrpJoinTime=sapTlsMrpJoinTime, msapCaptureSapStatsPktsDropped=msapCaptureSapStatsPktsDropped, tmnxSapPolicyV6v0Group=tmnxSapPolicyV6v0Group, sapEgressAggRateLimit=sapEgressAggRateLimit, sapTlsL2ptStatsL2ptEncapCdpBpdusTx=sapTlsL2ptStatsL2ptEncapCdpBpdusTx, sapTlsMacAgeing=sapTlsMacAgeing, sapTlsL2ptStatsL2ptEncapUdldBpdusTx=sapTlsL2ptStatsL2ptEncapUdldBpdusTx, msapIgmpSnpgMcacLevelEntry=msapIgmpSnpgMcacLevelEntry, sapTrapsPrefix=sapTrapsPrefix, sapTlsShcvSrcIp=sapTlsShcvSrcIp, sapStatusChanged=sapStatusChanged, sapIgQosPlcyDroppedHiPrioPackets=sapIgQosPlcyDroppedHiPrioPackets, sapTlsArpReplyAgent=sapTlsArpReplyAgent, sapIngQosQueueStatsForwardedOutProfOctets=sapIngQosQueueStatsForwardedOutProfOctets, sapTlsDhcpLseStateCiAddr=sapTlsDhcpLseStateCiAddr, sapTodMonitorTable=sapTodMonitorTable, sapCemStatsEgressOverrunCounts=sapCemStatsEgressOverrunCounts, sapEgQosPlcyQueuePlcyId=sapEgQosPlcyQueuePlcyId, sapPortStateChangeProcessed=sapPortStateChangeProcessed, sapTlsDhcpStatsClntSnoopdPckts=sapTlsDhcpStatsClntSnoopdPckts, sapTlsBpduTransOper=sapTlsBpduTransOper, sapEgrSchedPlcyPortStatsEntry=sapEgrSchedPlcyPortStatsEntry, sapTlsMacLearning=sapTlsMacLearning, sapStaticHostSubProfile=sapStaticHostSubProfile, msapPlcySubMgmtDefSlaProfile=msapPlcySubMgmtDefSlaProfile, sapTlsMmrpRegistered=sapTlsMmrpRegistered, sapTlsMrpTxEmptyEvent=sapTlsMrpTxEmptyEvent, sapAtmOamAlarmCellHandling=sapAtmOamAlarmCellHandling, sapStaticHostRetailerSvcId=sapStaticHostRetailerSvcId, sapBaseStatsIngressPchipOfferedLoPrioPackets=sapBaseStatsIngressPchipOfferedLoPrioPackets, sapTlsDhcpStatsClntProxRadPckts=sapTlsDhcpStatsClntProxRadPckts, sapEgrQosQueueStatsDroppedOutProfOctets=sapEgrQosQueueStatsDroppedOutProfOctets, sapTlsRestProtSrcMacAction=sapTlsRestProtSrcMacAction, tmnxSapQosV6v0Group=tmnxSapQosV6v0Group, msapStateChanged=msapStateChanged, sapIgQosPlcyId=sapIgQosPlcyId, sapSubMgmtNonSubTrafficSubIdent=sapSubMgmtNonSubTrafficSubIdent, sapEgQosPlcyDroppedOutProfPackets=sapEgQosPlcyDroppedOutProfPackets, sapCemReportAlarm=sapCemReportAlarm, sapIngressMacFilterId=sapIngressMacFilterId, sapTlsAuthenticationPolicy=sapTlsAuthenticationPolicy, sapTlsDhcpStatsTable=sapTlsDhcpStatsTable, sapTlsL2ptStatsOtherBpdusTx=sapTlsL2ptStatsOtherBpdusTx, sapTlsL2ptStatsL2ptEncapStpConfigBpdusTx=sapTlsL2ptStatsL2ptEncapStpConfigBpdusTx, sapTlsL2ptStatsPvstTcnBpdusTx=sapTlsL2ptStatsPvstTcnBpdusTx, sapTlsMvplsMaxVlanTag=sapTlsMvplsMaxVlanTag, sapTlsL2ptStatsStpConfigBpdusRx=sapTlsL2ptStatsStpConfigBpdusRx, sapCemEndpointType=sapCemEndpointType, sapOperStatus=sapOperStatus, sapStaticHostEntry=sapStaticHostEntry, sapIngrQosPlcyStatsTable=sapIngrQosPlcyStatsTable, sapIgQosPlcyQueueStatsDroppedLoPrioPackets=sapIgQosPlcyQueueStatsDroppedLoPrioPackets, sapTlsDhcpStatsGenReleasePckts=sapTlsDhcpStatsGenReleasePckts, msapIgmpSnpgMcacLevelTable=msapIgmpSnpgMcacLevelTable, sapCemStatsEgressMultipleDropped=sapCemStatsEgressMultipleDropped, sapTlsL2ptStatsL2ptEncapVtpBpdusTx=sapTlsL2ptStatsL2ptEncapVtpBpdusTx, sapEgrQosQId=sapEgrQosQId, msapTlsPlcyIgmpSnpgQueryRespIntv=msapTlsPlcyIgmpSnpgQueryRespIntv, sapTlsStpRootGuardViolation=sapTlsStpRootGuardViolation, sapIngQosQCIRAdaptation=sapIngQosQCIRAdaptation, sapTodMonitorEntry=sapTodMonitorEntry, sapEthernetLLFAdminStatus=sapEthernetLLFAdminStatus, sapRowStatus=sapRowStatus, msapTlsPlcyIgmpSnpgLastMembIntvl=msapTlsPlcyIgmpSnpgLastMembIntvl, sapTlsMrpTxNewEvent=sapTlsMrpTxNewEvent, sapIpipeInfoEntry=sapIpipeInfoEntry, msapTlsPlcyDhcpLeasePopulate=msapTlsPlcyDhcpLeasePopulate, sapTlsDhcpStatsSrvrForwdPckts=sapTlsDhcpStatsSrvrForwdPckts)
|
#!/usr/bin/python3
# -*- coding: utf-8 -*-
"""
Este programa intenta mostrar un ejemplo clásico pero considerando
la codificación (UTF8, UNICODE, TERMINAL). Además muestra como
solicitar información al usuario y como codificar/decodificar esta.
Ejemplos de ejecución:
>> python helloWorldUTF8.py
"""
# la función "print" se encarga de codificar apropiadamente la salida
# Al agregar la letra 'u' (antes de las comillas) definimos el texto como UNICODE
print(u"Hola, Anónimo")
# Definimos una variable desde el código
# Podemos usar cualquier palabra (no usada anteriormente)
# y le asignamos como valor una cadena de texto
# Esta variable va a guardar una cadena de texto
# Los caracteres "\n" significan "salto de línea"
pregunta = u"¿Cómo te llamas?\n>> "
# Ahora pedimos al usuario información en la terminal, guardamos la respuesta en una variable
# En Python3 TODAS las cadenas son unicode, no hay decode
nombre = input(pregunta)
# Ahora "decodificamos" el nombre de la codificación actual de la terminal a UNICODE
# Codificación actual de la terminal: "sys.stdin.encoding"
nombre = nombre
# Por último imprimimos un saludo que incluye el nommbre recibido del usuario
# Usamos el signo de suma "+" para unir dos o más cadenas de texto, sean literales o variables
print(u"¡Hola, "+nombre+"!") |
"""
937. Reorder Data in Log Files
Easy
You are given an array of logs. Each log is a space-delimited string of words, where the first word is the identifier.
There are two types of logs:
Letter-logs: All words (except the identifier) consist of lowercase English letters.
Digit-logs: All words (except the identifier) consist of digits.
Reorder these logs so that:
The letter-logs come before all digit-logs.
The letter-logs are sorted lexicographically by their contents. If their contents are the same, then sort them lexicographically by their identifiers.
The digit-logs maintain their relative ordering.
Return the final order of the logs.
Example 1:
Input: logs = ["dig1 8 1 5 1","let1 art can","dig2 3 6","let2 own kit dig","let3 art zero"]
Output: ["let1 art can","let3 art zero","let2 own kit dig","dig1 8 1 5 1","dig2 3 6"]
Explanation:
The letter-log contents are all different, so their ordering is "art can", "art zero", "own kit dig".
The digit-logs have a relative order of "dig1 8 1 5 1", "dig2 3 6".
Example 2:
Input: logs = ["a1 9 2 3 1","g1 act car","zo4 4 7","ab1 off key dog","a8 act zoo"]
Output: ["g1 act car","a8 act zoo","ab1 off key dog","a1 9 2 3 1","zo4 4 7"]
Constraints:
1 <= logs.length <= 100
3 <= logs[i].length <= 100
All the tokens of logs[i] are separated by a single space.
logs[i] is guaranteed to have an identifier and at least one word after the identifier.
"""
# V0
# IDEA : SORT BY KEY
class Solution:
def reorderLogFiles(self, logs):
def f(log):
id_, rest = log.split(" ", 1)
"""
NOTE !!!
2 cases:
1) case 1: rest[0].isalpha() => sort by rest, id_
2) case 2: rest[0] is digit => DO NOTHING (keep original order)
syntax:
if condition:
return key1, key2, key3 ....
"""
if rest[0].isalpha():
return 0, rest, id_
else:
return 1, None, None
#return 100, None, None # since we need to put Digit-logs behind of Letter-logs, so first key should be ANY DIGIT BIGGER THAN 0
logs.sort(key = lambda x : f(x))
return logs
# V1
# IDEA : SORT BY keys
# https://leetcode.com/problems/reorder-data-in-log-files/solution/
class Solution:
def reorderLogFiles(self, logs):
def get_key(log):
_id, rest = log.split(" ", maxsplit=1)
"""
NOTE !!!
2 cases:
1) case 1: rest[0].isalpha() => sort by rest, id_
2) case 2: rest[0] is digit => DO NOTHING (keep original order)
"""
return (0, rest, _id) if rest[0].isalpha() else (1, )
return sorted(logs, key=get_key)
# V1
# https://blog.csdn.net/fuxuemingzhu/article/details/83961188
# IDEA :
# THE NEEDED RETURN FORM :
# sorted alphabet-log + sorted nums-log
class Solution(object):
def reorderLogFiles(self, logs):
letters = []
nums = []
for log in logs:
logsplit = log.split(" ")
if logsplit[1].isalpha():
letters.append((" ".join(logsplit[1:]), logsplit[0]))
else:
nums.append(log)
letters.sort()
return [letter[1] + " " + letter[0] for letter in letters] + nums
# V1'
# https://leetcode.com/problems/reorder-data-in-log-files/solution/
# IDEA : SORT BY KEY
class Solution:
def reorderLogFiles(self, logs: List[str]) -> List[str]:
def get_key(log):
_id, rest = log.split(" ", maxsplit=1)
return (0, rest, _id) if rest[0].isalpha() else (1, )
return sorted(logs, key=get_key)
# V1'
# IDEA : Comparator
# https://leetcode.com/problems/reorder-data-in-log-files/solution/
# JAVA
# class Solution {
# public String[] reorderLogFiles(String[] logs) {
#
# Comparator<String> myComp = new Comparator<String>() {
# @Override
# public int compare(String log1, String log2) {
# // split each log into two parts: <identifier, content>
# String[] split1 = log1.split(" ", 2);
# String[] split2 = log2.split(" ", 2);
#
# boolean isDigit1 = Character.isDigit(split1[1].charAt(0));
# boolean isDigit2 = Character.isDigit(split2[1].charAt(0));
#
# // case 1). both logs are letter-logs
# if (!isDigit1 && !isDigit2) {
# // first compare the content
# int cmp = split1[1].compareTo(split2[1]);
# if (cmp != 0)
# return cmp;
# // logs of same content, compare the identifiers
# return split1[0].compareTo(split2[0]);
# }
#
# // case 2). one of logs is digit-log
# if (!isDigit1 && isDigit2)
# // the letter-log comes before digit-logs
# return -1;
# else if (isDigit1 && !isDigit2)
# return 1;
# else
# // case 3). both logs are digit-log
# return 0;
# }
# };
#
# Arrays.sort(logs, myComp);
# return logs;
# }
# }
# V2
# https://www.programiz.com/python-programming/methods/string/isalpha
# isalpha()
# The isalpha() method returns True if all characters in the string are alphabets. If not, it returns False.
# https://blog.csdn.net/GQxxxxxl/article/details/83961863
class Solution:
def reorderLogFiles(self, logs):
def f(log):
id_, rest = log.split(" ", 1)
return (0, rest, id_) if rest[0].isalpha() else (1,)
logs.sort(key = lambda x : f(x))
return logs #sorted(logs, key = f)
# V2'
class Solution:
def reorderLogFiles(self, logs):
"""
:type logs: List[str]
:rtype: List[str]
"""
def f(log):
id_, rest = log.split(" ", 1)[0], log.split(" ", 1)[1:][0]
return (0, rest, id_) if rest[0].isalpha() else (1,)
return sorted(logs, key = f)
# V3
# Time: O(nlogn * l), n is the length of files, l is the average length of strings
# Space: O(l)
class Solution(object):
def reorderLogFiles(self, logs):
"""
:type logs: List[str]
:rtype: List[str]
"""
def f(log):
i, content = log.split(" ", 1)
return (0, content, i) if content[0].isalpha() else (1,)
logs.sort(key=f)
return logs |
class Product:
def doStuff(self): pass
def foo(product):
product.doStuff() |
'''input
-1 -1 1 1
'''
a = list(map(int, input().split()))
print(abs(a[2]-a[0]) + abs(a[3]-a[1]))
|
def histogram(s):
d = dict()
for c in s:
d[c] = d.get(c, s.count(c))
return d
def invert_dict(d):
inverse = dict()
for key in d:
value = d[key]
inverse.setdefault(value, [])
inverse[value].append(key)
return inverse
h = histogram('brontosaurus')
print(invert_dict(h))
|
# CPU: 0.06 s
line = input()
length = len(line)
upper_count = 0
lower_count = 0
whitespace_count = 0
symbol_count = 0
for char in line:
if char == "_":
whitespace_count += 1
elif 97 <= ord(char) <= 122:
lower_count += 1
elif 65 <= ord(char) <= 90:
upper_count += 1
else:
symbol_count += 1
print(whitespace_count / length)
print(lower_count / length)
print(upper_count / length)
print(symbol_count / length)
|
"""
ID: caleb.h1
LANG: PYTHON3
PROG: friday
"""
'''
Test 1: TEST OK [0.025 secs, 9280 KB]
Test 2: TEST OK [0.025 secs, 9276 KB]
Test 3: TEST OK [0.022 secs, 9428 KB]
Test 4: TEST OK [0.025 secs, 9324 KB]
Test 5: TEST OK [0.025 secs, 9284 KB]
Test 6: TEST OK [0.025 secs, 9428 KB]
Test 7: TEST OK [0.025 secs, 9332 KB]
Test 8: TEST OK [0.027 secs, 9348 KB]
'''
def get_days_from_month(month:int, year:int=1) -> int:
# 0 - jan
# 1 - feb
month_31 = {0, 2, 4, 6, 7, 9, 11}
if month in month_31:
return 31
if month == 1:
# definitely not a leap year
if year % 4:
return 28
# divisible by 100 and NOT 400
if year % 100 == 0 and year % 400:
return 28
# divis by 4 or by 400 but not 100
return 29
return 30
def main():
day_counter = [0] * 7
cur_day = 13 % 7 # 13-Jan-1900
with open('friday.in', 'r') as f:
num_years = int(f.read())
for cur_year in range(num_years):
# repeat 12 for 12 months
for cur_month in range(12):
day_counter[cur_day] += 1
cur_day += get_days_from_month(cur_month, 1900 + cur_year)
cur_day %= 7
day_counter = [str(i) for i in day_counter]
with open('friday.out', 'w') as f:
f.write(' '.join([day_counter[-1]] + day_counter[:-1]))
f.write('\n')
if __name__ == '__main__':
main() |
# Test Program
# This program prints "Hello World!" to Standard Output
print('Hello World!')
|
"""
Given an integer array nums, return true if any value appears at least twice in the array, and return false if every element is distinct.
Example 1:
Input: nums = [1,2,3,1]
Output: true
Example 2:
Input: nums = [1,2,3,4]
Output: false
Example 3:
Input: nums = [1,1,1,3,3,4,3,2,4,2]
Output: true
Constraints:
1 <= nums.length <= 10^5
-10^9 <= nums[i] <= 10^9
"""
class Solution:
def containsDuplicate(self, nums: List[int]) -> bool:
board = set()
for i in nums:
if i in board:
return True
else:
board.add(i)
return False
|
# http://www.practicepython.org/exercise/2014/02/15/03-list-less-than-ten.html
# 3 listLessThanTen.py
a = [1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89]
for i in a:
if i < 5:
print(i)
print('')
# Extra 1
b = []
for i in a:
if i < 5:
b.append(i)
print(b)
print('')
# Extra 2
print([x for x in a if x < 5])
print('')
# Extra 3
num = input('Give me a number: ')
print('These are the numbers smaller than ' + num + ': ' + str([x for x in a if x < int(num)]))
|
"""
[2015-06-26] Challenge #220 [Hard] Substitution Cryptanalysis
https://www.reddit.com/r/dailyprogrammer/comments/3b668g/20150626_challenge_220_hard_substitution/
# [](#HardIcon) _(Hard)_: Substitution Cryptanalysis
A [substitution cipher](https://en.wikipedia.org/?title=Substitution_cipher) is one where each letter in the alphabet
is substituted for another letter. It's like a Caesar shift cipher, but where every letter is ciphered independently.
For example, look at the two rows below.
abcdefghijklmnopqrstuvwxyz
YOJHZKNEALPBRMCQDVGUSITFXW
To encode something, find the letter on the top row, and swap it with the letter on the bottom row - and vice versa.
For example, the plaintext:
hello world
Becomes:
EZBBC TCVBH
Now, how would you go about decrypting something like this? Let's take another example, with a different key.
IAL FTNHPL PDDI DR RDNP WF IUD
You're also given the following hints: `A` is ciphered to `H` and `O` is ciphered to `D`. You know the text was in
English, so you could plausibly use a word list to rule out impossible decrypted texts - for example, in the third
words `PDDI`, there is a double-O in the middle, so the first letter rules out P being the letter Q, as Q is always
followed by a U.
Your challenge is to decrypt a cipher-text into a list of possible original texts using a few letters of the
substitution key, and whichever means you have at your disposal.
# Formal Inputs and Outputs
## Input Description
On the first line of input you will be given the ciphertext. Then, you're given a number **N**. Finally, on the next
**N** lines, you're given pairs of letters, which are pieces of the key. For example, to represent our situation above:
IAL FTNHPL PDDI DR RDNP WF IUD
2
aH
oD
Nothing is case-sensitive. You may assume all plain-texts are in English. Punctuation is preserved, including spaces.
## Output Description
Output a list of possible plain-texts. Sometimes this may only be one, if your input is specific enough. In this case:
the square root of four is two
You don't need to output the entire substitution key. In fact, it may not even be possible to do so, if the original
text isn't a pangram.
# Sample Inputs and Outputs
## Sample 1
### Input
LBH'ER ABG PBBXVAT CBEX PUBC FNAQJVPURF
2
rE
wJ
### Output
you're not cooking pork chop sandwiches
you're nob cooking pork chop sandwiches
Obviously we can guess which output is valid.
## Sample 2
### Input
This case will check your word list validator.
ABCDEF
2
aC
zF
### Output
quartz
## Sample 3
### Input
WRKZ DG ZRDG D AOX'Z VQVX
2
wW
sG
### Output
what is this i don't even
whet is this i can't ulun
(what's a ulun? I need a better word list!)
## Sample 4
### Input
JNOH MALAJJGJ SLNOGQ JSOGX
1
sX
### Output
long parallel ironed lines
# Notes
There's a handy word-list [here](https://gist.githubusercontent.com/Quackmatic/512736d51d84277594f2/raw/words) or you
could check out [this thread](/r/dailyprogrammer/comments/2nluof/) talking about word lists.
You could also *in*validate words, rather than just validating them - check out [this list of impossible two-letter
combinations](http://linguistics.stackexchange.com/questions/4082/impossible-bigrams-in-the-english-language). If
you're using multiple systems, perhaps you could use a weighted scoring system to find the correct decrypted text.
There's an [example solver](http://quipqiup.com/) for this type of challenge, which will try to solve it, but it has a
really weird word-list and ignores punctuation so it may not be awfully useful.
Got any cool challenge ideas? Post them to /r/DailyProgrammer_Ideas!
"""
def main():
pass
if __name__ == "__main__":
main()
|
# Calculadora construida em Python
# Calculadora ligada
ligado = 0
print("\n--------Calculadora em Python--------\n")
while ligado == 0:
print(u"Operações disponíveis:\n1. Soma\n2. Subtração\n3. Multiplicação\n4.Divisão\n")
verificador1 = 0
while verificador1 == 0:
operacao = int(input(u"Qual operação você deseja realizar (1/2/3/4)? "))
if operacao in [1,2,3,4]:
verificador1+=1
else:
print(u"Número de operação inválido")
numero1 = float(input(u"\nEscolha o primeiro número: "))
numero2 = float(input(u"Escolha o segundo número: "))
if operacao == 1:
resultado = numero1 + numero2
print(f"\nResultado da soma {resultado}")
elif operacao == 2:
resultado = numero1 - numero2
print(f"\nResultado da subtração {resultado}")
elif operacao == 3:
resultado = numero1 * numero2
print(f"\nResultado da multiplicação {resultado}")
elif operacao == 4:
resultado = numero1 / numero2
print(f"\nResultado da divisão {round(resultado, 2)}")
verificador2 = 0
while verificador2 == 0:
confirmadao_saida = input(u"\nDeseja realizar outra operação (s/n)? ")
if confirmadao_saida == 's':
verificador2+=1
ligado = 0
elif confirmadao_saida == 'n':
verificador2+=1
ligado = 1
else:
print(u"\nOpção inválida. Tente novamente.")
else:
print("\n-----Desligando calculadora-----") |
MAINNET_PORT = 18981
TESTNET_PORT = 28981
LOCAL_ADDRESS = "127.0.0.1"
LOCAL_DAEMON_ADDRESS_MAINNET = "{}:{}".format(LOCAL_ADDRESS, MAINNET_PORT)
LOCAL_DAEMON_ADDRESS_TESTNET = "{}:{}".format(LOCAL_ADDRESS, TESTNET_PORT)
DAEMON_RPC_URL = "http://{}/json_rpc"
|
def main():
compute_deeper_readings('src/december01/depths.txt')
def compute_deeper_readings(readings):
deeper_readings = 0
previous_depth = 0
with open(readings, 'r') as depths:
for depth in depths:
if int(depth) > previous_depth:
deeper_readings += 1
previous_depth = int(depth)
print("The number of deeper depth readings is: ", deeper_readings - 1)
# We deduct one, to compensate for the first reading, which compared to
# the initialized value of previous_depth.
if __name__ == "__main__":
main()
|
print('=====Desafio 056=====')
somaidade=0
mediaidade=0
maioridadehomem=0
nomevelho= ''
totmulher20 = 0
for p in range(1,5):
print('----- {}ª PESSOA -----'.format(p))
nome=str(input('Nome: ')).strip()
idade=int(input('Idade: '))
sexo=str(input('[M/F]: ')).strip()
somaidade += idade
if p == 1 and sexo in 'Mm':
maioridadehomem= idade
nomevelho = nome
if sexo in 'Mm' and idade > maioridadehomem:
maioridadehomem = idade
nomevelho= nome
if sexo in 'Ff'and idade >20:
totmulher20 += 1
mediaidade = somaidade / 4
print('A média de idade do grupo é de {} anos.'.format(mediaidade))
print('O homem mais velho tem {} anos e se chama {}.'.format(maioridadehomem, nomevelho))
print('Ao todo são {} mulheres com menos de 20 anos.'.format(totmulher20))
|
## https://leetcode.com/problems/unique-email-addresses/
## goal is to find the number of unique email addresses, given
## some rules for simplifying a given email address.
## solution is to write a function to sanitize a single
## email address, then map it over the inputs, then return
## the size of a set of the sanitized inputs
## ends up at ~97th percentile in terms of runtime, though
## only15th percentile in terms of RAM
class Solution:
def sanitize_email_address(self, email: str) -> str:
user, domain = email.split('@')
## drop everything after the first plus
user = user.split('+')[0]
## remove any dots
user = user.replace('.', '')
return user+'@'+domain
def numUniqueEmails(self, emails: List[str]) -> int:
cleaned_emails = map(self.sanitize_email_address, emails)
return len(set(cleaned_emails)) |
#
# Copyright 2013-2016 University of Southern California
#
# 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.
#
"""ERMREST URL abstract syntax tree (AST) for data resource path-addressing.
"""
class PathElem (object):
is_filter = False
is_context = False
class TableElem (PathElem):
"""A path element with a single name must be a table."""
def __init__(self, name):
self.name = name
self.alias = None
def set_alias(self, alias):
self.alias = alias
def resolve_link(self, model, epath):
"""Resolve self.name as a link in the model and epath context."""
return self.name.resolve_link(model, epath)
class ColumnsElem (PathElem):
"""A path element with parenthetic name list must be columns."""
def __init__(self, names, outer_type=None):
self.names = names
self.alias = None
self.outer_type = outer_type
def set_alias(self, alias):
self.alias = alias
def set_outer_type(self, outer_type):
self.outer_type = outer_type
def resolve_link(self, model, epath):
"""Resolve (self.names) as a link in the model and epath context."""
return self.names.resolve_link(model, epath)
def add_link_rhs(self, names):
return LinkElem(self.names, names, outer_type=self.outer_type)
class LinkElem (PathElem):
"""A path element with a fully join spec equating two parenthetic lists of columns."""
def __init__(self, lnames, rnames, outer_type=None):
self.lnames = lnames
self.rnames = rnames
self.alias = None
self.outer_type = outer_type
def set_alias(self, alias):
self.alias = alias
def resolve_link(self, model, epath):
"""Resolve (self.lnames)=(self.rnames) as a link in the model and epath context."""
return self.lnames.resolve_link(model, epath, rnames=self.rnames)
class FilterElem (PathElem):
"""A path element that applies a filter."""
is_filter = True
def __init__(self, pred):
self.pred = pred
def __str__(self):
return str(self.pred)
def validate(self, epath, enforce_client=True):
return self.pred.validate(epath, enforce_client=enforce_client)
def sql_where(self, epath, elem, prefix=''):
return self.pred.sql_where(epath, elem, prefix=prefix)
def validate_attribute_update(self, apath):
return self.pred.validate_attribute_update(apath)
class ContextResetElem (PathElem):
"""A path element that resets entity context via reference to earlier element."""
is_context = True
def __init__(self, name):
self.name = name
|
i = 0
while i == 0:
file1 = open('APPMAKE', 'r')
Lines = file1.readlines()
count = 0
checkpoint = 0
ccount = 1
# Strips the newline character
for line in Lines:
count += 1
ccount += 1
modeset += 1
if ccount > checkpoint:
checkpoint += 1
if modeset > 2:
modeset == 1
if modeset == 1:
elfexecutable = line
if modeset == 2:
appname = line
checkpoint = count + 1
break
#writing data
file1.close()
file2 = open(appname + ".app", "a") # append mode
file2.write(elfexecutable + "\n")
file2.close()
|
def main():
with open("input.txt") as f:
nums = [int(line) for line in f.readlines()]
for num in nums:
for num2 in nums:
if num + num2 == 2020:
print(num * num2)
exit(0)
exit(1)
if __name__ == "__main__":
main()
|
"""Define decorators used throughout Celest."""
def set_module(module):
"""Override the module of a class or function."""
def decorator(func):
if module is not None:
func.__module__ = module
return func
return decorator
|
class ISortEntry:
"""
* Basic necessity to sort anything
"""
DIRECTION_ASC = 'ASC'
DIRECTION_DESC = 'DESC'
def set_key(self, key: str):
"""
* Set by which key the entry will be sorted
"""
raise NotImplementedError('TBA')
def get_key(self) -> str:
"""
* Sort by which key
"""
raise NotImplementedError('TBA')
def set_direction(self, direction: str):
"""
* Set direction of sort
* Preferably use constants above
"""
raise NotImplementedError('TBA')
def get_direction(self) -> str:
"""
* Sorting direction
* Preferably use constants above
"""
raise NotImplementedError('TBA')
class ISorter:
"""
* Basic interface
* Make your app dependent on this interface
"""
def get_entries(self):
"""
* Get entries in sorting
"""
raise NotImplementedError('TBA')
def add(self, entry: ISortEntry):
"""
* Add single entry from input which will be used for sorting
"""
raise NotImplementedError('TBA')
def remove(self, entry_key: str):
"""
* Remove all entries containing that key
"""
raise NotImplementedError('TBA')
def clear(self):
"""
* Clear sorting entries, be ready for another set
"""
raise NotImplementedError('TBA')
def get_default_item(self) -> ISortEntry:
"""
* Return new entry usable for sorting
"""
raise NotImplementedError('TBA')
|
#
# PySNMP MIB module HP-ICF-BYOD-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HP-ICF-BYOD-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:33:32 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")
ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint")
hpSwitch, = mibBuilder.importSymbols("HP-ICF-OID", "hpSwitch")
InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
iso, NotificationType, Unsigned32, Bits, Gauge32, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, Counter64, ObjectIdentity, MibIdentifier, ModuleIdentity, Counter32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "NotificationType", "Unsigned32", "Bits", "Gauge32", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "Counter64", "ObjectIdentity", "MibIdentifier", "ModuleIdentity", "Counter32", "TimeTicks")
RowStatus, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "TextualConvention", "DisplayString")
hpicfByodMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106))
hpicfByodMIB.setRevisions(('2014-05-19 09:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: hpicfByodMIB.setRevisionsDescriptions(('Initial version of BYOD MIB module.',))
if mibBuilder.loadTexts: hpicfByodMIB.setLastUpdated('201405190900Z')
if mibBuilder.loadTexts: hpicfByodMIB.setOrganization('HP Networking')
if mibBuilder.loadTexts: hpicfByodMIB.setContactInfo('Hewlett-Packard Company 8000 Foothills Blvd. Roseville, CA 95747')
if mibBuilder.loadTexts: hpicfByodMIB.setDescription('This MIB module describes objects for managing the Bring Your Own Device feature of devices in the HP Integrated Communication Facility product line.')
hpicfByodNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 0))
hpicfByodObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1))
hpicfByodConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2))
hpicfByodConfigObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1))
hpicfByodStatsObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2))
hpicfByodScalarConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 1))
hpicfByodPortalTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2), )
if mibBuilder.loadTexts: hpicfByodPortalTable.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalTable.setDescription('A table of portal servers that BYOD clients can be redirected to. The total number of servers supported is implementation-dependent.')
hpicfByodPortalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1), ).setIndexNames((0, "HP-ICF-BYOD-MIB", "hpicfByodPortalName"))
if mibBuilder.loadTexts: hpicfByodPortalEntry.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalEntry.setDescription('An entry in the hpicfByodPortalTable.')
hpicfByodPortalName = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32)))
if mibBuilder.loadTexts: hpicfByodPortalName.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalName.setDescription('This object provides the BYOD server name.')
hpicfByodPortalVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodPortalVlanId.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalVlanId.setDescription('This object provides the VLAN ID this portal is associated with. Clients on the specified VLAN will be redirected to this portal. A value of 0 indicates that this portal is not associated with any VLAN.')
hpicfByodPortalUrl = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 127))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodPortalUrl.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalUrl.setDescription('This object provides the BYOD server URL to redirect clients to.')
hpicfByodPortalInetAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 4), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodPortalInetAddrType.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalInetAddrType.setDescription('This object provides the address family of the value in hpicfByodPortalInetAddr.')
hpicfByodPortalInetAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 5), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodPortalInetAddr.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalInetAddr.setDescription('This object provides the IP address of the BYOD server specified in hpicfByodPortalUrl.')
hpicfByodPortalDnsCacheTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 6), TimeTicks().clone(15)).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodPortalDnsCacheTime.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalDnsCacheTime.setDescription('This object provides the DNS cache time of this portal in seconds.')
hpicfByodPortalRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 7), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodPortalRowStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfByodPortalRowStatus.setDescription('The status of this table entry. The following columns must be set before the row can be made active: - hpicfByodPortalUrl')
hpicfByodFreeRuleTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3), )
if mibBuilder.loadTexts: hpicfByodFreeRuleTable.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleTable.setDescription('A table of rules to permit other valid traffic such as DNS and DHCP on a BYOD VLAN. The total number of entries allowed is implementation-dependent.')
hpicfByodFreeRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1), ).setIndexNames((0, "HP-ICF-BYOD-MIB", "hpicfByodFreeRuleNumber"))
if mibBuilder.loadTexts: hpicfByodFreeRuleEntry.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleEntry.setDescription('An entry in the hpicfByodFreeRuleTable.')
hpicfByodFreeRuleNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 59)))
if mibBuilder.loadTexts: hpicfByodFreeRuleNumber.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleNumber.setDescription('This object provides the rule number.')
hpicfByodFreeRuleSourceProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcp", 1), ("udp", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceProtocol.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceProtocol.setDescription('This object provides the source protocol to permit.')
hpicfByodFreeRuleSourcePort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleSourcePort.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleSourcePort.setDescription('This object provides the TCP or UDP source port to permit.')
hpicfByodFreeRuleSourceVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 4094))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceVlanId.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceVlanId.setDescription('This object provides the source VLAN ID to permit.')
hpicfByodFreeRuleSourceInetAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 5), InetAddressType()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddrType.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddrType.setDescription('This object provides the address family of the value in hpicfByodFreeRuleSourceInetAddr. Some agents may limit the type to IPv4 only.')
hpicfByodFreeRuleSourceInetAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 6), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddr.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddr.setDescription('This object provides the source IP address to permit.')
hpicfByodFreeRuleSourceInetAddrMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 7), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddrMask.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddrMask.setDescription('This object provides the source IP address mask to apply to hpicfByodFreeRuleSourceInetAddr.')
hpicfByodFreeRuleDestinationProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("tcp", 1), ("udp", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationProtocol.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationProtocol.setDescription('This object provides the destination protocol to permit.')
hpicfByodFreeRuleDestinationPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationPort.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationPort.setDescription('This object provides the TCP or UDP destination port to permit.')
hpicfByodFreeRuleDestinationInetAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 10), InetAddressType()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddrType.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddrType.setDescription('This object provides the address family of the value in hpicfByodFreeRuleDestinationInetAddr. Some agents may limit the type to IPv4 only.')
hpicfByodFreeRuleDestinationInetAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 11), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddr.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddr.setDescription('This object provides the destination IP address to permit.')
hpicfByodFreeRuleDestinationInetAddrMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 12), InetAddress()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddrMask.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddrMask.setDescription('This object provides the destination IP address mask to apply to hpicfByodFreeRuleDestinationInetAddr.')
hpicfByodFreeRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 13), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: hpicfByodFreeRuleRowStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfByodFreeRuleRowStatus.setDescription('The status of this table entry. The following columns must be set before the row can be made active: - hpicfByodFreeRuleSourceVlanId - hpicfByodFreeRuleSourceInetAddrType - hpicfByodFreeRuleSourceInetAddr - hpicfByodFreeRuleSourceInetAddrMask - hpicfByodFreeRuleDestinationInetAddrType - hpicfByodFreeRuleDestinationInetAddr - hpicfByodFreeRuleDestinationInetAddrMask')
hpicfByodScalarStats = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1))
hpicfByodTcpStatsTotalOpen = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsTotalOpen.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsTotalOpen.setDescription('This object provides the cumulative total of TCP connections opened.')
hpicfByodTcpStatsResetConn = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsResetConn.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsResetConn.setDescription('This object provides the cumulative total number of TCP connections reset with RST.')
hpicfByodTcpStatsCurrentOpen = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsCurrentOpen.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsCurrentOpen.setDescription('This object provides the number of TCP connections currently open.')
hpicfByodTcpStatsPktsReceived = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsPktsReceived.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsPktsReceived.setDescription('This object provides the total number of TCP packets received.')
hpicfByodTcpStatsPktsSent = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsPktsSent.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsPktsSent.setDescription('This object provides the total number of TCP packets sent.')
hpicfByodTcpStatsHttpPktsSent = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsHttpPktsSent.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsHttpPktsSent.setDescription('This object provides the total number of HTTP packets sent.')
hpicfByodTcpStatsStateSynRcvd = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsStateSynRcvd.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsStateSynRcvd.setDescription('This object provides the number of TCP connections currently in the SYN_RCVD state.')
hpicfByodTcpStatsStateEstablished = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfByodTcpStatsStateEstablished.setStatus('current')
if mibBuilder.loadTexts: hpicfByodTcpStatsStateEstablished.setDescription('This object provides the number of TCP connections currently in the ESTABLISHED state.')
hpicfByodCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 1))
hpicfByodGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 2))
hpicfByodCompliance1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 1, 1)).setObjects(("HP-ICF-BYOD-MIB", "hpicfByodConfigGroup"), ("HP-ICF-BYOD-MIB", "hpicfByodStatsGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfByodCompliance1 = hpicfByodCompliance1.setStatus('current')
if mibBuilder.loadTexts: hpicfByodCompliance1.setDescription('The compliance statement')
hpicfByodConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 2, 1)).setObjects(("HP-ICF-BYOD-MIB", "hpicfByodPortalVlanId"), ("HP-ICF-BYOD-MIB", "hpicfByodPortalUrl"), ("HP-ICF-BYOD-MIB", "hpicfByodPortalInetAddrType"), ("HP-ICF-BYOD-MIB", "hpicfByodPortalInetAddr"), ("HP-ICF-BYOD-MIB", "hpicfByodPortalDnsCacheTime"), ("HP-ICF-BYOD-MIB", "hpicfByodPortalRowStatus"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleSourceProtocol"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleSourcePort"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleSourceVlanId"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleSourceInetAddrType"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleSourceInetAddr"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleSourceInetAddrMask"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleDestinationProtocol"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleDestinationPort"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleDestinationInetAddrType"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleDestinationInetAddr"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleDestinationInetAddrMask"), ("HP-ICF-BYOD-MIB", "hpicfByodFreeRuleRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfByodConfigGroup = hpicfByodConfigGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfByodConfigGroup.setDescription('A collection of objects providing configuration and status for client redirection to a portal server.')
hpicfByodStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 2, 2)).setObjects(("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsTotalOpen"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsResetConn"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsCurrentOpen"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsPktsReceived"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsPktsSent"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsHttpPktsSent"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsStateSynRcvd"), ("HP-ICF-BYOD-MIB", "hpicfByodTcpStatsStateEstablished"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfByodStatsGroup = hpicfByodStatsGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfByodStatsGroup.setDescription('A collection of objects providing statistics about current sessions for Byod.')
mibBuilder.exportSymbols("HP-ICF-BYOD-MIB", hpicfByodTcpStatsStateEstablished=hpicfByodTcpStatsStateEstablished, hpicfByodFreeRuleSourceProtocol=hpicfByodFreeRuleSourceProtocol, hpicfByodFreeRuleSourceInetAddrMask=hpicfByodFreeRuleSourceInetAddrMask, hpicfByodConformance=hpicfByodConformance, hpicfByodTcpStatsHttpPktsSent=hpicfByodTcpStatsHttpPktsSent, hpicfByodFreeRuleEntry=hpicfByodFreeRuleEntry, hpicfByodTcpStatsStateSynRcvd=hpicfByodTcpStatsStateSynRcvd, hpicfByodPortalDnsCacheTime=hpicfByodPortalDnsCacheTime, hpicfByodFreeRuleTable=hpicfByodFreeRuleTable, hpicfByodFreeRuleRowStatus=hpicfByodFreeRuleRowStatus, hpicfByodPortalName=hpicfByodPortalName, hpicfByodFreeRuleSourceVlanId=hpicfByodFreeRuleSourceVlanId, hpicfByodScalarConfig=hpicfByodScalarConfig, hpicfByodTcpStatsTotalOpen=hpicfByodTcpStatsTotalOpen, hpicfByodFreeRuleSourceInetAddr=hpicfByodFreeRuleSourceInetAddr, hpicfByodFreeRuleDestinationProtocol=hpicfByodFreeRuleDestinationProtocol, hpicfByodNotifications=hpicfByodNotifications, hpicfByodCompliance1=hpicfByodCompliance1, hpicfByodMIB=hpicfByodMIB, hpicfByodTcpStatsCurrentOpen=hpicfByodTcpStatsCurrentOpen, hpicfByodPortalVlanId=hpicfByodPortalVlanId, hpicfByodFreeRuleNumber=hpicfByodFreeRuleNumber, hpicfByodPortalInetAddr=hpicfByodPortalInetAddr, hpicfByodFreeRuleDestinationInetAddrType=hpicfByodFreeRuleDestinationInetAddrType, hpicfByodScalarStats=hpicfByodScalarStats, hpicfByodStatsObjects=hpicfByodStatsObjects, hpicfByodFreeRuleSourcePort=hpicfByodFreeRuleSourcePort, hpicfByodFreeRuleDestinationInetAddr=hpicfByodFreeRuleDestinationInetAddr, hpicfByodConfigGroup=hpicfByodConfigGroup, hpicfByodPortalInetAddrType=hpicfByodPortalInetAddrType, hpicfByodPortalRowStatus=hpicfByodPortalRowStatus, hpicfByodPortalUrl=hpicfByodPortalUrl, hpicfByodFreeRuleSourceInetAddrType=hpicfByodFreeRuleSourceInetAddrType, hpicfByodFreeRuleDestinationPort=hpicfByodFreeRuleDestinationPort, hpicfByodCompliances=hpicfByodCompliances, hpicfByodObjects=hpicfByodObjects, PYSNMP_MODULE_ID=hpicfByodMIB, hpicfByodGroups=hpicfByodGroups, hpicfByodConfigObjects=hpicfByodConfigObjects, hpicfByodPortalTable=hpicfByodPortalTable, hpicfByodTcpStatsPktsSent=hpicfByodTcpStatsPktsSent, hpicfByodTcpStatsResetConn=hpicfByodTcpStatsResetConn, hpicfByodPortalEntry=hpicfByodPortalEntry, hpicfByodFreeRuleDestinationInetAddrMask=hpicfByodFreeRuleDestinationInetAddrMask, hpicfByodTcpStatsPktsReceived=hpicfByodTcpStatsPktsReceived, hpicfByodStatsGroup=hpicfByodStatsGroup)
|
def ficha(nome='<desconhecido>', gols=0):
print(f'O jogador {nome} fez {gols} gol(s) no campeonato.')
nome = str(input('Nome do jogador: '))
gols = str(input('Número de gols: '))
if gols.isnumeric():
gols = int(gols)
else:
gols = 0
if nome.strip() == '':
ficha(gols=gols)
else:
ficha(nome, gols) |
"""
Finds how many distinct powers generated by a^b given the range 2 ≤ a ≤ n and 2 ≤ b ≤ n
where n is a positive integer
"""
def distinct_powers(a, b):
"""
Finds and returns the number of distinct powers of a and b
Example:
>>> distinct_powers(5, 5)
15
:param a: Limit of a
:type a int
:param b: limit of b
:type b int
:return: number of distinct powers
:rtype: int
"""
# sanity checks
if a is None or b is None:
raise ValueError("Expected a or b to be an integer")
if not isinstance(a, int) or not isinstance(b, int):
raise ValueError("Expected a or b to be a integer")
powers = set(m ** n for m in range(2, a + 1) for n in range(2, b + 1))
return len(powers)
if __name__ == "__main__":
x = 100
y = 100
no_of_distinct_powers = distinct_powers(x, y)
print(f"Distinct powers given a={x} and b ={y} is {no_of_distinct_powers}")
|
# 입력 받기
n = int(input("n 번째 항: "))
# 변수 설정 및 초기값
fn = 0
fnext1 = 1
fnext2 = 1
# n번째 항 구하기
for i in range(n):
fn = fnext1
fnext1 = fnext2
fnext2 = fnext1 + fn
# 출력
print("fn:", fn)
|
# 3. Repeat String
# Write a function that receives a string and a repeat count n.
# The function should return a new string (the old one repeated n times).
def repeat_string(string, repeat_times):
return string * repeat_times
text = input()
n = int(input())
result = repeat_string(text, n)
print(result)
|
class Interval:
# interval is [left, right]
# note that endpoints are included
def __init__(self, left, right):
self.left = left
self.right = right
def getLeftEndpoint(self):
return self.left
def getRightEndpoint(self):
return self.right
def isEqualTo(self, i):
left_endpoints_match = self.getLeftEndpoint() == i.getLeftEndpoint()
right_endpoints_match = self.getRightEndpoint() == i.getRightEndpoint()
return left_endpoints_match and right_endpoints_match
def overlapsInterval(self, i):
left_is_satisfactory = i.getLeftEndpoint() <= self.getRightEndpoint()
right_is_satisfactory = i.getRightEndpoint() >= self.getLeftEndpoint()
return left_is_satisfactory and right_is_satisfactory
def toString(self):
left_endpoint = self.getLeftEndpoint()
right_endpoint = self.getRightEndpoint()
result_str = "[" + str(left_endpoint) + ", " + str(right_endpoint) + "]"
return result_str
|
#!/usr/bin/env python
if __name__ == "__main__":
with open("input") as fh:
data = fh.readlines()
two_letters = 0
three_letters = 0
for d in data:
counts = {}
for char in d:
if char not in counts:
counts[char] = 0
counts[char] += 1
if 2 in counts.values():
two_letters += 1
if 3 in counts.values():
three_letters += 1
print("Two", two_letters, "Three", three_letters, "Product", two_letters*three_letters)
|
# encoding: utf-8
# module win32uiole
# from C:\Python27\lib\site-packages\Pythonwin\win32uiole.pyd
# by generator 1.147
# no doc
# no imports
# Variables with simple values
COleClientItem_activeState = 3
COleClientItem_activeUIState = 4
COleClientItem_emptyState = 0
COleClientItem_loadedState = 1
COleClientItem_openState = 2
OLE_CHANGED = 0
OLE_CHANGED_ASPECT = 5
OLE_CHANGED_STATE = 4
OLE_CLOSED = 2
OLE_RENAMED = 3
OLE_SAVED = 1
# functions
def AfxOleInit(*args, **kwargs): # real signature unknown
pass
def CreateInsertDialog(*args, **kwargs): # real signature unknown
pass
def CreateOleClientItem(*args, **kwargs): # real signature unknown
pass
def CreateOleDocument(*args, **kwargs): # real signature unknown
pass
def DaoGetEngine(*args, **kwargs): # real signature unknown
pass
def EnableBusyDialog(*args, **kwargs): # real signature unknown
pass
def EnableNotRespondingDialog(*args, **kwargs): # real signature unknown
pass
def GetIDispatchForWindow(*args, **kwargs): # real signature unknown
pass
def OleGetUserCtrl(*args, **kwargs): # real signature unknown
pass
def OleSetUserCtrl(*args, **kwargs): # real signature unknown
pass
def SetMessagePendingDelay(*args, **kwargs): # real signature unknown
pass
# no classes
|
#
# PySNMP MIB module H3C-VOSIP-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/H3C-VOSIP-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:11:30 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")
ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion")
h3cVoice, = mibBuilder.importSymbols("HUAWEI-3COM-OID-MIB", "h3cVoice")
InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Bits, MibIdentifier, Counter32, ObjectIdentity, NotificationType, Unsigned32, IpAddress, Integer32, iso, TimeTicks, Counter64, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "MibIdentifier", "Counter32", "ObjectIdentity", "NotificationType", "Unsigned32", "IpAddress", "Integer32", "iso", "TimeTicks", "Counter64", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32")
DisplayString, RowStatus, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "RowStatus", "TextualConvention")
h3cVoSIP = ModuleIdentity((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12))
h3cVoSIP.setRevisions(('2005-03-15 00:00',))
if mibBuilder.loadTexts: h3cVoSIP.setLastUpdated('200503150000Z')
if mibBuilder.loadTexts: h3cVoSIP.setOrganization('Huawei 3Com Technologies co., Ltd.')
class SipMsgType(Integer32):
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))
namedValues = NamedValues(("unknown", 1), ("register", 2), ("invite", 3), ("ack", 4), ("prack", 5), ("cancel", 6), ("bye", 7), ("info", 8))
h3cSIPClientMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1))
h3cSIPClientConfigObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1))
h3cSIPID = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPID.setStatus('current')
h3cSIPPasswordType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("simple", 1), ("cipher", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPPasswordType.setStatus('current')
h3cSIPPassword = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPPassword.setStatus('current')
h3cSIPSourceIPAddressType = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 4), InetAddressType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPSourceIPAddressType.setStatus('current')
h3cSIPSourceIP = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 5), InetAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPSourceIP.setStatus('current')
h3cSIPRegisterMode = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("gatewayAll", 1), ("gatewaySingle", 2), ("phoneNumber", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPRegisterMode.setStatus('current')
h3cSIPRegisterPhoneNumber = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPRegisterPhoneNumber.setStatus('current')
h3cSIPRegisterEnable = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("on", 1), ("off", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPRegisterEnable.setStatus('current')
h3cSIPTrapsControl = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPTrapsControl.setStatus('current')
h3cSIPStatisticClear = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("clear", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cSIPStatisticClear.setStatus('current')
h3cSIPServerConfigTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2), )
if mibBuilder.loadTexts: h3cSIPServerConfigTable.setStatus('current')
h3cSIPServerConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1), ).setIndexNames((0, "H3C-VOSIP-MIB", "h3cSIPServerIPAddressType"), (0, "H3C-VOSIP-MIB", "h3cSIPServerIPAddress"), (0, "H3C-VOSIP-MIB", "h3cSIPServerPort"))
if mibBuilder.loadTexts: h3cSIPServerConfigEntry.setStatus('current')
h3cSIPServerIPAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 1), InetAddressType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: h3cSIPServerIPAddressType.setStatus('current')
h3cSIPServerIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 2), InetAddress()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: h3cSIPServerIPAddress.setStatus('current')
h3cSIPServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(5060)).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: h3cSIPServerPort.setStatus('current')
h3cSIPServerType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("master", 1), ("slave", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cSIPServerType.setStatus('current')
h3cSIPAcceptType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("inbound", 1), ("all", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cSIPAcceptType.setStatus('current')
h3cSIPServerStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 6), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cSIPServerStatus.setStatus('current')
h3cSIPMsgStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3), )
if mibBuilder.loadTexts: h3cSIPMsgStatTable.setStatus('current')
h3cSIPMsgStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1), ).setIndexNames((0, "H3C-VOSIP-MIB", "h3cSIPMsgIndex"))
if mibBuilder.loadTexts: h3cSIPMsgStatEntry.setStatus('current')
h3cSIPMsgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 1), SipMsgType())
if mibBuilder.loadTexts: h3cSIPMsgIndex.setStatus('current')
h3cSIPMsgName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPMsgName.setStatus('current')
h3cSIPMsgSend = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPMsgSend.setStatus('current')
h3cSIPMsgOKSend = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPMsgOKSend.setStatus('current')
h3cSIPMsgReceive = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPMsgReceive.setStatus('current')
h3cSIPMsgOKReceive = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPMsgOKReceive.setStatus('current')
h3cSIPMsgResponseStatTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4), )
if mibBuilder.loadTexts: h3cSIPMsgResponseStatTable.setStatus('current')
h3cSIPMsgResponseStatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1), ).setIndexNames((0, "H3C-VOSIP-MIB", "h3cSIPMsgResponseIndex"))
if mibBuilder.loadTexts: h3cSIPMsgResponseStatEntry.setStatus('current')
h3cSIPMsgResponseIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 1), Integer32())
if mibBuilder.loadTexts: h3cSIPMsgResponseIndex.setStatus('current')
h3cSIPMsgResponseCode = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPMsgResponseCode.setStatus('current')
h3cSIPResCodeRecvCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPResCodeRecvCount.setStatus('current')
h3cSIPResCodeSendCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cSIPResCodeSendCount.setStatus('current')
h3cSIPTrapStubObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 3))
h3cSIPRegisterFailReason = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 3, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: h3cSIPRegisterFailReason.setStatus('current')
h3cSIPAuthenReqMethod = MibScalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 3, 2), SipMsgType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: h3cSIPAuthenReqMethod.setStatus('current')
h3cSIPClientNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 4))
h3cSIPRegisterFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 4, 1)).setObjects(("H3C-VOSIP-MIB", "h3cSIPID"), ("H3C-VOSIP-MIB", "h3cSIPServerIPAddressType"), ("H3C-VOSIP-MIB", "h3cSIPServerIPAddress"), ("H3C-VOSIP-MIB", "h3cSIPServerPort"), ("H3C-VOSIP-MIB", "h3cSIPRegisterFailReason"))
if mibBuilder.loadTexts: h3cSIPRegisterFailure.setStatus('current')
h3cSIPAuthenticateFailure = NotificationType((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 4, 2)).setObjects(("H3C-VOSIP-MIB", "h3cSIPID"), ("H3C-VOSIP-MIB", "h3cSIPAuthenReqMethod"))
if mibBuilder.loadTexts: h3cSIPAuthenticateFailure.setStatus('current')
h3cSIPServerSwitch = NotificationType((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 4, 3))
if mibBuilder.loadTexts: h3cSIPServerSwitch.setStatus('current')
mibBuilder.exportSymbols("H3C-VOSIP-MIB", h3cSIPResCodeRecvCount=h3cSIPResCodeRecvCount, SipMsgType=SipMsgType, h3cSIPMsgResponseIndex=h3cSIPMsgResponseIndex, h3cSIPMsgOKSend=h3cSIPMsgOKSend, h3cSIPMsgResponseStatEntry=h3cSIPMsgResponseStatEntry, h3cSIPMsgResponseCode=h3cSIPMsgResponseCode, h3cSIPID=h3cSIPID, h3cSIPRegisterPhoneNumber=h3cSIPRegisterPhoneNumber, h3cVoSIP=h3cVoSIP, h3cSIPRegisterFailure=h3cSIPRegisterFailure, h3cSIPRegisterFailReason=h3cSIPRegisterFailReason, h3cSIPServerIPAddress=h3cSIPServerIPAddress, h3cSIPTrapStubObjects=h3cSIPTrapStubObjects, h3cSIPPasswordType=h3cSIPPasswordType, h3cSIPRegisterMode=h3cSIPRegisterMode, h3cSIPClientMIB=h3cSIPClientMIB, h3cSIPResCodeSendCount=h3cSIPResCodeSendCount, h3cSIPSourceIP=h3cSIPSourceIP, h3cSIPMsgStatTable=h3cSIPMsgStatTable, h3cSIPServerConfigTable=h3cSIPServerConfigTable, h3cSIPClientConfigObjects=h3cSIPClientConfigObjects, h3cSIPMsgIndex=h3cSIPMsgIndex, h3cSIPServerType=h3cSIPServerType, h3cSIPClientNotifications=h3cSIPClientNotifications, h3cSIPPassword=h3cSIPPassword, h3cSIPMsgStatEntry=h3cSIPMsgStatEntry, PYSNMP_MODULE_ID=h3cVoSIP, h3cSIPServerIPAddressType=h3cSIPServerIPAddressType, h3cSIPMsgName=h3cSIPMsgName, h3cSIPMsgOKReceive=h3cSIPMsgOKReceive, h3cSIPMsgReceive=h3cSIPMsgReceive, h3cSIPTrapsControl=h3cSIPTrapsControl, h3cSIPMsgSend=h3cSIPMsgSend, h3cSIPMsgResponseStatTable=h3cSIPMsgResponseStatTable, h3cSIPRegisterEnable=h3cSIPRegisterEnable, h3cSIPServerConfigEntry=h3cSIPServerConfigEntry, h3cSIPAuthenReqMethod=h3cSIPAuthenReqMethod, h3cSIPServerPort=h3cSIPServerPort, h3cSIPServerStatus=h3cSIPServerStatus, h3cSIPAuthenticateFailure=h3cSIPAuthenticateFailure, h3cSIPServerSwitch=h3cSIPServerSwitch, h3cSIPAcceptType=h3cSIPAcceptType, h3cSIPStatisticClear=h3cSIPStatisticClear, h3cSIPSourceIPAddressType=h3cSIPSourceIPAddressType)
|
{
"targets": [
{
"target_name": "cpp_mail",
"sources": [
"src/cpp/dkim.cpp",
"src/cpp/model.cpp",
"src/cpp/smtp.cpp",
"src/cpp/main.cpp",
],
'cflags_cc': [ '-fexceptions -g' ],
'cflags': [ '-fexceptions -g' ],
"ldflags": ["-z,defs"],
'variables': {
# node v0.6.x doesn't give us its build variables,
# but on Unix it was only possible to use the system OpenSSL library,
# so default the variable to "true", v0.8.x node and up will overwrite it.
'node_shared_openssl%': 'true'
},
'conditions': [
[
'node_shared_openssl=="false"', {
# so when "node_shared_openssl" is "false", then OpenSSL has been
# bundled into the node executable. So we need to include the same
# header files that were used when building node.
'include_dirs': [
'<(node_root_dir)/deps/openssl/openssl/include'
],
"conditions" : [
["target_arch=='ia32'", {
"include_dirs": [ "<(node_root_dir)/deps/openssl/config/piii" ]
}],
["target_arch=='x64'", {
"include_dirs": [ "<(node_root_dir)/deps/openssl/config/k8" ]
}],
["target_arch=='arm'", {
"include_dirs": [ "<(node_root_dir)/deps/openssl/config/arm" ]
}]
]
}]
]
}
]
} |
"""
言語処理100本ノック 2015
http://www.cl.ecei.tohoku.ac.jp/nlp100/#ch1
第1章: 準備運動
01. 「パタトクカシーー」
「パタトクカシーー」という文字列の1,3,5,7文字目を取り出して連結した文字列を得よ.
"""
strings = 'パタトクカシーー'
result_strings = ''.join([strings[s] for s in (1,3,5,7)])
print(result_strings) |
def binPack(i, array, target, dp):
if (i == len(array)):
return(0)
if (i not in dp):
dp[i] = {}
if (target not in dp[i]):
best = binPack(i + 1, array, target, dp)
if (target - array[i] >= 0):
aux = binPack(i + 1, array, target - array[i], dp) + array[i]
if (aux > best):
best = aux
dp[i][target] = best
return(dp[i][target])
items = list(map(int, input().split()))
target = int(input())
positive, negative = [], []
for i in items:
if (i < 0):
negative += [-i]
else:
positive += [i]
if (target == 0):
if (target in items):
print("Yes")
else:
sumMin, Yes = min( sum(positive), sum(negative) ), False
for i in range(1, sumMin + 1):
if (Yes):
break
dp = {}
posAnswer = binPack(0, positive, i, dp)
dp = {}
negAnswer = binPack(0, negative, i, dp)
if (posAnswer == negAnswer):
Yes = True
if (Yes):
print("Yes")
else:
print("No")
elif (target > 0):
sumMin, Yes = sum(positive), False
for i in range(target, sumMin + 1):
if (Yes):
break
dp = {}
posAnswer = binPack(0, positive, i, dp)
dp = {}
negAnswer = binPack(0, negative, i - target, dp)
#print(negAnswer, posAnswer)
total = sum(positive)
if (abs(posAnswer - (total - posAnswer)) == target):
Yes = True
if (Yes):
print("Yes")
else:
print("No")
else:
sumMin, Yes = sum(negative), False
for i in range(-target, sumMin + 1):
if (Yes):
break
dp = {}
negAnswer = binPack(0, negative, i, dp)
dp = {}
posAnswer = binPack(0, positive, i + target, dp)
#print(i, negAnswer, posAnswer)
if (posAnswer - negAnswer == target):
Yes = True
if (Yes):
print("Yes")
else:
print("No")
|
"""
Datos de entrada
capital-->c-->int
Datos de salida
ganancia-->g-->float
"""
#Entradas
c=int(input("Ingrese la cantidad de dinero invertida: "))
#Caja negra
g=(c*0.2)/100
#Salidas
print("Su ganancia mensual es de: ", g) |
"""
0923. 3Sum With Multiplicity
Medium
Given an integer array arr, and an integer target, return the number of tuples i, j, k such that i < j < k and arr[i] + arr[j] + arr[k] == target.
As the answer can be very large, return it modulo 109 + 7.
Example 1:
Input: arr = [1,1,2,2,3,3,4,4,5,5], target = 8
Output: 20
Explanation:
Enumerating by the values (arr[i], arr[j], arr[k]):
(1, 2, 5) occurs 8 times;
(1, 3, 4) occurs 8 times;
(2, 2, 4) occurs 2 times;
(2, 3, 3) occurs 2 times.
Example 2:
Input: arr = [1,1,2,2,2,2], target = 5
Output: 12
Explanation:
arr[i] = 1, arr[j] = arr[k] = 2 occurs 12 times:
We choose one 1 from [1,1] in 2 ways,
and two 2s from [2,2,2,2] in 6 ways.
Constraints:
3 <= arr.length <= 3000
0 <= arr[i] <= 100
0 <= target <= 300
"""
class Solution:
def threeSumMulti(self, arr: List[int], target: int) -> int:
c = collections.Counter(arr)
res = 0
for i, j in itertools.combinations_with_replacement(c, 2):
k = target - i - j
if i == j == k:
res += c[i] * (c[i] - 1) * (c[i] - 2) // 6
elif i == j != k:
res += c[i] * (c[i] - 1) // 2 * c[k]
elif k > i and k > j:
res += c[i] * c[j] * c[k]
return res % (10**9 + 7)
|
if __name__ == '__main__':
Str1 = '14:59~15:20'
StrList = Str1.split('~')
print(StrList)
print(StrList[0])
print(StrList[1])
|
# Copyright (C) 2011 MetaBrainz Foundation
# Distributed under the MIT license, see the LICENSE file for details.
__version__ = "0.1.0"
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.