content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
def ejercicio_1(cadena): i=0 while cadena[i]== " ": i+=1 return cadena[i:] print (ejercicio_1("programacion_1"))
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()))
(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()))
# 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)
counter = 0 for line in open('input.txt', 'r').readlines(): for entry in line.split(' | ')[1].split(' '): entry = entry.strip() if len(entry) == 2 or len(entry) == 3 or len(entry) == 4 or (len(entry) == 7): counter += 1 print('Part 1', counter) solution_sum = 0 for line in open('input.txt', 'r').readlines(): sequence = sorted(line.split(' | ')[0].split(' '), key=lambda x: len(x)) solution = dict() mapping = dict() n1 = '' n7 = '' n4 = '' n069 = list() n235 = list() n8 = list() 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 solution['1'] = n1 solution['7'] = n7 solution['4'] = n4 solution['8'] = n8 mapping['a'] = ''.join([c for c in n7 if c not in n1]) for elem in n069: if len([c for c in n1 if c in elem]) == 1: 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 for elem in n235: if len([c for c in n1 if c in elem]) == 2: solution['3'] = elem mapping['b'] = ''.join([c for c in solution['4'] if c not in solution['3']]) mapping['e'] = ''.join([c for c in solution['8'] if c not in solution['3'] + solution['4']]) for elem in n069: if len([c for c in ['a', 'b', 'c', 'e', 'f'] if mapping[c] in elem]) == 5: solution['0'] = elem mapping['g'] = ''.join([c for c in solution['0'] if c not in [mapping['a'], mapping['b'], mapping['c'], mapping['e'], mapping['f']]]) remaining = [s for s in n069 + n235 if s not in solution.values()] solution['2'] = ''.join([r for r in remaining if mapping['e'] in r]) solution['9'] = ''.join([r for r in remaining if len(r) == 6]) solution['5'] = ''.join((r for r in remaining if r not in solution.values())) 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 ''' Created on 2016-10-28 @author: Administrator ''' class TestException(object): ''' classdocs ''' @staticmethod def exception_1(): raise Exception("fdsfdsfsd")
""" 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
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'
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)
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)
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 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)
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)
# 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", ], }
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'] 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)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_range_constraint, value_size_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint') (cabh_cdp_lan_trans_threshold, cabh_cdp_wan_data_addr_client_id, cabh_cdp_lan_trans_cur_count, cabh_cdp_server_dhcp_address) = mibBuilder.importSymbols('CABH-CDP-MIB', 'cabhCdpLanTransThreshold', 'cabhCdpWanDataAddrClientId', 'cabhCdpLanTransCurCount', 'cabhCdpServerDhcpAddress') (cabh_qos2_num_active_policy_holder, cabh_qos2_policy_holder_enabled, cabh_qos2_policy_admission_control) = mibBuilder.importSymbols('CABH-QOS2-MIB', 'cabhQos2NumActivePolicyHolder', 'cabhQos2PolicyHolderEnabled', 'cabhQos2PolicyAdmissionControl') (clab_proj_cable_home,) = mibBuilder.importSymbols('CLAB-DEF-MIB', 'clabProjCableHome') (docs_dev_ev_id, docs_dev_ev_level, docs_dev_sw_server, docs_dev_sw_current_vers, docs_dev_sw_filename, docs_dev_ev_text) = mibBuilder.importSymbols('DOCS-CABLE-DEVICE-MIB', 'docsDevEvId', 'docsDevEvLevel', 'docsDevSwServer', 'docsDevSwCurrentVers', 'docsDevSwFilename', 'docsDevEvText') (ian_aif_type,) = mibBuilder.importSymbols('IANAifType-MIB', 'IANAifType') (if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex') (inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType') (zero_based_counter32,) = mibBuilder.importSymbols('RMON2-MIB', 'ZeroBasedCounter32') (snmp_admin_string,) = mibBuilder.importSymbols('SNMP-FRAMEWORK-MIB', 'SnmpAdminString') (object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup') (mib_identifier, time_ticks, iso, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, counter64, integer32, counter32, gauge32, unsigned32, object_identity, module_identity, ip_address) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibIdentifier', 'TimeTicks', 'iso', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Counter64', 'Integer32', 'Counter32', 'Gauge32', 'Unsigned32', 'ObjectIdentity', 'ModuleIdentity', 'IpAddress') (row_status, date_and_time, textual_convention, display_string, time_stamp, phys_address, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'DateAndTime', 'TextualConvention', 'DisplayString', 'TimeStamp', 'PhysAddress', 'TruthValue') cabh_ps_dev_mib = module_identity((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') cabh_ps_dev_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1)) cabh_ps_dev_base = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1)) cabh_ps_dev_prov = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2)) cabh_ps_dev_attrib = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3)) cabh_ps_dev_ps_attrib = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1)) cabh_ps_dev_bp_attrib = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2)) cabh_ps_dev_stats = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4)) cabh_ps_dev_access_control = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5)) cabh_ps_dev_misc = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6)) cabh_ps_dev_ui = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1)) cabh_ps_dev802dot11 = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2)) cabh_ps_dev_upnp = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3)) cabh_ps_dev_upnp_base = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 1)) cabh_ps_dev_upnp_commands = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2)) cabh_ps_dev_date_time = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 1), date_and_time()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevDateTime.setStatus('current') cabh_ps_dev_reset_now = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 2), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevResetNow.setStatus('current') cabh_ps_dev_serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevSerialNumber.setStatus('current') cabh_ps_dev_hardware_version = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 48))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevHardwareVersion.setStatus('current') cabh_ps_dev_wan_man_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 5), phys_address().subtype(subtypeSpec=value_size_constraint(0, 16))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevWanManMacAddress.setStatus('current') cabh_ps_dev_wan_data_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 6), phys_address().subtype(subtypeSpec=value_size_constraint(0, 16))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevWanDataMacAddress.setStatus('current') cabh_ps_dev_type_identifier = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 7), snmp_admin_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevTypeIdentifier.setStatus('current') cabh_ps_dev_set_to_factory = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 8), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevSetToFactory.setStatus('current') cabh_ps_dev_wan_man_client_id = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(1, 80))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevWanManClientId.setStatus('deprecated') cabh_ps_dev_tod_sync_status = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 10), truth_value().clone('false')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevTodSyncStatus.setStatus('current') cabh_ps_dev_prov_mode = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dhcpmode', 1), ('snmpmode', 2), ('dormantCHmode', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvMode.setStatus('current') cabh_ps_dev_last_set_to_factory = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 12), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevLastSetToFactory.setStatus('current') cabh_ps_dev_trap_control = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 1, 13), bits().clone(namedValues=named_values(('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') cabh_ps_dev_provisioning_timer = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 16383)).clone(5)).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevProvisioningTimer.setStatus('current') cabh_ps_dev_prov_config_file = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 128))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevProvConfigFile.setStatus('current') cabh_ps_dev_prov_config_hash = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 3), octet_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(20, 20)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevProvConfigHash.setStatus('current') cabh_ps_dev_prov_config_file_size = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 4), integer32()).setUnits('bytes').setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvConfigFileSize.setStatus('current') cabh_ps_dev_prov_config_file_status = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('idle', 1), ('busy', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvConfigFileStatus.setStatus('current') cabh_ps_dev_prov_config_tlv_processed = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 16383))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvConfigTLVProcessed.setStatus('current') cabh_ps_dev_prov_config_tlv_rejected = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 16383))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvConfigTLVRejected.setStatus('current') cabh_ps_dev_prov_solicited_key_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 8), integer32().subtype(subtypeSpec=value_range_constraint(15, 600)).clone(120)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevProvSolicitedKeyTimeout.setStatus('current') cabh_ps_dev_prov_state = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('pass', 1), ('inProgress', 2), ('fail', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvState.setStatus('current') cabh_ps_dev_prov_auth_state = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('accepted', 1), ('rejected', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvAuthState.setStatus('current') cabh_ps_dev_prov_correlation_id = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 11), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevProvCorrelationId.setStatus('deprecated') cabh_ps_dev_time_server_addr_type = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 12), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevTimeServerAddrType.setStatus('current') cabh_ps_dev_time_server_addr = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 2, 13), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevTimeServerAddr.setStatus('current') cabh_ps_dev_ps_device_type = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 1), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(1, 32)).clone('CableHome Residential Gateway')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevPsDeviceType.setStatus('current') cabh_ps_dev_ps_manufacturer_url = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevPsManufacturerUrl.setStatus('current') cabh_ps_dev_ps_model_url = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 7), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevPsModelUrl.setStatus('current') cabh_ps_dev_ps_model_upc = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 1, 8), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevPsModelUpc.setStatus('current') cabh_ps_dev_bp_profile_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1)) if mibBuilder.loadTexts: cabhPsDevBpProfileTable.setStatus('obsolete') cabh_ps_dev_bp_profile_entry = mib_table_row((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') cabh_ps_dev_bp_index = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: cabhPsDevBpIndex.setStatus('obsolete') cabh_ps_dev_bp_device_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 2), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32)).clone('CableHome Host')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpDeviceType.setStatus('obsolete') cabh_ps_dev_bp_manufacturer = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 3), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpManufacturer.setStatus('obsolete') cabh_ps_dev_bp_manufacturer_url = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpManufacturerUrl.setStatus('obsolete') cabh_ps_dev_bp_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 5), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpSerialNumber.setStatus('obsolete') cabh_ps_dev_bp_hardware_version = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 6), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpHardwareVersion.setStatus('obsolete') cabh_ps_dev_bp_hardware_options = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 7), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpHardwareOptions.setStatus('obsolete') cabh_ps_dev_bp_model_name = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 8), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpModelName.setStatus('obsolete') cabh_ps_dev_bp_model_number = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 9), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpModelNumber.setStatus('obsolete') cabh_ps_dev_bp_model_url = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 10), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpModelUrl.setStatus('obsolete') cabh_ps_dev_bp_model_upc = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 11), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpModelUpc.setStatus('obsolete') cabh_ps_dev_bp_model_software_os = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 12), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpModelSoftwareOs.setStatus('obsolete') cabh_ps_dev_bp_model_software_version = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 13), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpModelSoftwareVersion.setStatus('obsolete') cabh_ps_dev_bp_lan_interface_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 14), ian_aif_type().clone('other')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpLanInterfaceType.setStatus('obsolete') cabh_ps_dev_bp_number_interface_priorities = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(1, 8)).clone(1)).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpNumberInterfacePriorities.setStatus('obsolete') cabh_ps_dev_bp_physical_location = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 16), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpPhysicalLocation.setStatus('obsolete') cabh_ps_dev_bp_physical_address = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 3, 2, 1, 1, 17), phys_address().subtype(subtypeSpec=value_size_constraint(0, 16)).clone(hexValue='')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevBpPhysicalAddress.setStatus('obsolete') cabh_ps_dev_lan_ip_traffic_counters_reset = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('clearCounters', 1), ('clearTable', 2))).clone('clearCounters')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficCountersReset.setStatus('current') cabh_ps_dev_lan_ip_traffic_counters_last_reset = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 2), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficCountersLastReset.setStatus('current') cabh_ps_dev_lan_ip_traffic_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 3), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficEnabled.setStatus('current') cabh_ps_dev_lan_ip_traffic_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4)) if mibBuilder.loadTexts: cabhPsDevLanIpTrafficTable.setStatus('current') cabh_ps_dev_lan_ip_traffic_entry = mib_table_row((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') cabh_ps_dev_lan_ip_traffic_index = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: cabhPsDevLanIpTrafficIndex.setStatus('current') cabh_ps_dev_lan_ip_traffic_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 2), inet_address_type().clone('ipv4')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficInetAddressType.setStatus('current') cabh_ps_dev_lan_ip_traffic_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 3), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficInetAddress.setStatus('current') cabh_ps_dev_lan_ip_traffic_in_octets = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 4), zero_based_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficInOctets.setStatus('current') cabh_ps_dev_lan_ip_traffic_out_octets = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 4, 4, 1, 5), zero_based_counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevLanIpTrafficOutOctets.setStatus('current') cabh_ps_dev_access_control_enable = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 1), bits().clone(namedValues=named_values(('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') cabh_ps_dev_access_control_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2)) if mibBuilder.loadTexts: cabhPsDevAccessControlTable.setStatus('current') cabh_ps_dev_access_control_entry = mib_table_row((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') cabh_ps_dev_access_control_index = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: cabhPsDevAccessControlIndex.setStatus('current') cabh_ps_dev_access_control_phys_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1, 2), phys_address().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readcreate') if mibBuilder.loadTexts: cabhPsDevAccessControlPhysAddr.setStatus('current') cabh_ps_dev_access_control_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 5, 2, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: cabhPsDevAccessControlRowStatus.setStatus('current') cabh_ps_dev_ui_login = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUILogin.setStatus('current') cabh_ps_dev_ui_password = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(4, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUIPassword.setStatus('current') cabh_ps_dev_ui_selection = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('manufacturerLocal', 1), ('cableOperatorLocal', 2), ('cableOperatorServer', 3), ('disabledUI', 4))).clone('manufacturerLocal')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUISelection.setStatus('current') cabh_ps_dev_ui_server_url = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 4), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUIServerUrl.setStatus('current') cabh_ps_dev_ui_selection_disabled_body_text = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 1, 5), snmp_admin_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUISelectionDisabledBodyText.setStatus('current') cabh_ps_dev802dot11_base_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1)) if mibBuilder.loadTexts: cabhPsDev802dot11BaseTable.setStatus('current') cabh_ps_dev802dot11_base_entry = mib_table_row((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') cabh_ps_dev802dot11_base_set_to_default = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11BaseSetToDefault.setStatus('current') cabh_ps_dev802dot11_base_last_set_to_default = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 2), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDev802dot11BaseLastSetToDefault.setStatus('current') cabh_ps_dev802dot11_base_advertise_ssid = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 3), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11BaseAdvertiseSSID.setStatus('current') cabh_ps_dev802dot11_base_phy_capabilities = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 4), bits().clone(namedValues=named_values(('ieee80211a', 0), ('ieee80211b', 1), ('ieee80211g', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDev802dot11BasePhyCapabilities.setStatus('current') cabh_ps_dev802dot11_base_phy_oper_mode = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 24))).clone(namedValues=named_values(('ieee80211a', 1), ('ieee80211b', 2), ('ieee80211g', 4), ('ieee80211bg', 24)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11BasePhyOperMode.setStatus('current') cabh_ps_dev802dot11_sec_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2)) if mibBuilder.loadTexts: cabhPsDev802dot11SecTable.setStatus('current') cabh_ps_dev802dot11_sec_entry = mib_table_row((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') cabh_ps_dev802dot11_sec_capabilities = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 1), bits().clone(namedValues=named_values(('wep64', 0), ('wep128', 1), ('wpaPSK', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDev802dot11SecCapabilities.setStatus('current') cabh_ps_dev802dot11_sec_oper_mode = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 2), bits().clone(namedValues=named_values(('wep64', 0), ('wep128', 1), ('wpaPSK', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecOperMode.setStatus('current') cabh_ps_dev802dot11_sec_pass_phrase_to_wep_key = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 3), octet_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(5, 63)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecPassPhraseToWEPKey.setStatus('current') cabh_ps_dev802dot11_sec_use_pass_phrase_to_wep_key_alg = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 4), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecUsePassPhraseToWEPKeyAlg.setStatus('current') cabh_ps_dev802dot11_sec_psk_pass_phrase_to_key = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(8, 63))).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecPSKPassPhraseToKey.setStatus('current') cabh_ps_dev802dot11_sec_wpa_pre_shared_key = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 6), octet_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(32, 32))).clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecWPAPreSharedKey.setStatus('current') cabh_ps_dev802dot11_sec_wpa_rekey_time = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4294967295)).clone(86400)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecWPARekeyTime.setStatus('current') cabh_ps_dev802dot11_sec_control = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('restoreConfig', 1), ('commitConfig', 2))).clone('restoreConfig')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDev802dot11SecControl.setStatus('current') cabh_ps_dev802dot11_sec_commit_status = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 2, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('commitSucceeded', 1), ('commitNeeded', 2), ('commitFailed', 3))).clone('commitSucceeded')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDev802dot11SecCommitStatus.setStatus('current') cabh_ps_dev_upnp_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 1, 1), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUpnpEnabled.setStatus('current') cabh_ps_dev_upnp_command_ip_type = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 1), inet_address_type().clone('ipv4')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUpnpCommandIpType.setStatus('current') cabh_ps_dev_upnp_command_ip = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 2), inet_address().clone(hexValue='C0A80001')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUpnpCommandIp.setStatus('current') cabh_ps_dev_upnp_command = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('discoveryInfo', 1), ('qosDeviceCapabilities', 2), ('qosDeviceState', 3))).clone('discoveryInfo')).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUpnpCommand.setStatus('current') cabh_ps_dev_upnp_command_update = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 4), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: cabhPsDevUpnpCommandUpdate.setStatus('current') cabh_ps_dev_upnp_last_command_update = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 5), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevUpnpLastCommandUpdate.setStatus('current') cabh_ps_dev_upnp_command_status = mib_scalar((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('inProgress', 2), ('complete', 3), ('failed', 4))).clone('none')).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevUpnpCommandStatus.setStatus('current') cabh_ps_dev_upnp_info_table = mib_table((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7)) if mibBuilder.loadTexts: cabhPsDevUpnpInfoTable.setStatus('current') cabh_ps_dev_upnp_info_entry = mib_table_row((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') cabh_ps_dev_upnp_info_ip_type = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 1), inet_address_type()) if mibBuilder.loadTexts: cabhPsDevUpnpInfoIpType.setStatus('current') cabh_ps_dev_upnp_info_ip = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 2), inet_address()) if mibBuilder.loadTexts: cabhPsDevUpnpInfoIp.setStatus('current') cabh_ps_dev_upnp_info_xml_fragment_index = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4294967295))) if mibBuilder.loadTexts: cabhPsDevUpnpInfoXmlFragmentIndex.setStatus('current') cabh_ps_dev_upnp_info_xml_fragment = mib_table_column((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 1, 6, 3, 2, 7, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(0, 400))).setMaxAccess('readonly') if mibBuilder.loadTexts: cabhPsDevUpnpInfoXmlFragment.setStatus('current') cabh_ps_notification = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2)) cabh_ps_dev_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 2, 0)) cabh_ps_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3)) cabh_ps_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 1)) cabh_ps_groups = mib_identifier((1, 3, 6, 1, 4, 1, 4491, 2, 4, 1, 3, 2)) cabh_ps_dev_init_tlv_unknown_trap = notification_type((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') cabh_ps_dev_init_trap = notification_type((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') cabh_ps_dev_init_retry_trap = notification_type((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') cabh_ps_dev_dhcp_fail_trap = notification_type((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') cabh_ps_dev_sw_upgrade_init_trap = notification_type((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') cabh_ps_dev_sw_upgrade_fail_trap = notification_type((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') cabh_ps_dev_sw_upgrade_success_trap = notification_type((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') cabh_ps_dev_sw_upgrade_cvc_fail_trap = notification_type((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') cabh_ps_dev_tod_fail_trap = notification_type((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') cabh_ps_dev_cdp_wan_data_ip_trap = notification_type((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') cabh_ps_dev_cdp_threshold_trap = notification_type((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') cabh_ps_dev_csp_trap = notification_type((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') cabh_ps_dev_cap_trap = notification_type((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') cabh_ps_dev_ctp_trap = notification_type((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') cabh_ps_dev_prov_enroll_trap = notification_type((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') cabh_ps_dev_cdp_lan_ip_pool_trap = notification_type((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') cabh_ps_dev_upnp_multiple_ph_trap = notification_type((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') cabh_ps_basic_compliance = module_compliance((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): cabh_ps_basic_compliance = cabhPsBasicCompliance.setStatus('current') cabh_ps_deprecated_compliance = module_compliance((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): cabh_ps_deprecated_compliance = cabhPsDeprecatedCompliance.setStatus('deprecated') cabh_ps_obsolete_compliance = module_compliance((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): cabh_ps_obsolete_compliance = cabhPsObsoleteCompliance.setStatus('obsolete') cabh_ps_dev_base_group = object_group((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): cabh_ps_dev_base_group = cabhPsDevBaseGroup.setStatus('current') cabh_ps_dev_prov_group = object_group((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): cabh_ps_dev_prov_group = cabhPsDevProvGroup.setStatus('current') cabh_ps_dev_attrib_group = object_group((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): cabh_ps_dev_attrib_group = cabhPsDevAttribGroup.setStatus('current') cabh_ps_dev_stats_group = object_group((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): cabh_ps_dev_stats_group = cabhPsDevStatsGroup.setStatus('current') cabh_ps_dev_deprecated_group = object_group((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): cabh_ps_dev_deprecated_group = cabhPsDevDeprecatedGroup.setStatus('deprecated') cabh_ps_notification_group = notification_group((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): cabh_ps_notification_group = cabhPsNotificationGroup.setStatus('current') cabh_ps_dev_access_control_group = object_group((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): cabh_ps_dev_access_control_group = cabhPsDevAccessControlGroup.setStatus('current') cabh_ps_dev_ui_group = object_group((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): cabh_ps_dev_ui_group = cabhPsDevUIGroup.setStatus('current') cabh_ps_dev802dot11_group = object_group((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): cabh_ps_dev802dot11_group = cabhPsDev802dot11Group.setStatus('current') cabh_ps_dev_upnp_group = object_group((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): cabh_ps_dev_upnp_group = cabhPsDevUpnpGroup.setStatus('current') cabh_ps_dev_obsolete_group = object_group((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): cabh_ps_dev_obsolete_group = 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 splice_out(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
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
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))
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 string = output print(len(output))
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()
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
def intersection_array(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 len(Intersection) > 0 and Intersection[-1] == a[i]: i += 1 j += 1 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 if __name__ == '__main__': arr1 = [1, 2, 2, 3, 4] arr2 = [2, 2, 4, 6, 7, 8] l = intersection_array(arr1, arr2, len(arr1), len(arr2)) print(*l)
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 Config: epochs = 50 batch_size = 8 learning_rate_decay_epochs = 10 save_frequency = 5 save_model_dir = 'saved_model/' load_weights_before_training = False load_weights_from_epoch = 0 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 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_dir = 'data.txt' max_boxes_per_image = 50 backbone_name = 'D0' downsampling_ratio = 8 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} w_bifpn = {'D0': 64, 'D1': 88, 'D2': 112, 'D3': 160, 'D4': 224, 'D5': 288, 'D6': 384, 'D7': 384} 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']} 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 Polygon: def __init__(self, no_of_sides): self.n = no_of_sides self.sides = [0 for i in range(no_of_sides)] def input_sides(self): self.sides = [float(input('Enter side ' + str(i + 1) + ' : ')) for i in range(self.n)] def disp_sides(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 find_area(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)
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", ], )
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'])
# 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'
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'
_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'
_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'
# # 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)
(t_filter_id,) = mibBuilder.importSymbols('ALCATEL-IND1-TIMETRA-FILTER-MIB', 'TFilterID') (timetra_srmib_modules,) = mibBuilder.importSymbols('ALCATEL-IND1-TIMETRA-GLOBAL-MIB', 'timetraSRMIBModules') (t_burst_percent_or_default, t_virtual_scheduler_name, t_scheduler_policy_name, t_burst_size, t_adaptation_rule) = mibBuilder.importSymbols('ALCATEL-IND1-TIMETRA-QOS-MIB', 'TBurstPercentOrDefault', 'tVirtualSchedulerName', 'tSchedulerPolicyName', 'TBurstSize', 'TAdaptationRule') (host_connectivity_ch_addr, tls_dhcp_lse_state_new_ch_addr, tmnx_serv_notifications, protected_mac_for_notify, svc_dhcp_client_lease, svc_vpn_id, svc_dhcp_packet_problem, mvpls_prune_state, t_virt_sched_attribute, tmnx_customer_bridge_id, tls_dhcp_client_lease, msti_instance_id_or_zero, tls_limit_mac_move, serv_type, svc_dhcp_lse_state_old_ch_addr, cem_sap_ecid, cem_sap_report_alarm, tls_dhcp_lse_state_old_ci_addr, svc_dhcp_lse_state_new_ch_addr, svc_dhcp_co_a_error, tmnx_serv_conformance, l2pt_protocols, svc_tls_mac_move_max_rate, t_sap_egr_queue_id, svc_dhcp_lse_state_new_ci_addr, tdm_options_cas_trunk_framing, stp_exception_condition, tstp_traps, cust_id, svc_dhcp_proxy_error, tmnx_customer_root_bridge_id, tmnx_other_bridge_id, tls_dhcp_lse_state_old_ch_addr, config_status, stp_protocol, tmnx_serv_objs, svc_dhcp_lse_state_old_ci_addr, static_host_dynamic_mac_ip_address, bridge_id, host_connectivity_ci_addr, tls_dhcp_packet_problem, t_stp_port_state, tls_msti_instance_id, serv_obj_desc, static_host_dynamic_mac_conflict, vpn_id, stp_port_role, host_connectivity_ci_addr_type, serv_obj_name, tls_limit_mac_move_level, tls_dhcp_lse_state_new_ci_addr, svc_dhcp_lse_state_populate_error, svc_dhcp_sub_auth_error, t_sap_ing_queue_id, t_qos_queue_attribute, svc_id) = 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') (tmnx_serv_id, tmnx_cust_id, service_admin_status, tcir_rate, tpir_rate, tmnx_enabled_disabled, t_ingress_queue_id, tmnx_encap_val, t_named_item_or_empty, t_sap_ingress_policy_id, tmnx_action_type, t_policy_statement_name_or_empty, t_egress_queue_id, t_named_item, t_sap_egress_policy_id, t_port_scheduler_pir, tmnx_port_id, tmnx_oper_state, t_cpm_prot_policy_id, tmnx_igmp_version, t_item_description) = 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, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, value_range_constraint, constraints_union, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection') (atm_traffic_descr_param_index,) = mibBuilder.importSymbols('ATM-TC-MIB', 'AtmTrafficDescrParamIndex') (interface_index_or_zero,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndexOrZero') (inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress') (object_group, notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'NotificationGroup', 'ModuleCompliance') (notification_type, object_identity, integer32, module_identity, time_ticks, gauge32, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, iso, mib_identifier, ip_address, counter32, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'ObjectIdentity', 'Integer32', 'ModuleIdentity', 'TimeTicks', 'Gauge32', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'iso', 'MibIdentifier', 'IpAddress', 'Counter32', 'Unsigned32') (textual_convention, row_status, time_stamp, mac_address, display_string, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'RowStatus', 'TimeStamp', 'MacAddress', 'DisplayString', 'TruthValue') timetra_svc_sap_mib_module = module_identity((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') tmnx_sap_objs = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3)) tmnx_sap_notify_objs = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100)) tmnx_sap_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3)) sap_traps_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3)) sap_traps = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 3, 4, 3, 0)) sap_num_entries = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapNumEntries.setStatus('current') sap_base_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2)) if mibBuilder.loadTexts: sapBaseInfoTable.setStatus('current') sap_base_info_entry = mib_table_row((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') sap_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 1), tmnx_port_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortId.setStatus('current') sap_encap_value = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 2), tmnx_encap_val()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEncapValue.setStatus('current') sap_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapRowStatus.setStatus('current') sap_type = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 4), serv_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapType.setStatus('current') sap_description = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 5), serv_obj_desc()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapDescription.setStatus('current') sap_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 6), service_admin_status().clone('down')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapAdminStatus.setStatus('current') sap_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('up', 1), ('down', 2), ('ingressQosMismatch', 3), ('egressQosMismatch', 4), ('portMtuTooSmall', 5), ('svcAdminDown', 6), ('iesIfAdminDown', 7)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapOperStatus.setStatus('current') sap_ingress_qos_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 8), t_sap_ingress_policy_id().clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressQosPolicyId.setStatus('current') sap_ingress_mac_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 9), t_filter_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressMacFilterId.setStatus('current') sap_ingress_ip_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 10), t_filter_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressIpFilterId.setStatus('current') sap_egress_qos_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 11), t_sap_egress_policy_id().clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressQosPolicyId.setStatus('current') sap_egress_mac_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 12), t_filter_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressMacFilterId.setStatus('current') sap_egress_ip_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 13), t_filter_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressIpFilterId.setStatus('current') sap_mirror_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ingress', 1), ('egress', 2), ('ingressAndEgress', 3), ('disabled', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapMirrorStatus.setStatus('current') sap_ies_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 15), interface_index_or_zero()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIesIfIndex.setStatus('current') sap_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 16), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapLastMgmtChange.setStatus('current') sap_collect_acct_stats = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 17), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapCollectAcctStats.setStatus('current') sap_accounting_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 18), unsigned32()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapAccountingPolicyId.setStatus('current') sap_vpn_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 19), vpn_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapVpnId.setStatus('current') sap_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 20), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCustId.setStatus('current') sap_cust_mult_svc_site = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 21), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapCustMultSvcSite.setStatus('current') sap_ingress_qos_scheduler_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 22), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressQosSchedulerPolicy.setStatus('current') sap_egress_qos_scheduler_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 23), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressQosSchedulerPolicy.setStatus('current') sap_split_horizon_grp = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 24), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSplitHorizonGrp.setStatus('current') sap_ingress_shared_queue_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 25), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressSharedQueuePolicy.setStatus('current') sap_ingress_match_qin_q_dot1_p_bits = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 26), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('default', 1), ('top', 2), ('bottom', 3))).clone('default')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressMatchQinQDot1PBits.setStatus('current') sap_oper_flags = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 27), bits().clone(namedValues=named_values(('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') sap_last_status_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 28), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapLastStatusChange.setStatus('current') sap_anti_spoofing = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('disabled', 0), ('sourceIpAddr', 1), ('sourceMacAddr', 2), ('sourceIpAndMacAddr', 3), ('nextHopIpAndMacAddr', 4))).clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapAntiSpoofing.setStatus('current') sap_ingress_ipv6_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 30), t_filter_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressIpv6FilterId.setStatus('current') sap_egress_ipv6_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 31), t_filter_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressIpv6FilterId.setStatus('current') sap_tod_suite = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 32), t_named_item_or_empty().clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapTodSuite.setStatus('current') sap_ing_use_multipoint_shared = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 33), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngUseMultipointShared.setStatus('current') sap_egress_qin_q_mark_top_only = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 34), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressQinQMarkTopOnly.setStatus('current') sap_egress_agg_rate_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 35), t_port_scheduler_pir().clone(-1)).setUnits('kbps').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressAggRateLimit.setStatus('current') sap_end_point = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 36), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEndPoint.setStatus('current') sap_ingress_vlan_translation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 37), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('vlanId', 2), ('copyOuter', 3))).clone('none')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressVlanTranslation.setStatus('current') sap_ingress_vlan_translation_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 38), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 4094))).clone(-1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngressVlanTranslationId.setStatus('current') sap_sub_type = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('regular', 0), ('capture', 1), ('managed', 2))).clone('regular')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubType.setStatus('current') sap_cpm_prot_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 40), t_cpm_prot_policy_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapCpmProtPolicyId.setStatus('current') sap_cpm_prot_monitor_mac = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 41), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapCpmProtMonitorMac.setStatus('current') sap_egress_frame_based_accounting = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 2, 1, 42), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgressFrameBasedAccounting.setStatus('current') sap_tls_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3)) if mibBuilder.loadTexts: sapTlsInfoTable.setStatus('current') sap_tls_info_entry = mib_table_row((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') sap_tls_stp_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 1), tmnx_enabled_disabled().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpAdminStatus.setStatus('current') sap_tls_stp_priority = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(128)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpPriority.setStatus('current') sap_tls_stp_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4094))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpPortNum.setStatus('current') sap_tls_stp_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 200000000)).clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpPathCost.setStatus('current') sap_tls_stp_rapid_start = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 5), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpRapidStart.setStatus('current') sap_tls_stp_bpdu_encap = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dynamic', 1), ('dot1d', 2), ('pvst', 3))).clone('dynamic')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpBpduEncap.setStatus('current') sap_tls_stp_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 7), t_stp_port_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpPortState.setStatus('current') sap_tls_stp_designated_bridge = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 8), bridge_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpDesignatedBridge.setStatus('current') sap_tls_stp_designated_port = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 9), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpDesignatedPort.setStatus('current') sap_tls_stp_forward_transitions = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 10), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpForwardTransitions.setStatus('current') sap_tls_stp_in_config_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 11), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpInConfigBpdus.setStatus('current') sap_tls_stp_in_tcn_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 12), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpInTcnBpdus.setStatus('current') sap_tls_stp_in_bad_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 13), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpInBadBpdus.setStatus('current') sap_tls_stp_out_config_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 14), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOutConfigBpdus.setStatus('current') sap_tls_stp_out_tcn_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 15), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOutTcnBpdus.setStatus('current') sap_tls_stp_oper_bpdu_encap = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dynamic', 1), ('dot1d', 2), ('pvst', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOperBpduEncap.setStatus('current') sap_tls_vpn_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 17), vpn_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsVpnId.setStatus('current') sap_tls_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 18), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsCustId.setStatus('current') sap_tls_mac_address_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(0, 196607))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMacAddressLimit.setStatus('current') sap_tls_num_mac_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 20), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsNumMacAddresses.setStatus('current') sap_tls_num_static_mac_addresses = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 21), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsNumStaticMacAddresses.setStatus('current') sap_tls_mac_learning = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 22), tmnx_enabled_disabled().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMacLearning.setStatus('current') sap_tls_mac_ageing = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 23), tmnx_enabled_disabled().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMacAgeing.setStatus('current') sap_tls_stp_oper_edge = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 24), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOperEdge.setStatus('current') sap_tls_stp_admin_point_to_point = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('forceTrue', 0), ('forceFalse', 1))).clone('forceTrue')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpAdminPointToPoint.setStatus('current') sap_tls_stp_port_role = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 26), stp_port_role()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpPortRole.setStatus('current') sap_tls_stp_auto_edge = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 27), tmnx_enabled_disabled().clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpAutoEdge.setStatus('current') sap_tls_stp_oper_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 28), stp_protocol()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOperProtocol.setStatus('current') sap_tls_stp_in_rst_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 29), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpInRstBpdus.setStatus('current') sap_tls_stp_out_rst_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 30), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOutRstBpdus.setStatus('current') sap_tls_limit_mac_move = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 31), tls_limit_mac_move().clone('blockable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsLimitMacMove.setStatus('current') sap_tls_dhcp_snooping = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 32), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpSnooping.setStatus('obsolete') sap_tls_mac_pinning = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 33), tmnx_enabled_disabled()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMacPinning.setStatus('current') sap_tls_discard_unknown_source = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 34), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDiscardUnknownSource.setStatus('current') sap_tls_mvpls_prune_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 35), mvpls_prune_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMvplsPruneState.setStatus('current') sap_tls_mvpls_mgmt_service = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 36), tmnx_serv_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMvplsMgmtService.setStatus('current') sap_tls_mvpls_mgmt_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 37), tmnx_port_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMvplsMgmtPortId.setStatus('current') sap_tls_mvpls_mgmt_encap_value = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 38), tmnx_encap_val()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMvplsMgmtEncapValue.setStatus('current') sap_tls_arp_reply_agent = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2), ('enabledWithSubscrIdent', 3))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsArpReplyAgent.setStatus('current') sap_tls_stp_exception = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 40), stp_exception_condition()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpException.setStatus('current') sap_tls_authentication_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 41), t_policy_statement_name_or_empty().clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsAuthenticationPolicy.setStatus('current') sap_tls_l2pt_termination = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 42), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsL2ptTermination.setStatus('current') sap_tls_bpdu_translation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('auto', 1), ('disabled', 2), ('pvst', 3), ('stp', 4))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsBpduTranslation.setStatus('current') sap_tls_stp_root_guard = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 44), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsStpRootGuard.setStatus('current') sap_tls_stp_inside_region = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 45), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpInsideRegion.setStatus('current') sap_tls_egress_mcast_group = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 46), t_named_item_or_empty()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsEgressMcastGroup.setStatus('current') sap_tls_stp_in_mst_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 47), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpInMstBpdus.setStatus('current') sap_tls_stp_out_mst_bpdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 48), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpOutMstBpdus.setStatus('current') sap_tls_rest_prot_src_mac = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 49), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsRestProtSrcMac.setStatus('current') sap_tls_rest_unprot_dst_mac = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 50), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsRestUnprotDstMac.setStatus('current') sap_tls_stp_rxd_desig_bridge = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 51), bridge_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpRxdDesigBridge.setStatus('current') sap_tls_stp_root_guard_violation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 52), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsStpRootGuardViolation.setStatus('current') sap_tls_shcv_action = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 53), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('alarm', 1), ('remove', 2))).clone('alarm')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsShcvAction.setStatus('current') sap_tls_shcv_src_ip = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 54), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsShcvSrcIp.setStatus('current') sap_tls_shcv_src_mac = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 55), mac_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsShcvSrcMac.setStatus('current') sap_tls_shcv_interval = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 56), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 6000))).setUnits('minutes').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsShcvInterval.setStatus('current') sap_tls_mvpls_mgmt_msti = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 57), msti_instance_id_or_zero()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMvplsMgmtMsti.setStatus('current') sap_tls_mac_move_next_up_time = mib_table_column((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') sap_tls_mac_move_rate_excd_left = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 59), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMacMoveRateExcdLeft.setStatus('current') sap_tls_rest_prot_src_mac_action = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 60), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('alarm-only', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsRestProtSrcMacAction.setStatus('current') sap_tls_l2pt_force_boundary = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 61), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsL2ptForceBoundary.setStatus('current') sap_tls_limit_mac_move_level = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 62), tls_limit_mac_move_level().clone('tertiary')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsLimitMacMoveLevel.setStatus('current') sap_tls_bpdu_trans_oper = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 63), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('undefined', 1), ('disabled', 2), ('pvst', 3), ('stp', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsBpduTransOper.setStatus('current') sap_tls_def_msap_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 64), t_policy_statement_name_or_empty()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDefMsapPolicy.setStatus('current') sap_tls_l2pt_protocols = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 65), l2pt_protocols().clone(namedValues=named_values(('stp', 0)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsL2ptProtocols.setStatus('current') sap_tls_l2pt_force_protocols = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 66), l2pt_protocols().clone(namedValues=named_values(('stp', 0)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsL2ptForceProtocols.setStatus('current') sap_tls_pppoe_msap_trigger = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 67), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsPppoeMsapTrigger.setStatus('current') sap_tls_dhcp_msap_trigger = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 68), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpMsapTrigger.setStatus('current') sap_tls_mrp_join_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 69), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(2)).setUnits('deci-seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMrpJoinTime.setStatus('current') sap_tls_mrp_leave_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 70), unsigned32().subtype(subtypeSpec=value_range_constraint(30, 60)).clone(30)).setUnits('deci-seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMrpLeaveTime.setStatus('current') sap_tls_mrp_leave_all_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 71), unsigned32().subtype(subtypeSpec=value_range_constraint(60, 300)).clone(100)).setUnits('deci-seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMrpLeaveAllTime.setStatus('current') sap_tls_mrp_periodic_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 72), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 100)).clone(10)).setUnits('deci-seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMrpPeriodicTime.setStatus('current') sap_tls_mrp_periodic_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 3, 1, 73), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMrpPeriodicEnabled.setStatus('current') sap_atm_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4)) if mibBuilder.loadTexts: sapAtmInfoTable.setStatus('current') sap_atm_info_entry = mib_table_row((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') sap_atm_encapsulation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 7, 8, 10, 11))).clone(namedValues=named_values(('vcMultiplexRoutedProtocol', 1), ('vcMultiplexBridgedProtocol8023', 2), ('llcSnapRoutedProtocol', 7), ('multiprotocolFrameRelaySscs', 8), ('unknown', 10), ('llcSnapBridgedProtocol8023', 11))).clone('llcSnapRoutedProtocol')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapAtmEncapsulation.setStatus('current') sap_atm_ingress_traffic_desc_index = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 2), atm_traffic_descr_param_index().subtype(subtypeSpec=value_range_constraint(1, 1000)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapAtmIngressTrafficDescIndex.setStatus('current') sap_atm_egress_traffic_desc_index = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 3), atm_traffic_descr_param_index().subtype(subtypeSpec=value_range_constraint(1, 1000)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapAtmEgressTrafficDescIndex.setStatus('current') sap_atm_oam_alarm_cell_handling = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 4), service_admin_status().clone('up')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapAtmOamAlarmCellHandling.setStatus('current') sap_atm_oam_terminate = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 5), service_admin_status().clone('down')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapAtmOamTerminate.setStatus('current') sap_atm_oam_periodic_loopback = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 4, 1, 6), service_admin_status().clone('down')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapAtmOamPeriodicLoopback.setStatus('current') sap_base_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6)) if mibBuilder.loadTexts: sapBaseStatsTable.setStatus('current') sap_base_stats_entry = mib_table_row((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') sap_base_stats_ingress_pchip_dropped_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 1), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipDroppedPackets.setStatus('current') sap_base_stats_ingress_pchip_dropped_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipDroppedOctets.setStatus('current') sap_base_stats_ingress_pchip_offered_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedHiPrioPackets.setStatus('current') sap_base_stats_ingress_pchip_offered_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedHiPrioOctets.setStatus('current') sap_base_stats_ingress_pchip_offered_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedLoPrioPackets.setStatus('current') sap_base_stats_ingress_pchip_offered_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedLoPrioOctets.setStatus('current') sap_base_stats_ingress_qchip_dropped_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedHiPrioPackets.setStatus('current') sap_base_stats_ingress_qchip_dropped_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedHiPrioOctets.setStatus('current') sap_base_stats_ingress_qchip_dropped_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedLoPrioPackets.setStatus('current') sap_base_stats_ingress_qchip_dropped_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipDroppedLoPrioOctets.setStatus('current') sap_base_stats_ingress_qchip_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedInProfPackets.setStatus('current') sap_base_stats_ingress_qchip_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedInProfOctets.setStatus('current') sap_base_stats_ingress_qchip_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedOutProfPackets.setStatus('current') sap_base_stats_ingress_qchip_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressQchipForwardedOutProfOctets.setStatus('current') sap_base_stats_egress_qchip_dropped_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedInProfPackets.setStatus('current') sap_base_stats_egress_qchip_dropped_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedInProfOctets.setStatus('current') sap_base_stats_egress_qchip_dropped_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedOutProfPackets.setStatus('current') sap_base_stats_egress_qchip_dropped_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 18), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipDroppedOutProfOctets.setStatus('current') sap_base_stats_egress_qchip_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 19), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedInProfPackets.setStatus('current') sap_base_stats_egress_qchip_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 20), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedInProfOctets.setStatus('current') sap_base_stats_egress_qchip_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 21), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedOutProfPackets.setStatus('current') sap_base_stats_egress_qchip_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 22), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsEgressQchipForwardedOutProfOctets.setStatus('current') sap_base_stats_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 23), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsCustId.setStatus('current') sap_base_stats_ingress_pchip_offered_uncolored_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 24), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedUncoloredPackets.setStatus('current') sap_base_stats_ingress_pchip_offered_uncolored_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 25), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsIngressPchipOfferedUncoloredOctets.setStatus('current') sap_base_stats_authentication_pkts_discarded = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsAuthenticationPktsDiscarded.setStatus('current') sap_base_stats_authentication_pkts_success = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsAuthenticationPktsSuccess.setStatus('current') sap_base_stats_last_cleared_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 6, 1, 28), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapBaseStatsLastClearedTime.setStatus('current') sap_ing_qos_queue_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7)) if mibBuilder.loadTexts: sapIngQosQueueStatsTable.setStatus('current') sap_ing_qos_queue_stats_entry = mib_table_row((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') sap_ing_qos_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 1), t_sap_ing_queue_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueId.setStatus('current') sap_ing_qos_queue_stats_offered_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedHiPrioPackets.setStatus('current') sap_ing_qos_queue_stats_dropped_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedHiPrioPackets.setStatus('current') sap_ing_qos_queue_stats_offered_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedLoPrioPackets.setStatus('current') sap_ing_qos_queue_stats_dropped_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedLoPrioPackets.setStatus('current') sap_ing_qos_queue_stats_offered_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedHiPrioOctets.setStatus('current') sap_ing_qos_queue_stats_dropped_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedHiPrioOctets.setStatus('current') sap_ing_qos_queue_stats_offered_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsOfferedLoPrioOctets.setStatus('current') sap_ing_qos_queue_stats_dropped_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsDroppedLoPrioOctets.setStatus('current') sap_ing_qos_queue_stats_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedInProfPackets.setStatus('current') sap_ing_qos_queue_stats_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedOutProfPackets.setStatus('current') sap_ing_qos_queue_stats_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedInProfOctets.setStatus('current') sap_ing_qos_queue_stats_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsForwardedOutProfOctets.setStatus('current') sap_ing_qos_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 14), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosCustId.setStatus('current') sap_ing_qos_queue_stats_uncolored_packets_offered = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 15), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsUncoloredPacketsOffered.setStatus('current') sap_ing_qos_queue_stats_uncolored_octets_offered = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 7, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQueueStatsUncoloredOctetsOffered.setStatus('current') sap_egr_qos_queue_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8)) if mibBuilder.loadTexts: sapEgrQosQueueStatsTable.setStatus('current') sap_egr_qos_queue_stats_entry = mib_table_row((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') sap_egr_qos_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 1), t_sap_egr_queue_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueId.setStatus('current') sap_egr_qos_queue_stats_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedInProfPackets.setStatus('current') sap_egr_qos_queue_stats_dropped_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedInProfPackets.setStatus('current') sap_egr_qos_queue_stats_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedOutProfPackets.setStatus('current') sap_egr_qos_queue_stats_dropped_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedOutProfPackets.setStatus('current') sap_egr_qos_queue_stats_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedInProfOctets.setStatus('current') sap_egr_qos_queue_stats_dropped_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedInProfOctets.setStatus('current') sap_egr_qos_queue_stats_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsForwardedOutProfOctets.setStatus('current') sap_egr_qos_queue_stats_dropped_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQueueStatsDroppedOutProfOctets.setStatus('current') sap_egr_qos_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 8, 1, 10), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosCustId.setStatus('current') sap_ing_qos_sched_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9)) if mibBuilder.loadTexts: sapIngQosSchedStatsTable.setStatus('current') sap_ing_qos_sched_stats_entry = mib_table_row((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') sap_ing_qos_sched_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 1), t_named_item()) if mibBuilder.loadTexts: sapIngQosSchedName.setStatus('current') sap_ing_qos_sched_stats_forwarded_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosSchedStatsForwardedPackets.setStatus('current') sap_ing_qos_sched_stats_forwarded_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosSchedStatsForwardedOctets.setStatus('current') sap_ing_qos_sched_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 9, 1, 4), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosSchedCustId.setStatus('current') sap_egr_qos_sched_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10)) if mibBuilder.loadTexts: sapEgrQosSchedStatsTable.setStatus('current') sap_egr_qos_sched_stats_entry = mib_table_row((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') sap_egr_qos_sched_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 1), t_named_item()) if mibBuilder.loadTexts: sapEgrQosSchedName.setStatus('current') sap_egr_qos_sched_stats_forwarded_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosSchedStatsForwardedPackets.setStatus('current') sap_egr_qos_sched_stats_forwarded_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosSchedStatsForwardedOctets.setStatus('current') sap_egr_qos_sched_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 10, 1, 4), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosSchedCustId.setStatus('current') sap_tls_managed_vlan_list_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11)) if mibBuilder.loadTexts: sapTlsManagedVlanListTable.setStatus('current') sap_tls_managed_vlan_list_entry = mib_table_row((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') sap_tls_mvpls_min_vlan_tag = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4095))) if mibBuilder.loadTexts: sapTlsMvplsMinVlanTag.setStatus('current') sap_tls_mvpls_max_vlan_tag = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4095))) if mibBuilder.loadTexts: sapTlsMvplsMaxVlanTag.setStatus('current') sap_tls_mvpls_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 11, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapTlsMvplsRowStatus.setStatus('current') sap_anti_spoof_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12)) if mibBuilder.loadTexts: sapAntiSpoofTable.setStatus('current') sap_anti_spoof_entry = mib_table_row((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') sap_anti_spoof_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12, 1, 1), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapAntiSpoofIpAddress.setStatus('current') sap_anti_spoof_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 12, 1, 2), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapAntiSpoofMacAddress.setStatus('current') sap_static_host_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13)) if mibBuilder.loadTexts: sapStaticHostTable.setStatus('current') sap_static_host_entry = mib_table_row((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') sap_static_host_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 1), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostRowStatus.setStatus('current') sap_static_host_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 2), ip_address()) if mibBuilder.loadTexts: sapStaticHostIpAddress.setStatus('current') sap_static_host_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 3), mac_address()) if mibBuilder.loadTexts: sapStaticHostMacAddress.setStatus('current') sap_static_host_subscr_ident = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostSubscrIdent.setStatus('current') sap_static_host_sub_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 5), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostSubProfile.setStatus('current') sap_static_host_sla_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 6), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostSlaProfile.setStatus('current') sap_static_host_shcv_oper_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('disabled', 1), ('undefined', 2), ('down', 3), ('up', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostShcvOperState.setStatus('current') sap_static_host_shcv_checks = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostShcvChecks.setStatus('current') sap_static_host_shcv_replies = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 9), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostShcvReplies.setStatus('current') sap_static_host_shcv_reply_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 10), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostShcvReplyTime.setStatus('current') sap_static_host_dyn_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 11), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostDynMacAddress.setStatus('current') sap_static_host_retailer_svc_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 12), tmnx_serv_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostRetailerSvcId.setStatus('current') sap_static_host_retailer_if = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 13), interface_index_or_zero()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostRetailerIf.setStatus('current') sap_static_host_fwding_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 14), tmnx_oper_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapStaticHostFwdingState.setStatus('current') sap_static_host_ancp_string = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostAncpString.setStatus('current') sap_static_host_sub_id_is_sap_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 16), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostSubIdIsSapId.setStatus('current') sap_static_host_app_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 17), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostAppProfile.setStatus('current') sap_static_host_intermediate_dest_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 13, 1, 18), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapStaticHostIntermediateDestId.setStatus('current') sap_tls_dhcp_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14)) if mibBuilder.loadTexts: sapTlsDhcpInfoTable.setStatus('current') sap_tls_dhcp_info_entry = mib_table_row((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') sap_tls_dhcp_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 1), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpAdminState.setStatus('current') sap_tls_dhcp_description = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 2), serv_obj_desc().clone(hexValue='')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpDescription.setStatus('current') sap_tls_dhcp_snoop = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 3), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpSnoop.setStatus('current') sap_tls_dhcp_lease_populate = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 8000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpLeasePopulate.setStatus('current') sap_tls_dhcp_oper_lease_populate = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 8000))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpOperLeasePopulate.setStatus('current') sap_tls_dhcp_info_action = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('replace', 1), ('drop', 2), ('keep', 3))).clone('keep')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpInfoAction.setStatus('current') sap_tls_dhcp_circuit_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('asciiTuple', 1), ('vlanAsciiTuple', 2))).clone('asciiTuple')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpCircuitId.setStatus('current') sap_tls_dhcp_remote_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('mac', 2), ('remote-id', 3))).clone('none')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpRemoteId.setStatus('current') sap_tls_dhcp_remote_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpRemoteIdString.setStatus('current') sap_tls_dhcp_proxy_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 10), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpProxyAdminState.setStatus('current') sap_tls_dhcp_proxy_server_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 11), ip_address().clone(hexValue='00000000')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpProxyServerAddr.setStatus('current') sap_tls_dhcp_proxy_lease_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 12), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(300, 315446399)))).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpProxyLeaseTime.setStatus('current') sap_tls_dhcp_proxy_lt_radius_override = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 13), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpProxyLTRadiusOverride.setStatus('current') sap_tls_dhcp_vendor_include_options = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 14), bits().clone(namedValues=named_values(('systemId', 0), ('clientMac', 1), ('serviceId', 2), ('sapId', 3))).clone(namedValues=named_values(('systemId', 0)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpVendorIncludeOptions.setStatus('current') sap_tls_dhcp_vendor_option_string = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 14, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsDhcpVendorOptionString.setStatus('current') sap_tls_dhcp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15)) if mibBuilder.loadTexts: sapTlsDhcpStatsTable.setStatus('current') sap_tls_dhcp_stats_entry = mib_table_row((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') sap_tls_dhcp_stats_clnt_snoopd_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsClntSnoopdPckts.setStatus('current') sap_tls_dhcp_stats_srvr_snoopd_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsSrvrSnoopdPckts.setStatus('current') sap_tls_dhcp_stats_clnt_forwd_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsClntForwdPckts.setStatus('current') sap_tls_dhcp_stats_srvr_forwd_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsSrvrForwdPckts.setStatus('current') sap_tls_dhcp_stats_clnt_dropd_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsClntDropdPckts.setStatus('current') sap_tls_dhcp_stats_srvr_dropd_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsSrvrDropdPckts.setStatus('current') sap_tls_dhcp_stats_clnt_prox_rad_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsClntProxRadPckts.setStatus('current') sap_tls_dhcp_stats_clnt_prox_ls_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsClntProxLSPckts.setStatus('current') sap_tls_dhcp_stats_gen_release_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsGenReleasePckts.setStatus('current') sap_tls_dhcp_stats_gen_force_ren_pckts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 15, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpStatsGenForceRenPckts.setStatus('current') sap_tls_dhcp_lease_state_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16)) if mibBuilder.loadTexts: sapTlsDhcpLeaseStateTable.setStatus('obsolete') sap_tls_dhcp_lease_state_entry = mib_table_row((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') sap_tls_dhcp_lse_state_ci_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 1), ip_address()) if mibBuilder.loadTexts: sapTlsDhcpLseStateCiAddr.setStatus('obsolete') sap_tls_dhcp_lse_state_ch_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 2), mac_address()) if mibBuilder.loadTexts: sapTlsDhcpLseStateChAddr.setStatus('obsolete') sap_tls_dhcp_lse_state_remain_lse_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 3), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpLseStateRemainLseTime.setStatus('obsolete') sap_tls_dhcp_lse_state_option82 = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 4), octet_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpLseStateOption82.setStatus('obsolete') sap_tls_dhcp_lse_state_persist_key = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 16, 1, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsDhcpLseStatePersistKey.setStatus('obsolete') sap_port_id_ing_qos_sched_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17)) if mibBuilder.loadTexts: sapPortIdIngQosSchedStatsTable.setStatus('current') sap_port_id_ing_qos_sched_stats_entry = mib_table_row((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') sap_port_id_ing_qos_sched_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 1), t_named_item()) if mibBuilder.loadTexts: sapPortIdIngQosSchedName.setStatus('current') sap_port_id_ing_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 2), tmnx_port_id()) if mibBuilder.loadTexts: sapPortIdIngPortId.setStatus('current') sap_port_id_ing_qos_sched_fwd_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortIdIngQosSchedFwdPkts.setStatus('current') sap_port_id_ing_qos_sched_fwd_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortIdIngQosSchedFwdOctets.setStatus('current') sap_port_id_ing_qos_sched_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 17, 1, 5), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortIdIngQosSchedCustId.setStatus('current') sap_port_id_egr_qos_sched_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18)) if mibBuilder.loadTexts: sapPortIdEgrQosSchedStatsTable.setStatus('current') sap_port_id_egr_qos_sched_stats_entry = mib_table_row((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') sap_port_id_egr_qos_sched_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 1), t_named_item()) if mibBuilder.loadTexts: sapPortIdEgrQosSchedName.setStatus('current') sap_port_id_egr_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 2), tmnx_port_id()) if mibBuilder.loadTexts: sapPortIdEgrPortId.setStatus('current') sap_port_id_egr_qos_sched_fwd_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortIdEgrQosSchedFwdPkts.setStatus('current') sap_port_id_egr_qos_sched_fwd_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortIdEgrQosSchedFwdOctets.setStatus('current') sap_port_id_egr_qos_sched_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 18, 1, 5), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapPortIdEgrQosSchedCustId.setStatus('current') sap_ing_qos_queue_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19)) if mibBuilder.loadTexts: sapIngQosQueueInfoTable.setStatus('current') sap_ing_qos_queue_info_entry = mib_table_row((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') sap_ing_qos_q_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 1), t_ingress_queue_id()) if mibBuilder.loadTexts: sapIngQosQId.setStatus('current') sap_ing_qos_q_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQRowStatus.setStatus('current') sap_ing_qos_q_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosQLastMgmtChange.setStatus('current') sap_ing_qos_q_override_flags = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 4), t_qos_queue_attribute()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQOverrideFlags.setStatus('current') sap_ing_qos_qcbs = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 5), t_burst_size().clone(-1)).setUnits('kilo bytes').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQCBS.setStatus('current') sap_ing_qos_qmbs = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 6), t_burst_size().clone(-1)).setUnits('kilo bytes').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQMBS.setStatus('current') sap_ing_qos_q_hi_prio_only = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 7), t_burst_percent_or_default().clone(-1)).setUnits('percent').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQHiPrioOnly.setStatus('current') sap_ing_qos_qcir_adaptation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 8), t_adaptation_rule().clone('closest')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQCIRAdaptation.setStatus('current') sap_ing_qos_qpir_adaptation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 9), t_adaptation_rule().clone('closest')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQPIRAdaptation.setStatus('current') sap_ing_qos_q_admin_pir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 10), tpir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQAdminPIR.setStatus('current') sap_ing_qos_q_admin_cir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 19, 1, 11), tcir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosQAdminCIR.setStatus('current') sap_egr_qos_queue_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20)) if mibBuilder.loadTexts: sapEgrQosQueueInfoTable.setStatus('current') sap_egr_qos_queue_info_entry = mib_table_row((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') sap_egr_qos_q_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 1), t_egress_queue_id()) if mibBuilder.loadTexts: sapEgrQosQId.setStatus('current') sap_egr_qos_q_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQRowStatus.setStatus('current') sap_egr_qos_q_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosQLastMgmtChange.setStatus('current') sap_egr_qos_q_override_flags = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 4), t_qos_queue_attribute()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQOverrideFlags.setStatus('current') sap_egr_qos_qcbs = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 5), t_burst_size().clone(-1)).setUnits('kilo bytes').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQCBS.setStatus('current') sap_egr_qos_qmbs = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 6), t_burst_size().clone(-1)).setUnits('kilo bytes').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQMBS.setStatus('current') sap_egr_qos_q_hi_prio_only = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 7), t_burst_percent_or_default().clone(-1)).setUnits('percent').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQHiPrioOnly.setStatus('current') sap_egr_qos_qcir_adaptation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 8), t_adaptation_rule().clone('closest')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQCIRAdaptation.setStatus('current') sap_egr_qos_qpir_adaptation = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 9), t_adaptation_rule().clone('closest')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQPIRAdaptation.setStatus('current') sap_egr_qos_q_admin_pir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 10), tpir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQAdminPIR.setStatus('current') sap_egr_qos_q_admin_cir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 11), tcir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQAdminCIR.setStatus('current') sap_egr_qos_q_avg_overhead = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 20, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 10000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosQAvgOverhead.setStatus('current') sap_ing_qos_sched_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21)) if mibBuilder.loadTexts: sapIngQosSchedInfoTable.setStatus('current') sap_ing_qos_sched_info_entry = mib_table_row((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') sap_ing_qos_s_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 1), t_named_item()) if mibBuilder.loadTexts: sapIngQosSName.setStatus('current') sap_ing_qos_s_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosSRowStatus.setStatus('current') sap_ing_qos_s_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngQosSLastMgmtChange.setStatus('current') sap_ing_qos_s_override_flags = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 4), t_virt_sched_attribute()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosSOverrideFlags.setStatus('current') sap_ing_qos_spir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 5), tpir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosSPIR.setStatus('current') sap_ing_qos_scir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 6), tcir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosSCIR.setStatus('current') sap_ing_qos_s_summed_cir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 21, 1, 7), truth_value().clone('true')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapIngQosSSummedCIR.setStatus('current') sap_egr_qos_sched_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22)) if mibBuilder.loadTexts: sapEgrQosSchedInfoTable.setStatus('current') sap_egr_qos_sched_info_entry = mib_table_row((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') sap_egr_qos_s_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 1), t_named_item()) if mibBuilder.loadTexts: sapEgrQosSName.setStatus('current') sap_egr_qos_s_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosSRowStatus.setStatus('current') sap_egr_qos_s_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrQosSLastMgmtChange.setStatus('current') sap_egr_qos_s_override_flags = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 4), t_virt_sched_attribute()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosSOverrideFlags.setStatus('current') sap_egr_qos_spir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 5), tpir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosSPIR.setStatus('current') sap_egr_qos_scir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 6), tcir_rate().clone(-1)).setUnits('kilo bits per second').setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosSCIR.setStatus('current') sap_egr_qos_s_summed_cir = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 22, 1, 7), truth_value().clone('true')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEgrQosSSummedCIR.setStatus('current') sap_sub_mgmt_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23)) if mibBuilder.loadTexts: sapSubMgmtInfoTable.setStatus('current') sap_sub_mgmt_info_entry = mib_table_row((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') sap_sub_mgmt_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 1), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtAdminStatus.setStatus('current') sap_sub_mgmt_def_sub_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 2), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtDefSubProfile.setStatus('current') sap_sub_mgmt_def_sla_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 3), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtDefSlaProfile.setStatus('current') sap_sub_mgmt_sub_ident_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 4), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtSubIdentPolicy.setStatus('current') sap_sub_mgmt_subscriber_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 8000)).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtSubscriberLimit.setStatus('current') sap_sub_mgmt_profiled_traffic_only = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 6), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtProfiledTrafficOnly.setStatus('current') sap_sub_mgmt_non_sub_traffic_sub_ident = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficSubIdent.setStatus('current') sap_sub_mgmt_non_sub_traffic_sub_prof = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 8), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficSubProf.setStatus('current') sap_sub_mgmt_non_sub_traffic_sla_prof = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 9), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficSlaProf.setStatus('current') sap_sub_mgmt_mac_da_hashing = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 10), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtMacDaHashing.setStatus('current') sap_sub_mgmt_def_sub_ident = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('useSapId', 1), ('useString', 2))).clone('useString')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtDefSubIdent.setStatus('current') sap_sub_mgmt_def_sub_ident_string = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtDefSubIdentString.setStatus('current') sap_sub_mgmt_def_app_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 13), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtDefAppProfile.setStatus('current') sap_sub_mgmt_non_sub_traffic_app_prof = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 23, 1, 14), serv_obj_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapSubMgmtNonSubTrafficAppProf.setStatus('current') sap_tls_msti_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24)) if mibBuilder.loadTexts: sapTlsMstiTable.setStatus('current') sap_tls_msti_entry = mib_table_row((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') sap_tls_msti_priority = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(128)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMstiPriority.setStatus('current') sap_tls_msti_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 200000000)).clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapTlsMstiPathCost.setStatus('current') sap_tls_msti_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMstiLastMgmtChange.setStatus('current') sap_tls_msti_port_role = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 4), stp_port_role()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMstiPortRole.setStatus('current') sap_tls_msti_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 5), t_stp_port_state()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMstiPortState.setStatus('current') sap_tls_msti_designated_bridge = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 6), bridge_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMstiDesignatedBridge.setStatus('current') sap_tls_msti_designated_port = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 24, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMstiDesignatedPort.setStatus('current') sap_ipipe_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25)) if mibBuilder.loadTexts: sapIpipeInfoTable.setStatus('current') sap_ipipe_info_entry = mib_table_row((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') sap_ipipe_ce_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 1), inet_address_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapIpipeCeInetAddressType.setStatus('current') sap_ipipe_ce_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 2), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(4, 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapIpipeCeInetAddress.setStatus('current') sap_ipipe_mac_refresh_interval = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535)).clone(14400)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapIpipeMacRefreshInterval.setStatus('current') sap_ipipe_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 4), mac_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapIpipeMacAddress.setStatus('current') sap_ipipe_arped_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 5), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIpipeArpedMacAddress.setStatus('current') sap_ipipe_arped_mac_address_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 25, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIpipeArpedMacAddressTimeout.setStatus('current') sap_tod_monitor_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26)) if mibBuilder.loadTexts: sapTodMonitorTable.setStatus('current') sap_tod_monitor_entry = mib_table_row((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') sap_current_ingress_ip_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 1), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentIngressIpFilterId.setStatus('current') sap_current_ingress_ipv6_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 2), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentIngressIpv6FilterId.setStatus('current') sap_current_ingress_mac_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 3), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentIngressMacFilterId.setStatus('current') sap_current_ingress_qos_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 4), t_sap_ingress_policy_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentIngressQosPolicyId.setStatus('current') sap_current_ingress_qos_sched_plcy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 5), serv_obj_name()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentIngressQosSchedPlcy.setStatus('current') sap_current_egress_ip_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 6), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentEgressIpFilterId.setStatus('current') sap_current_egress_ipv6_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 7), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentEgressIpv6FilterId.setStatus('current') sap_current_egress_mac_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 8), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentEgressMacFilterId.setStatus('current') sap_current_egress_qos_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 9), t_sap_egress_policy_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentEgressQosPolicyId.setStatus('current') sap_current_egress_qos_sched_plcy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 10), serv_obj_name()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCurrentEgressQosSchedPlcy.setStatus('current') sap_intended_ingress_ip_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 11), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedIngressIpFilterId.setStatus('current') sap_intended_ingress_ipv6_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 12), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedIngressIpv6FilterId.setStatus('current') sap_intended_ingress_mac_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 13), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedIngressMacFilterId.setStatus('current') sap_intended_ingress_qos_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 14), t_sap_ingress_policy_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedIngressQosPolicyId.setStatus('current') sap_intended_ingress_qos_sched_plcy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 15), serv_obj_name()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedIngressQosSchedPlcy.setStatus('current') sap_intended_egress_ip_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 16), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedEgressIpFilterId.setStatus('current') sap_intended_egress_ipv6_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 17), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedEgressIpv6FilterId.setStatus('current') sap_intended_egress_mac_filter_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 18), t_filter_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedEgressMacFilterId.setStatus('current') sap_intended_egress_qos_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 19), t_sap_egress_policy_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedEgressQosPolicyId.setStatus('current') sap_intended_egress_qos_sched_plcy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 26, 1, 20), serv_obj_name()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIntendedEgressQosSchedPlcy.setStatus('current') sap_ingr_qos_plcy_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27)) if mibBuilder.loadTexts: sapIngrQosPlcyStatsTable.setStatus('current') sap_ingr_qos_plcy_stats_entry = mib_table_row((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') sap_ig_qos_plcy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 1), t_sap_ingress_policy_id()) if mibBuilder.loadTexts: sapIgQosPlcyId.setStatus('current') sap_ig_qos_plcy_dropped_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyDroppedHiPrioPackets.setStatus('current') sap_ig_qos_plcy_dropped_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyDroppedHiPrioOctets.setStatus('current') sap_ig_qos_plcy_dropped_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyDroppedLoPrioPackets.setStatus('current') sap_ig_qos_plcy_dropped_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyDroppedLoPrioOctets.setStatus('current') sap_ig_qos_plcy_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyForwardedInProfPackets.setStatus('current') sap_ig_qos_plcy_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyForwardedInProfOctets.setStatus('current') sap_ig_qos_plcy_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyForwardedOutProfPackets.setStatus('current') sap_ig_qos_plcy_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 27, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyForwardedOutProfOctets.setStatus('current') sap_egr_qos_plcy_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28)) if mibBuilder.loadTexts: sapEgrQosPlcyStatsTable.setStatus('current') sap_egr_qos_plcy_stats_entry = mib_table_row((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') sap_eg_qos_plcy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 1), t_sap_egress_policy_id()) if mibBuilder.loadTexts: sapEgQosPlcyId.setStatus('current') sap_eg_qos_plcy_dropped_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyDroppedInProfPackets.setStatus('current') sap_eg_qos_plcy_dropped_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyDroppedInProfOctets.setStatus('current') sap_eg_qos_plcy_dropped_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyDroppedOutProfPackets.setStatus('current') sap_eg_qos_plcy_dropped_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyDroppedOutProfOctets.setStatus('current') sap_eg_qos_plcy_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyForwardedInProfPackets.setStatus('current') sap_eg_qos_plcy_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyForwardedInProfOctets.setStatus('current') sap_eg_qos_plcy_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyForwardedOutProfPackets.setStatus('current') sap_eg_qos_plcy_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 28, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyForwardedOutProfOctets.setStatus('current') sap_ing_qos_plcy_queue_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29)) if mibBuilder.loadTexts: sapIngQosPlcyQueueStatsTable.setStatus('current') sap_ing_qos_plcy_queue_stats_entry = mib_table_row((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') sap_ig_qos_plcy_queue_plcy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 1), t_sap_ingress_policy_id()) if mibBuilder.loadTexts: sapIgQosPlcyQueuePlcyId.setStatus('current') sap_ig_qos_plcy_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 2), t_sap_ing_queue_id()) if mibBuilder.loadTexts: sapIgQosPlcyQueueId.setStatus('current') sap_ig_qos_plcy_queue_stats_offered_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedHiPrioPackets.setStatus('current') sap_ig_qos_plcy_queue_stats_dropped_hi_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedHiPrioPackets.setStatus('current') sap_ig_qos_plcy_queue_stats_offered_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedLoPrioPackets.setStatus('current') sap_ig_qos_plcy_queue_stats_dropped_lo_prio_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedLoPrioPackets.setStatus('current') sap_ig_qos_plcy_queue_stats_offered_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedHiPrioOctets.setStatus('current') sap_ig_qos_plcy_queue_stats_dropped_hi_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedHiPrioOctets.setStatus('current') sap_ig_qos_plcy_queue_stats_offered_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsOfferedLoPrioOctets.setStatus('current') sap_ig_qos_plcy_queue_stats_dropped_lo_prio_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsDroppedLoPrioOctets.setStatus('current') sap_ig_qos_plcy_queue_stats_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 11), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedInProfPackets.setStatus('current') sap_ig_qos_plcy_queue_stats_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 12), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedOutProfPackets.setStatus('current') sap_ig_qos_plcy_queue_stats_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 13), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedInProfOctets.setStatus('current') sap_ig_qos_plcy_queue_stats_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 14), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsForwardedOutProfOctets.setStatus('current') sap_ig_qos_plcy_queue_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 15), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueCustId.setStatus('current') sap_ig_qos_plcy_queue_stats_uncolored_packets_offered = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 16), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsUncoloredPacketsOffered.setStatus('current') sap_ig_qos_plcy_queue_stats_uncolored_octets_offered = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 29, 1, 17), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIgQosPlcyQueueStatsUncoloredOctetsOffered.setStatus('current') sap_egr_qos_plcy_queue_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30)) if mibBuilder.loadTexts: sapEgrQosPlcyQueueStatsTable.setStatus('current') sap_egr_qos_plcy_queue_stats_entry = mib_table_row((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') sap_eg_qos_plcy_queue_plcy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 1), t_sap_egress_policy_id()) if mibBuilder.loadTexts: sapEgQosPlcyQueuePlcyId.setStatus('current') sap_eg_qos_plcy_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 2), t_sap_egr_queue_id()) if mibBuilder.loadTexts: sapEgQosPlcyQueueId.setStatus('current') sap_eg_qos_plcy_queue_stats_forwarded_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedInProfPackets.setStatus('current') sap_eg_qos_plcy_queue_stats_dropped_in_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 4), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedInProfPackets.setStatus('current') sap_eg_qos_plcy_queue_stats_forwarded_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 5), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedOutProfPackets.setStatus('current') sap_eg_qos_plcy_queue_stats_dropped_out_prof_packets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 6), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedOutProfPackets.setStatus('current') sap_eg_qos_plcy_queue_stats_forwarded_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 7), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedInProfOctets.setStatus('current') sap_eg_qos_plcy_queue_stats_dropped_in_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 8), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedInProfOctets.setStatus('current') sap_eg_qos_plcy_queue_stats_forwarded_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 9), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsForwardedOutProfOctets.setStatus('current') sap_eg_qos_plcy_queue_stats_dropped_out_prof_octets = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 10), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueStatsDroppedOutProfOctets.setStatus('current') sap_eg_qos_plcy_queue_cust_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 30, 1, 11), tmnx_cust_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgQosPlcyQueueCustId.setStatus('current') sap_dhcp_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 31)) if mibBuilder.loadTexts: sapDhcpInfoTable.setStatus('current') sap_dhcp_info_entry = mib_table_row((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') sap_dhcp_oper_lease_populate = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 31, 1, 1), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapDhcpOperLeasePopulate.setStatus('current') sap_ing_sched_plcy_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32)) if mibBuilder.loadTexts: sapIngSchedPlcyStatsTable.setStatus('current') sap_ing_sched_plcy_stats_entry = mib_table_row((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') sap_ing_sched_plcy_stats_fwd_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32, 1, 1), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngSchedPlcyStatsFwdPkt.setStatus('current') sap_ing_sched_plcy_stats_fwd_oct = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 32, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngSchedPlcyStatsFwdOct.setStatus('current') sap_egr_sched_plcy_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33)) if mibBuilder.loadTexts: sapEgrSchedPlcyStatsTable.setStatus('current') sap_egr_sched_plcy_stats_entry = mib_table_row((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') sap_egr_sched_plcy_stats_fwd_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33, 1, 1), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrSchedPlcyStatsFwdPkt.setStatus('current') sap_egr_sched_plcy_stats_fwd_oct = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 33, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrSchedPlcyStatsFwdOct.setStatus('current') sap_ing_sched_plcy_port_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34)) if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsTable.setStatus('current') sap_ing_sched_plcy_port_stats_entry = mib_table_row((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') sap_ing_sched_plcy_port_stats_port = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1, 1), tmnx_port_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsPort.setStatus('current') sap_ing_sched_plcy_port_stats_fwd_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsFwdPkt.setStatus('current') sap_ing_sched_plcy_port_stats_fwd_oct = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 34, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapIngSchedPlcyPortStatsFwdOct.setStatus('current') sap_egr_sched_plcy_port_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35)) if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsTable.setStatus('current') sap_egr_sched_plcy_port_stats_entry = mib_table_row((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') sap_egr_sched_plcy_port_stats_port = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1, 1), tmnx_port_id()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsPort.setStatus('current') sap_egr_sched_plcy_port_stats_fwd_pkt = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsFwdPkt.setStatus('current') sap_egr_sched_plcy_port_stats_fwd_oct = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 35, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEgrSchedPlcyPortStatsFwdOct.setStatus('current') sap_cem_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40)) if mibBuilder.loadTexts: sapCemInfoTable.setStatus('current') sap_cem_info_entry = mib_table_row((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') sap_cem_last_mgmt_change = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 1), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemLastMgmtChange.setStatus('current') sap_cem_endpoint_type = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('unstructuredE1', 1), ('unstructuredT1', 2), ('unstructuredE3', 3), ('unstructuredT3', 4), ('nxDS0', 5), ('nxDS0WithCas', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemEndpointType.setStatus('current') sap_cem_bitrate = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 699))).setUnits('64 Kbits/s').setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemBitrate.setStatus('current') sap_cem_cas_trunk_framing = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 4), tdm_options_cas_trunk_framing()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemCasTrunkFraming.setStatus('current') sap_cem_payload_size = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 5), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(16, 2048)))).setUnits('bytes').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemPayloadSize.setStatus('current') sap_cem_jitter_buffer = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 6), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 250)))).setUnits('milliseconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemJitterBuffer.setStatus('current') sap_cem_use_rtp_header = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 7), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemUseRtpHeader.setStatus('current') sap_cem_differential = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 8), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemDifferential.setStatus('current') sap_cem_timestamp_freq = mib_table_column((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') sap_cem_report_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 10), cem_sap_report_alarm().clone(namedValues=named_values(('strayPkts', 1), ('malformedPkts', 2), ('pktLoss', 3), ('bfrOverrun', 4), ('bfrUnderrun', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemReportAlarm.setStatus('current') sap_cem_report_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 11), cem_sap_report_alarm()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemReportAlarmStatus.setStatus('current') sap_cem_local_ecid = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 12), cem_sap_ecid()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemLocalEcid.setStatus('current') sap_cem_remote_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 13), mac_address().clone(hexValue='000000000000')).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemRemoteMacAddr.setStatus('current') sap_cem_remote_ecid = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 40, 1, 14), cem_sap_ecid()).setMaxAccess('readwrite') if mibBuilder.loadTexts: sapCemRemoteEcid.setStatus('current') sap_cem_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41)) if mibBuilder.loadTexts: sapCemStatsTable.setStatus('current') sap_cem_stats_entry = mib_table_row((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') sap_cem_stats_ingress_forwarded_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsIngressForwardedPkts.setStatus('current') sap_cem_stats_ingress_dropped_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsIngressDroppedPkts.setStatus('current') sap_cem_stats_egress_forwarded_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressForwardedPkts.setStatus('current') sap_cem_stats_egress_dropped_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressDroppedPkts.setStatus('current') sap_cem_stats_egress_missing_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressMissingPkts.setStatus('current') sap_cem_stats_egress_pkts_re_order = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressPktsReOrder.setStatus('current') sap_cem_stats_egress_jtr_bfr_underruns = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressJtrBfrUnderruns.setStatus('current') sap_cem_stats_egress_jtr_bfr_overruns = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressJtrBfrOverruns.setStatus('current') sap_cem_stats_egress_mis_order_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressMisOrderDropped.setStatus('current') sap_cem_stats_egress_malformed_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressMalformedPkts.setStatus('current') sap_cem_stats_egress_l_bit_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressLBitDropped.setStatus('current') sap_cem_stats_egress_multiple_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressMultipleDropped.setStatus('current') sap_cem_stats_egress_e_ss = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressESs.setStatus('current') sap_cem_stats_egress_se_ss = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressSESs.setStatus('current') sap_cem_stats_egress_ua_ss = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressUASs.setStatus('current') sap_cem_stats_egress_failure_counts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressFailureCounts.setStatus('current') sap_cem_stats_egress_underrun_counts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressUnderrunCounts.setStatus('current') sap_cem_stats_egress_overrun_counts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 41, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapCemStatsEgressOverrunCounts.setStatus('current') sap_tls_l2pt_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42)) if mibBuilder.loadTexts: sapTlsL2ptStatsTable.setStatus('current') sap_tls_l2pt_stats_entry = mib_table_row((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') sap_tls_l2pt_stats_last_cleared_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 1), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsLastClearedTime.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_stp_config_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpConfigBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_stp_config_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpConfigBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_stp_rst_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpRstBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_stp_rst_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpRstBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_stp_tcn_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpTcnBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_stp_tcn_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapStpTcnBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pvst_config_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstConfigBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pvst_config_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstConfigBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pvst_rst_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstRstBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pvst_rst_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstRstBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pvst_tcn_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstTcnBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pvst_tcn_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPvstTcnBpdusTx.setStatus('current') sap_tls_l2pt_stats_stp_config_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsStpConfigBpdusRx.setStatus('current') sap_tls_l2pt_stats_stp_config_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsStpConfigBpdusTx.setStatus('current') sap_tls_l2pt_stats_stp_rst_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsStpRstBpdusRx.setStatus('current') sap_tls_l2pt_stats_stp_rst_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsStpRstBpdusTx.setStatus('current') sap_tls_l2pt_stats_stp_tcn_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsStpTcnBpdusRx.setStatus('current') sap_tls_l2pt_stats_stp_tcn_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsStpTcnBpdusTx.setStatus('current') sap_tls_l2pt_stats_pvst_config_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPvstConfigBpdusRx.setStatus('current') sap_tls_l2pt_stats_pvst_config_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPvstConfigBpdusTx.setStatus('current') sap_tls_l2pt_stats_pvst_rst_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPvstRstBpdusRx.setStatus('current') sap_tls_l2pt_stats_pvst_rst_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPvstRstBpdusTx.setStatus('current') sap_tls_l2pt_stats_pvst_tcn_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 24), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPvstTcnBpdusRx.setStatus('current') sap_tls_l2pt_stats_pvst_tcn_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 25), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPvstTcnBpdusTx.setStatus('current') sap_tls_l2pt_stats_other_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 26), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsOtherBpdusRx.setStatus('current') sap_tls_l2pt_stats_other_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 27), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsOtherBpdusTx.setStatus('current') sap_tls_l2pt_stats_other_l2pt_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 28), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsOtherL2ptBpdusRx.setStatus('current') sap_tls_l2pt_stats_other_l2pt_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 29), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsOtherL2ptBpdusTx.setStatus('current') sap_tls_l2pt_stats_other_invalid_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 30), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsOtherInvalidBpdusRx.setStatus('current') sap_tls_l2pt_stats_other_invalid_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 31), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsOtherInvalidBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_cdp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 32), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapCdpBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_cdp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 33), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapCdpBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_vtp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 34), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapVtpBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_vtp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 35), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapVtpBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_dtp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 36), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapDtpBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_dtp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 37), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapDtpBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pagp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 38), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPagpBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_pagp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 39), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapPagpBpdusTx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_udld_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 40), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapUdldBpdusRx.setStatus('current') sap_tls_l2pt_stats_l2pt_encap_udld_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 41), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsL2ptEncapUdldBpdusTx.setStatus('current') sap_tls_l2pt_stats_cdp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 42), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsCdpBpdusRx.setStatus('current') sap_tls_l2pt_stats_cdp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 43), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsCdpBpdusTx.setStatus('current') sap_tls_l2pt_stats_vtp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 44), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsVtpBpdusRx.setStatus('current') sap_tls_l2pt_stats_vtp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 45), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsVtpBpdusTx.setStatus('current') sap_tls_l2pt_stats_dtp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 46), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsDtpBpdusRx.setStatus('current') sap_tls_l2pt_stats_dtp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 47), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsDtpBpdusTx.setStatus('current') sap_tls_l2pt_stats_pagp_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 48), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPagpBpdusRx.setStatus('current') sap_tls_l2pt_stats_pagp_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 49), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsPagpBpdusTx.setStatus('current') sap_tls_l2pt_stats_udld_bpdus_rx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 50), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsUdldBpdusRx.setStatus('current') sap_tls_l2pt_stats_udld_bpdus_tx = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 42, 1, 51), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsL2ptStatsUdldBpdusTx.setStatus('current') sap_ethernet_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43)) if mibBuilder.loadTexts: sapEthernetInfoTable.setStatus('current') sap_ethernet_info_entry = mib_table_row((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') sap_ethernet_llf_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43, 1, 1), service_admin_status().clone('down')).setMaxAccess('readcreate') if mibBuilder.loadTexts: sapEthernetLLFAdminStatus.setStatus('current') sap_ethernet_llf_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 43, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('fault', 1), ('clear', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: sapEthernetLLFOperStatus.setStatus('current') msap_plcy_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44)) if mibBuilder.loadTexts: msapPlcyTable.setStatus('current') msap_plcy_entry = mib_table_row((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') msap_plcy_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 1), t_named_item()) if mibBuilder.loadTexts: msapPlcyName.setStatus('current') msap_plcy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcyRowStatus.setStatus('current') msap_plcy_last_changed = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapPlcyLastChanged.setStatus('current') msap_plcy_description = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 4), t_item_description()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcyDescription.setStatus('current') msap_plcy_cpm_prot_policy_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 5), t_cpm_prot_policy_id().clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcyCpmProtPolicyId.setStatus('current') msap_plcy_cpm_prot_monitor_mac = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 6), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcyCpmProtMonitorMac.setStatus('current') msap_plcy_sub_mgmt_def_sub_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('useSapId', 1), ('useString', 2))).clone('useString')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtDefSubId.setStatus('current') msap_plcy_sub_mgmt_def_sub_id_str = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 8), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtDefSubIdStr.setStatus('current') msap_plcy_sub_mgmt_def_sub_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 9), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtDefSubProfile.setStatus('current') msap_plcy_sub_mgmt_def_sla_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 10), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtDefSlaProfile.setStatus('current') msap_plcy_sub_mgmt_def_app_profile = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 11), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtDefAppProfile.setStatus('current') msap_plcy_sub_mgmt_sub_id_plcy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 12), t_policy_statement_name_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtSubIdPlcy.setStatus('current') msap_plcy_sub_mgmt_subscriber_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 8000)).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtSubscriberLimit.setStatus('current') msap_plcy_sub_mgmt_profiled_traf_only = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 14), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtProfiledTrafOnly.setStatus('current') msap_plcy_sub_mgmt_non_sub_traf_sub_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 15), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafSubId.setStatus('current') msap_plcy_sub_mgmt_non_sub_traf_sub_prof = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 16), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafSubProf.setStatus('current') msap_plcy_sub_mgmt_non_sub_traf_sla_prof = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 17), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafSlaProf.setStatus('current') msap_plcy_sub_mgmt_non_sub_traf_app_prof = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 18), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapPlcySubMgmtNonSubTrafAppProf.setStatus('current') msap_plcy_associated_msaps = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 44, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapPlcyAssociatedMsaps.setStatus('current') msap_tls_plcy_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45)) if mibBuilder.loadTexts: msapTlsPlcyTable.setStatus('current') msap_tls_plcy_entry = mib_table_row((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') msap_tls_plcy_last_changed = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 1), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapTlsPlcyLastChanged.setStatus('current') msap_tls_plcy_split_horizon_grp = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 2), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcySplitHorizonGrp.setStatus('current') msap_tls_plcy_arp_reply_agent = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2), ('enabledWithSubscrIdent', 3))).clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyArpReplyAgent.setStatus('current') msap_tls_plcy_sub_mgmt_mac_da_hashing = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 4), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcySubMgmtMacDaHashing.setStatus('current') msap_tls_plcy_dhcp_lease_populate = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 8000)).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpLeasePopulate.setStatus('current') msap_tls_plcy_dhcp_prxy_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 6), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyAdminState.setStatus('current') msap_tls_plcy_dhcp_prxy_serv_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 7), inet_address_type().clone('unknown')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyServAddrType.setStatus('current') msap_tls_plcy_dhcp_prxy_serv_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 8), inet_address().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(4, 4), value_size_constraint(16, 16), value_size_constraint(20, 20))).clone(hexValue='')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyServAddr.setStatus('current') msap_tls_plcy_dhcp_prxy_lease_time = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 9), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(300, 315446399)))).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyLeaseTime.setStatus('current') msap_tls_plcy_dhcp_prxy_lt_rad_override = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 10), truth_value().clone('false')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpPrxyLTRadOverride.setStatus('current') msap_tls_plcy_dhcp_info_action = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('replace', 1), ('drop', 2), ('keep', 3))).clone('keep')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpInfoAction.setStatus('current') msap_tls_plcy_dhcp_circuit_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('asciiTuple', 1), ('vlanAsciiTuple', 2))).clone('asciiTuple')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpCircuitId.setStatus('current') msap_tls_plcy_dhcp_remote_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('mac', 2), ('remote-id', 3))).clone('none')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpRemoteId.setStatus('current') msap_tls_plcy_dhcp_remote_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 14), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpRemoteIdString.setStatus('current') msap_tls_plcy_dhcp_vendor_incl_opts = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 15), bits().clone(namedValues=named_values(('systemId', 0), ('clientMac', 1), ('serviceId', 2), ('sapId', 3))).clone(namedValues=named_values(('systemId', 0)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpVendorInclOpts.setStatus('current') msap_tls_plcy_dhcp_vendor_opt_str = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 16), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyDhcpVendorOptStr.setStatus('current') msap_tls_plcy_egress_mcast_group = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 17), t_named_item_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyEgressMcastGroup.setStatus('current') msap_tls_plcy_igmp_snpg_import_plcy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 18), t_policy_statement_name_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgImportPlcy.setStatus('current') msap_tls_plcy_igmp_snpg_fast_leave = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 19), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgFastLeave.setStatus('current') msap_tls_plcy_igmp_snpg_send_queries = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 20), tmnx_enabled_disabled().clone('disabled')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgSendQueries.setStatus('current') msap_tls_plcy_igmp_snpg_gen_query_intv = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 21), unsigned32().subtype(subtypeSpec=value_range_constraint(2, 1024)).clone(125)).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgGenQueryIntv.setStatus('current') msap_tls_plcy_igmp_snpg_query_resp_intv = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 22), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 1023)).clone(10)).setUnits('seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgQueryRespIntv.setStatus('current') msap_tls_plcy_igmp_snpg_robust_count = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 23), unsigned32().subtype(subtypeSpec=value_range_constraint(2, 7)).clone(2)).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgRobustCount.setStatus('current') msap_tls_plcy_igmp_snpg_last_memb_intvl = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 24), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 50)).clone(10)).setUnits('deci-seconds').setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgLastMembIntvl.setStatus('current') msap_tls_plcy_igmp_snpg_max_nbr_grps = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 25), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1000))).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMaxNbrGrps.setStatus('current') msap_tls_plcy_igmp_snpg_mvr_from_vpls_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 26), tmnx_serv_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMvrFromVplsId.setStatus('current') msap_tls_plcy_igmp_snpg_version = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 27), tmnx_igmp_version().clone('version3')).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgVersion.setStatus('current') msap_tls_plcy_igmp_snpg_mcac_plcy_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 28), t_policy_statement_name_or_empty()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMcacPlcyName.setStatus('current') msap_tls_plcy_igmp_snpg_mcac_uncnst_bw = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 29), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 2147483647))).clone(-1)).setUnits('kbps').setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMcacUncnstBW.setStatus('current') msap_tls_plcy_igmp_snpg_mcac_pr_rsv_mn_bw = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 45, 1, 30), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 2147483647))).clone(-1)).setUnits('kbps').setMaxAccess('readcreate') if mibBuilder.loadTexts: msapTlsPlcyIgmpSnpgMcacPrRsvMnBW.setStatus('current') msap_igmp_snpg_mcac_level_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46)) if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelTable.setStatus('current') msap_igmp_snpg_mcac_level_entry = mib_table_row((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') msap_igmp_snpg_mcac_level_id = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 8))) if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelId.setStatus('current') msap_igmp_snpg_mcac_level_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelRowStatus.setStatus('current') msap_igmp_snpg_mcac_level_last_changed = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 46, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapIgmpSnpgMcacLevelLastChanged.setStatus('current') msap_igmp_snpg_mcac_level_bw = mib_table_column((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') msap_igmp_snpg_mcac_lag_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47)) if mibBuilder.loadTexts: msapIgmpSnpgMcacLagTable.setStatus('current') msap_igmp_snpg_mcac_lag_entry = mib_table_row((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') msap_igmp_snpg_mcac_lag_ports_down = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 8))) if mibBuilder.loadTexts: msapIgmpSnpgMcacLagPortsDown.setStatus('current') msap_igmp_snpg_mcac_lag_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapIgmpSnpgMcacLagRowStatus.setStatus('current') msap_igmp_snpg_mcac_lag_last_changed = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 3), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapIgmpSnpgMcacLagLastChanged.setStatus('current') msap_igmp_snpg_mcac_lag_level = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 47, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 8)).clone(1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: msapIgmpSnpgMcacLagLevel.setStatus('current') msap_info_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48)) if mibBuilder.loadTexts: msapInfoTable.setStatus('current') msap_info_entry = mib_table_row((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') msap_info_creation_sap_port_encap_val = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 1), tmnx_encap_val()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapInfoCreationSapPortEncapVal.setStatus('current') msap_info_creation_plcy_name = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 2), t_named_item()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapInfoCreationPlcyName.setStatus('current') msap_info_re_eval_policy = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 3), tmnx_action_type().clone('notApplicable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: msapInfoReEvalPolicy.setStatus('current') msap_info_last_changed = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 48, 1, 4), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapInfoLastChanged.setStatus('current') msap_capture_sap_stats_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49)) if mibBuilder.loadTexts: msapCaptureSapStatsTable.setStatus('current') msap_capture_sap_stats_entry = mib_table_row((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') msap_capture_sap_stats_trigger_type = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('dhcp', 1), ('pppoe', 2)))) if mibBuilder.loadTexts: msapCaptureSapStatsTriggerType.setStatus('current') msap_capture_sap_stats_pkts_recvd = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapCaptureSapStatsPktsRecvd.setStatus('current') msap_capture_sap_stats_pkts_redirect = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapCaptureSapStatsPktsRedirect.setStatus('current') msap_capture_sap_stats_pkts_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 49, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapCaptureSapStatsPktsDropped.setStatus('current') sap_tls_mrp_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50)) if mibBuilder.loadTexts: sapTlsMrpTable.setStatus('current') sap_tls_mrp_entry = mib_table_row((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') sap_tls_mrp_rx_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxPdus.setStatus('current') sap_tls_mrp_dropped_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpDroppedPdus.setStatus('current') sap_tls_mrp_tx_pdus = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxPdus.setStatus('current') sap_tls_mrp_rx_new_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxNewEvent.setStatus('current') sap_tls_mrp_rx_join_in_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxJoinInEvent.setStatus('current') sap_tls_mrp_rx_in_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxInEvent.setStatus('current') sap_tls_mrp_rx_join_empty_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxJoinEmptyEvent.setStatus('current') sap_tls_mrp_rx_empty_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxEmptyEvent.setStatus('current') sap_tls_mrp_rx_leave_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpRxLeaveEvent.setStatus('current') sap_tls_mrp_tx_new_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxNewEvent.setStatus('current') sap_tls_mrp_tx_join_in_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxJoinInEvent.setStatus('current') sap_tls_mrp_tx_in_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxInEvent.setStatus('current') sap_tls_mrp_tx_join_empty_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxJoinEmptyEvent.setStatus('current') sap_tls_mrp_tx_empty_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxEmptyEvent.setStatus('current') sap_tls_mrp_tx_leave_event = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 50, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMrpTxLeaveEvent.setStatus('current') sap_tls_mmrp_table = mib_table((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51)) if mibBuilder.loadTexts: sapTlsMmrpTable.setStatus('current') sap_tls_mmrp_entry = mib_table_row((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') sap_tls_mmrp_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1, 1), mac_address()) if mibBuilder.loadTexts: sapTlsMmrpMacAddr.setStatus('current') sap_tls_mmrp_declared = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1, 2), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMmrpDeclared.setStatus('current') sap_tls_mmrp_registered = mib_table_column((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 51, 1, 3), truth_value()).setMaxAccess('readonly') if mibBuilder.loadTexts: sapTlsMmrpRegistered.setStatus('current') msap_plcy_tbl_last_chgd = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 59), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapPlcyTblLastChgd.setStatus('current') msap_tls_plcy_tbl_last_chgd = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 60), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapTlsPlcyTblLastChgd.setStatus('current') msap_igmp_snpg_mcac_lvl_tbl_last_chgd = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 61), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapIgmpSnpgMcacLvlTblLastChgd.setStatus('current') msap_igmp_snpg_mcac_lag_tbl_last_chgd = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 62), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapIgmpSnpgMcacLagTblLastChgd.setStatus('current') msap_info_tbl_last_chgd = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 63), time_stamp()).setMaxAccess('readonly') if mibBuilder.loadTexts: msapInfoTblLastChgd.setStatus('current') sap_notify_port_id = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100, 1), tmnx_port_id()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: sapNotifyPortId.setStatus('current') msap_status = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100, 2), config_status()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: msapStatus.setStatus('current') svc_managed_sap_creation_error = mib_scalar((1, 3, 6, 1, 4, 1, 6527, 3, 1, 2, 4, 3, 100, 3), display_string()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: svcManagedSapCreationError.setStatus('current') sap_created = notification_type((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') sap_deleted = notification_type((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') sap_status_changed = notification_type((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') sap_tls_mac_addr_limit_alarm_raised = notification_type((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') sap_tls_mac_addr_limit_alarm_cleared = notification_type((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') sap_tls_dhcp_lse_st_entries_exceeded = notification_type((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') sap_tls_dhcp_lease_state_override = notification_type((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') sap_tls_dhcp_suspicious_pckt_rcvd = notification_type((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') sap_dhcp_lease_entries_exceeded = notification_type((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') sap_dhcp_lse_state_override = notification_type((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') sap_dhcp_suspicious_pckt_rcvd = notification_type((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') sap_dhcp_lse_state_populate_err = notification_type((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') host_connectivity_lost = notification_type((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') host_connectivity_restored = notification_type((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') sap_received_prot_src_mac = notification_type((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') sap_static_host_dyn_mac_conflict = notification_type((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') sap_tls_mac_move_exceeded = notification_type((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') sap_dhcp_proxy_server_error = notification_type((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') sap_dhcp_co_a_error = notification_type((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') sap_dhcp_sub_auth_error = notification_type((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') sap_port_state_change_processed = notification_type((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') sap_dhcp_lse_state_mobility_error = notification_type((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') sap_cem_packet_defect_alarm = notification_type((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') sap_cem_packet_defect_alarm_clear = notification_type((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') msap_state_changed = notification_type((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') msap_creation_failure = notification_type((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') topology_change_sap_major_state = notification_type((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') new_root_sap = notification_type((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') topology_change_sap_state = notification_type((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') received_tcn = notification_type((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') higher_priority_bridge = notification_type((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') bridged_tls = notification_type((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') sap_encap_pvst = notification_type((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') sap_encap_dot1d = notification_type((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') sap_receive_own_bpdu = notification_type((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') sap_active_protocol_change = notification_type((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') tmnx_stp_root_guard_violation = notification_type((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') tmnx_sap_stp_excep_cond_state_chng = notification_type((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') tmnx_sap_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 1)) tmnx_sap_groups = mib_identifier((1, 3, 6, 1, 4, 1, 6527, 3, 1, 1, 4, 3, 2)) tmnx_sap7450_v6v0_compliance = module_compliance((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): tmnx_sap7450_v6v0_compliance = tmnxSap7450V6v0Compliance.setStatus('current') tmnx_sap7750_v6v0_compliance = module_compliance((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): tmnx_sap7750_v6v0_compliance = tmnxSap7750V6v0Compliance.setStatus('current') tmnx_sap7710_v6v0_compliance = module_compliance((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): tmnx_sap7710_v6v0_compliance = tmnxSap7710V6v0Compliance.setStatus('current') tmnx_sap_v6v0_group = object_group((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): tmnx_sap_v6v0_group = tmnxSapV6v0Group.setStatus('current') tmnx_sap_tls_v6v0_group = object_group((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): tmnx_sap_tls_v6v0_group = tmnxSapTlsV6v0Group.setStatus('current') tmnx_sap_atm_v6v0_group = object_group((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): tmnx_sap_atm_v6v0_group = tmnxSapAtmV6v0Group.setStatus('current') tmnx_sap_base_v6v0_group = object_group((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): tmnx_sap_base_v6v0_group = tmnxSapBaseV6v0Group.setStatus('current') tmnx_sap_qos_v6v0_group = object_group((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): tmnx_sap_qos_v6v0_group = tmnxSapQosV6v0Group.setStatus('current') tmnx_sap_static_host_v6v0_group = object_group((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): tmnx_sap_static_host_v6v0_group = tmnxSapStaticHostV6v0Group.setStatus('current') tmnx_sap_dhcp_v6v0_group = object_group((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): tmnx_sap_dhcp_v6v0_group = tmnxSapDhcpV6v0Group.setStatus('current') tmnx_sap_port_id_v6v0_group = object_group((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): tmnx_sap_port_id_v6v0_group = tmnxSapPortIdV6v0Group.setStatus('current') tmnx_sap_sub_mgmt_v6v0_group = object_group((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): tmnx_sap_sub_mgmt_v6v0_group = tmnxSapSubMgmtV6v0Group.setStatus('current') tmnx_sap_msti_v6v0_group = object_group((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): tmnx_sap_msti_v6v0_group = tmnxSapMstiV6v0Group.setStatus('current') tmnx_sap_ippipe_v6v0_group = object_group((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): tmnx_sap_ippipe_v6v0_group = tmnxSapIppipeV6v0Group.setStatus('current') tmnx_sap_policy_v6v0_group = object_group((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): tmnx_sap_policy_v6v0_group = tmnxSapPolicyV6v0Group.setStatus('current') tmnx_sap_cem_v6v0_group = object_group((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): tmnx_sap_cem_v6v0_group = tmnxSapCemV6v0Group.setStatus('current') tmnx_sap_l2pt_v6v0_group = object_group((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): tmnx_sap_l2pt_v6v0_group = tmnxSapL2ptV6v0Group.setStatus('current') tmnx_sap_msap_v6v0_group = object_group((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): tmnx_sap_msap_v6v0_group = tmnxSapMsapV6v0Group.setStatus('current') tmnx_sap_mrp_v6v0_group = object_group((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): tmnx_sap_mrp_v6v0_group = tmnxSapMrpV6v0Group.setStatus('current') tmnx_tls_msap_pppoe_v6v0_group = object_group((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): tmnx_tls_msap_pppoe_v6v0_group = tmnxTlsMsapPppoeV6v0Group.setStatus('current') tmnx_sap_ip_v6_filter_v6v0_group = object_group((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): tmnx_sap_ip_v6_filter_v6v0_group = tmnxSapIpV6FilterV6v0Group.setStatus('current') tmnx_sap_bsx_v6v0_group = object_group((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): tmnx_sap_bsx_v6v0_group = tmnxSapBsxV6v0Group.setStatus('current') tmnx_sap_notification_obj_v6v0_group = object_group((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): tmnx_sap_notification_obj_v6v0_group = tmnxSapNotificationObjV6v0Group.setStatus('current') tmnx_sap_obsoleted_v6v0_group = object_group((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): tmnx_sap_obsoleted_v6v0_group = tmnxSapObsoletedV6v0Group.setStatus('current') tmnx_sap_notify_group = notification_group((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): tmnx_sap_notify_group = tmnxSapNotifyGroup.setStatus('current') tmnx_sap_cem_notification_v6v0_group = notification_group((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): tmnx_sap_cem_notification_v6v0_group = tmnxSapCemNotificationV6v0Group.setStatus('current') tmnx_sap_obsoleted_notify_group = notification_group((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): tmnx_sap_obsoleted_notify_group = 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)
class Product: def doStuff(self): pass def foo(product): product.doStuff()
class Product: def do_stuff(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]))
"""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))
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)
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)
# Test Program # This program prints "Hello World!" to Standard Output print('Hello World!')
print('Hello World!')
# 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)]))
a = [1, 1, 2, 3, 5, 8, 13, 21, 34, 55, 89] for i in a: if i < 5: print(i) print('') b = [] for i in a: if i < 5: b.append(i) print(b) print('') print([x for x in a if x < 5]) print('') num = input('Give me a number: ') print('These are the numbers smaller than ' + num + ': ' + str([x for x in a if x < int(num)]))
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"
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()
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) if __name__ == '__main__': main()
## 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))
class Solution: def sanitize_email_address(self, email: str) -> str: (user, domain) = email.split('@') user = user.split('+')[0] user = user.replace('.', '') return user + '@' + domain def num_unique_emails(self, emails: List[str]) -> int: cleaned_emails = map(self.sanitize_email_address, emails) return len(set(cleaned_emails))
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()
i = 0 while i == 0: file1 = open('APPMAKE', 'r') lines = file1.readlines() count = 0 checkpoint = 0 ccount = 1 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 file1.close() file2 = open(appname + '.app', 'a') 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()
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()
# # 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)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, value_range_constraint, constraints_intersection, constraints_union, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint') (hp_switch,) = mibBuilder.importSymbols('HP-ICF-OID', 'hpSwitch') (inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress') (module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup') (iso, notification_type, unsigned32, bits, gauge32, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, integer32, counter64, object_identity, mib_identifier, module_identity, counter32, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'NotificationType', 'Unsigned32', 'Bits', 'Gauge32', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Integer32', 'Counter64', 'ObjectIdentity', 'MibIdentifier', 'ModuleIdentity', 'Counter32', 'TimeTicks') (row_status, textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'TextualConvention', 'DisplayString') hpicf_byod_mib = module_identity((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.') hpicf_byod_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 0)) hpicf_byod_objects = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1)) hpicf_byod_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2)) hpicf_byod_config_objects = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1)) hpicf_byod_stats_objects = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2)) hpicf_byod_scalar_config = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 1)) hpicf_byod_portal_table = mib_table((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.') hpicf_byod_portal_entry = mib_table_row((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.') hpicf_byod_portal_name = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))) if mibBuilder.loadTexts: hpicfByodPortalName.setStatus('current') if mibBuilder.loadTexts: hpicfByodPortalName.setDescription('This object provides the BYOD server name.') hpicf_byod_portal_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(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.') hpicf_byod_portal_url = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(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.') hpicf_byod_portal_inet_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 4), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: hpicfByodPortalInetAddrType.setStatus('current') if mibBuilder.loadTexts: hpicfByodPortalInetAddrType.setDescription('This object provides the address family of the value in hpicfByodPortalInetAddr.') hpicf_byod_portal_inet_addr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 5), inet_address()).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.') hpicf_byod_portal_dns_cache_time = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 6), time_ticks().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.') hpicf_byod_portal_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 2, 1, 7), row_status()).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') hpicf_byod_free_rule_table = mib_table((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.') hpicf_byod_free_rule_entry = mib_table_row((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.') hpicf_byod_free_rule_number = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 59))) if mibBuilder.loadTexts: hpicfByodFreeRuleNumber.setStatus('current') if mibBuilder.loadTexts: hpicfByodFreeRuleNumber.setDescription('This object provides the rule number.') hpicf_byod_free_rule_source_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('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.') hpicf_byod_free_rule_source_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(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.') hpicf_byod_free_rule_source_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 4094))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpicfByodFreeRuleSourceVlanId.setStatus('current') if mibBuilder.loadTexts: hpicfByodFreeRuleSourceVlanId.setDescription('This object provides the source VLAN ID to permit.') hpicf_byod_free_rule_source_inet_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 5), inet_address_type()).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.') hpicf_byod_free_rule_source_inet_addr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 6), inet_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddr.setStatus('current') if mibBuilder.loadTexts: hpicfByodFreeRuleSourceInetAddr.setDescription('This object provides the source IP address to permit.') hpicf_byod_free_rule_source_inet_addr_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 7), inet_address()).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.') hpicf_byod_free_rule_destination_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('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.') hpicf_byod_free_rule_destination_port = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(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.') hpicf_byod_free_rule_destination_inet_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 10), inet_address_type()).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.') hpicf_byod_free_rule_destination_inet_addr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 11), inet_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddr.setStatus('current') if mibBuilder.loadTexts: hpicfByodFreeRuleDestinationInetAddr.setDescription('This object provides the destination IP address to permit.') hpicf_byod_free_rule_destination_inet_addr_mask = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 12), inet_address()).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.') hpicf_byod_free_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 1, 3, 1, 13), row_status()).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') hpicf_byod_scalar_stats = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 1, 2, 1)) hpicf_byod_tcp_stats_total_open = mib_scalar((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.') hpicf_byod_tcp_stats_reset_conn = mib_scalar((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.') hpicf_byod_tcp_stats_current_open = mib_scalar((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.') hpicf_byod_tcp_stats_pkts_received = mib_scalar((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.') hpicf_byod_tcp_stats_pkts_sent = mib_scalar((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.') hpicf_byod_tcp_stats_http_pkts_sent = mib_scalar((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.') hpicf_byod_tcp_stats_state_syn_rcvd = mib_scalar((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.') hpicf_byod_tcp_stats_state_established = mib_scalar((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.') hpicf_byod_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 1)) hpicf_byod_groups = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 106, 2, 2)) hpicf_byod_compliance1 = module_compliance((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): hpicf_byod_compliance1 = hpicfByodCompliance1.setStatus('current') if mibBuilder.loadTexts: hpicfByodCompliance1.setDescription('The compliance statement') hpicf_byod_config_group = object_group((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): hpicf_byod_config_group = hpicfByodConfigGroup.setStatus('current') if mibBuilder.loadTexts: hpicfByodConfigGroup.setDescription('A collection of objects providing configuration and status for client redirection to a portal server.') hpicf_byod_stats_group = object_group((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): hpicf_byod_stats_group = 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)
# 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)
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
class Interval: def __init__(self, left, right): self.left = left self.right = right def get_left_endpoint(self): return self.left def get_right_endpoint(self): return self.right def is_equal_to(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 overlaps_interval(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 to_string(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)
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
c_ole_client_item_active_state = 3 c_ole_client_item_active_ui_state = 4 c_ole_client_item_empty_state = 0 c_ole_client_item_loaded_state = 1 c_ole_client_item_open_state = 2 ole_changed = 0 ole_changed_aspect = 5 ole_changed_state = 4 ole_closed = 2 ole_renamed = 3 ole_saved = 1 def afx_ole_init(*args, **kwargs): pass def create_insert_dialog(*args, **kwargs): pass def create_ole_client_item(*args, **kwargs): pass def create_ole_document(*args, **kwargs): pass def dao_get_engine(*args, **kwargs): pass def enable_busy_dialog(*args, **kwargs): pass def enable_not_responding_dialog(*args, **kwargs): pass def get_i_dispatch_for_window(*args, **kwargs): pass def ole_get_user_ctrl(*args, **kwargs): pass def ole_set_user_ctrl(*args, **kwargs): pass def set_message_pending_delay(*args, **kwargs): pass
# # 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)
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_intersection, value_range_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion') (h3c_voice,) = mibBuilder.importSymbols('HUAWEI-3COM-OID-MIB', 'h3cVoice') (inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (bits, mib_identifier, counter32, object_identity, notification_type, unsigned32, ip_address, integer32, iso, time_ticks, counter64, module_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'MibIdentifier', 'Counter32', 'ObjectIdentity', 'NotificationType', 'Unsigned32', 'IpAddress', 'Integer32', 'iso', 'TimeTicks', 'Counter64', 'ModuleIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Gauge32') (display_string, row_status, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'RowStatus', 'TextualConvention') h3c_vo_sip = module_identity((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): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8)) named_values = named_values(('unknown', 1), ('register', 2), ('invite', 3), ('ack', 4), ('prack', 5), ('cancel', 6), ('bye', 7), ('info', 8)) h3c_sip_client_mib = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1)) h3c_sip_client_config_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1)) h3c_sipid = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPID.setStatus('current') h3c_sip_password_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('simple', 1), ('cipher', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPPasswordType.setStatus('current') h3c_sip_password = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 3), octet_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPPassword.setStatus('current') h3c_sip_source_ip_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 4), inet_address_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPSourceIPAddressType.setStatus('current') h3c_sip_source_ip = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 5), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPSourceIP.setStatus('current') h3c_sip_register_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('gatewayAll', 1), ('gatewaySingle', 2), ('phoneNumber', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPRegisterMode.setStatus('current') h3c_sip_register_phone_number = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 7), octet_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPRegisterPhoneNumber.setStatus('current') h3c_sip_register_enable = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('on', 1), ('off', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPRegisterEnable.setStatus('current') h3c_sip_traps_control = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPTrapsControl.setStatus('current') h3c_sip_statistic_clear = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('clear', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: h3cSIPStatisticClear.setStatus('current') h3c_sip_server_config_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2)) if mibBuilder.loadTexts: h3cSIPServerConfigTable.setStatus('current') h3c_sip_server_config_entry = mib_table_row((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') h3c_sip_server_ip_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 1), inet_address_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: h3cSIPServerIPAddressType.setStatus('current') h3c_sip_server_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 2), inet_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: h3cSIPServerIPAddress.setStatus('current') h3c_sip_server_port = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(5060)).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: h3cSIPServerPort.setStatus('current') h3c_sip_server_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('master', 1), ('slave', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: h3cSIPServerType.setStatus('current') h3c_sip_accept_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('inbound', 1), ('all', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: h3cSIPAcceptType.setStatus('current') h3c_sip_server_status = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 2, 1, 6), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: h3cSIPServerStatus.setStatus('current') h3c_sip_msg_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3)) if mibBuilder.loadTexts: h3cSIPMsgStatTable.setStatus('current') h3c_sip_msg_stat_entry = mib_table_row((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') h3c_sip_msg_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 1), sip_msg_type()) if mibBuilder.loadTexts: h3cSIPMsgIndex.setStatus('current') h3c_sip_msg_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 2), octet_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPMsgName.setStatus('current') h3c_sip_msg_send = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPMsgSend.setStatus('current') h3c_sip_msg_ok_send = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPMsgOKSend.setStatus('current') h3c_sip_msg_receive = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPMsgReceive.setStatus('current') h3c_sip_msg_ok_receive = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 3, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPMsgOKReceive.setStatus('current') h3c_sip_msg_response_stat_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4)) if mibBuilder.loadTexts: h3cSIPMsgResponseStatTable.setStatus('current') h3c_sip_msg_response_stat_entry = mib_table_row((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') h3c_sip_msg_response_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 1), integer32()) if mibBuilder.loadTexts: h3cSIPMsgResponseIndex.setStatus('current') h3c_sip_msg_response_code = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 2), octet_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPMsgResponseCode.setStatus('current') h3c_sip_res_code_recv_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPResCodeRecvCount.setStatus('current') h3c_sip_res_code_send_count = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 1, 4, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: h3cSIPResCodeSendCount.setStatus('current') h3c_sip_trap_stub_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 3)) h3c_sip_register_fail_reason = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 3, 1), octet_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: h3cSIPRegisterFailReason.setStatus('current') h3c_sip_authen_req_method = mib_scalar((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 3, 2), sip_msg_type()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: h3cSIPAuthenReqMethod.setStatus('current') h3c_sip_client_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 39, 12, 4)) h3c_sip_register_failure = notification_type((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') h3c_sip_authenticate_failure = notification_type((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') h3c_sip_server_switch = notification_type((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" ] }] ] }] ] } ] }
{'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_shared_openssl%': 'true'}, 'conditions': [['node_shared_openssl=="false"', {'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']}]]}]]}]}
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")
def bin_pack(i, array, target, dp): if i == len(array): return 0 if i not in dp: dp[i] = {} if target not in dp[i]: best = bin_pack(i + 1, array, target, dp) if target - array[i] >= 0: aux = bin_pack(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: (sum_min, yes) = (min(sum(positive), sum(negative)), False) for i in range(1, sumMin + 1): if Yes: break dp = {} pos_answer = bin_pack(0, positive, i, dp) dp = {} neg_answer = bin_pack(0, negative, i, dp) if posAnswer == negAnswer: yes = True if Yes: print('Yes') else: print('No') elif target > 0: (sum_min, yes) = (sum(positive), False) for i in range(target, sumMin + 1): if Yes: break dp = {} pos_answer = bin_pack(0, positive, i, dp) dp = {} neg_answer = bin_pack(0, negative, i - target, dp) total = sum(positive) if abs(posAnswer - (total - posAnswer)) == target: yes = True if Yes: print('Yes') else: print('No') else: (sum_min, yes) = (sum(negative), False) for i in range(-target, sumMin + 1): if Yes: break dp = {} neg_answer = bin_pack(0, negative, i, dp) dp = {} pos_answer = bin_pack(0, positive, i + target, dp) if posAnswer - negAnswer == target: yes = True if Yes: print('Yes') else: print('No')
if __name__ == '__main__': Str1 = '14:59~15:20' StrList = Str1.split('~') print(StrList) print(StrList[0]) print(StrList[1])
if __name__ == '__main__': str1 = '14:59~15:20' str_list = 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"
__version__ = '0.1.0'
#App HOST = '0.0.0.0' PORT = 6000 DEBUG = False #AWS BUCKET = 'fastermlpipeline' ACCESS_KEY = 'sorry_itsasecret' SECRET_KEY = 'sure_itsasecret' #Extract Data URL_DATA = 'http://api:5000/credits' #Preprocessors NUMERICAL_FEATURES = ['age', 'job', 'credit_amount' ,'duration'] CATEGORICAL_FEATURES = ['sex', 'housing', 'saving_accounts', 'checking_account', 'purpose'] DROP_FEATURES = ['id']
host = '0.0.0.0' port = 6000 debug = False bucket = 'fastermlpipeline' access_key = 'sorry_itsasecret' secret_key = 'sure_itsasecret' url_data = 'http://api:5000/credits' numerical_features = ['age', 'job', 'credit_amount', 'duration'] categorical_features = ['sex', 'housing', 'saving_accounts', 'checking_account', 'purpose'] drop_features = ['id']
lookup_table = { "TRI_FACILITY_NPDES": { "ASGN_NPDES_IND": "Indicates that the associated NPDES_NUM represents the principal NPDES permit number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "NPDES_NUM": "The permit number of a specific discharge to a water body under the National Pollutant Discharge Elimination System (NPDES) of the Clean Water Act (CWA). Not all facilities will have a NPDES permit number. A facility may have multiple NPDES permit numbers. The NPDES permit number may not pertain to the toxic chemical reported to TRI." }, "TRI_OFF_SITE_TRANSFER_LOCATION": { "PROVINCE": "The province of the location to which the toxic chemical in wastes is transferred. A facility may transfer toxic chemicals in waste to off-site locations that are outside of the United States. The province field gives a facility the flexibility needed to enter a correct off-site location address that is outside the United States.", "TRANSFER_LOC_NUM": "The sequence in which an off-site transfer is reported on a Form R submission.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "CONTROLLED_LOC": "Indicator that shows whether the off-site location to which toxic chemicals are transferred in wastes is owned or controlled by the facility or the parent company. Values: 1 = 'Yes', 0 = 'No', 2 = blank or not entered.", "OFF_SITE_STREET_ADDRESS": "The street address for the physical location of the entity receiving the toxic chemical.", "COUNTRY_CODE": "The country code where the entity receiving the toxic chemical is located.", "COUNTY_NAME": "The standardized name of the county where the facility is located.", "CITY_NAME": "The city where the facility or establishment is physically located.", "OFF_SITE_NAME": "The name of the entity receiving the toxic chemical.", "RCRA_NUM": "The number assigned to the facility by EPA for purposes of the Resource Conservation and Recovery Act (RCRA). Not all facilities will have a RCRA Identification Number. A facility will only have a RCRA Identification Number if it manages RCRA regulated hazardous waste. Some facilities may have more than one RCRA Identification Number.", "STATE_ABBR": "The state abbreviation where the facility or establishment is physically located.", "ZIP_CODE": "The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility." }, "TRI_TRANSFER_QTY": { "TRANSFER_LOC_NUM": "The sequence in which an off-site transfer is reported on a Form R submission.", "TRANSFER_BASIS_EST_CODE": "The code representing the technique used to develop the estimate of the release amount reported in the 'Total Transfers' box (TOTAL_TRANSFER). The values are as follows:", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "TOTAL_TRANSFER": "The total amount (in pounds) of the toxic chemical transferred from the facility to Publicly Owned Treatment Works (POTW) or to an off-site location (non-POTW) during the calendar year (January 1 - December 31). POTW refers to a municipal sewage treatment plant. The most common transfers will be conveyances of the toxic chemical in facility wastewater through underground sewage pipes, however, trucked or other direct shipments to a POTW are also included in this estimate.", "TRANSFER_RANGE_CODE": "Code that corresponds to the amount of toxic chemical released annually by the reporting facility, reported as a range for releases less than 1,000 pounds. When a facility uses a range code, the amount reported to TRI is the midpoint of the range. On Form R, letter codes are used to represent ranges: A = 1-10 pounds, B = 11-499 pounds, and C = 500-999 pounds. The letters are converted to numbers for storage in the TRIS database where '1' represents range 'A', '3' represents range 'B', and'4' represents range 'C'. The historical value '2' = 1-499 pounds.", "OFF_SITE_AMOUNT_SEQUENCE": "Sequence in which an off-site transfer amount is reported on a submission.", "TRANSFER_EST_NA": "Indicates that 'NA' (Not Applicable) was entered on Form R when a facility does not discharge wastewater containing the toxic chemical to Publicly Owned Treatment Works (Section 6.1.B_) or in wastes to other off-site facilities (section 6.2_). Values: 1 = 'Yes', 0 = 'No'.", "TYPE_OF_WASTE_MANAGEMENT": "The type of waste treatment, disposal, recycling, or energy recovery methods the off-site location uses to manage the toxic chemical. A two-digit code is used to indicate the type of waste management activity employed. This refers to the ultimate disposition of the toxic chemical, not the intermediate activities used for the waste stream. (In Envirofacts, the code 'P91' indicates a transfer to a POTW. All other codes refer to off-site transfers.)" }, "TRI_SOURCE_REDUCT_METHOD": { "SOURCE_REDUCT_METHOD_1": "Indicates the method or methods used at the facility to identify the possibility for a source reduction activity implementation at the facility. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a method used to identify source reduction opportunities would be an internal pollution prevention audit.", "SOURCE_REDUCT_METHOD_2": "Indicates the method or methods used at the facility to identify the possibility for a source reduction activity implementation at the facility. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a method used to identify source reduction opportunities would be an internal pollution prevention audit.", "SOURCE_REDUCT_METHOD_3": "Indicates the method or methods used at the facility to identify the possibility for a source reduction activity implementation at the facility. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a method used to identify source reduction opportunities would be an internal pollution prevention audit.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "SOURCE_REDUCT_ACTIVITY": "Indicates the type of source reduction activity implemented at the facility during the reporting year. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a source reduction activity would include a spill and leak prevention program such as the installation of a vapor recovery system.", "REDUCTION_SEQUENCE_NUM": "Sequence in which a source reduction method is reported on a submission." }, "TRI_POTW_LOCATION": { "POTW_NAME": "The name of the publicly owned treatment works (POTW) receiving the toxic chemical.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "POTW_STREET_ADDRESS": "The street address for the physical location of the publicly owned treatment works (POTW) receiving the toxic chemical.", "STATE_ABBR": "The state abbreviation where the facility or establishment is physically located.", "COUNTY_NAME": "The standardized name of the county where the facility is located.", "CITY_NAME": "The city where the facility or establishment is physically located.", "POTW_LOC_NUM": "The sequence in which an POTW transfer is reported on a Form R submission.", "ZIP_CODE": "The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility." }, "TRI_TABLE_ID_NAME": { "TABLE_ID": "A designation for a related group of permissible values. The name that identifies this group is located in TRI_TABLE_ID_NAME.", "TABLE_NAME": "The table description for the TRI_CODE_DESC.TABLE_ID ." }, "TRI_CODE_DESC": { "DESCRIPT": "The text description of a permissible value contained in CODE.", "CODE": "The permissible values for a column.", "TABLE_ID": "A designation for a related group of permissible values. The name that identifies this group is located in TRI_TABLE_ID_NAME." }, "TRI_FACILITY_NPDES_HISTORY": { "ASGN_NPDES_IND": "Indicates that the associated NPDES_NUM represents the principal NPDES permit number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "NPDES_NUM": "The permit number of a specific discharge to a water body under the National Pollutant Discharge Elimination System (NPDES) of the Clean Water Act (CWA). Not all facilities will have a NPDES permit number. A facility may have multiple NPDES permit numbers. The NPDES permit number may not pertain to the toxic chemical reported to TRI.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste." }, "TRI_ZIP_CODE": { "TRI_CENTROID_LAT": "The assigned centroid latitude based on zip code.", "REGION": "The EPA region in which the facility is located.", "CITY_NAME": "The city where the facility or establishment is physically located.", "STATE_ABBR": "The state abbreviation where the facility or establishment is physically located.", "TRI_CENTROID_LONG": "The assigned centroid longitude based on zip code.", "COUNTRY_NAME": "The country where the facility is located, if outside the United States.", "ZIP_CODE": "The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility." }, "TRI_FACILITY_RCRA_HISTORY": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ASGN_RCRA_IND": "Indicates that the associated RCRA_NUM represents the principal RCRA Identification Number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.", "RCRA_NUM": "The number assigned to the facility by EPA for purposes of the Resource Conservation and Recovery Act (RCRA). Not all facilities will have a RCRA Identification Number. A facility will only have a RCRA Identification Number if it manages RCRA regulated hazardous waste. Some facilities may have more than one RCRA Identification Number." }, "TRI_REPORTING_FORM": { "PRODUCTION_RATIO_NA": "Indicator that shows whether 'NA' was entered in Section 8.9, Production Ratio or Activity Index (PRODUCTION_RATIO). Values: 1 = 'Yes', 0 = 'No'.", "PUBLIC_CONTACT_PHONE": "The phone number to reach the person identified in the Public Contact Name box (PUBLIC_CONTACT_PERSON).", "FEDERAL_FAC_IND": "Indicates whether the 'Federal' box was checked on the submission. A Federal facility is a facility owned or operated by the Federal government. This includes facilities that are operated by contractors to the Federal government (i.e., a facility where the land is owned by the Federal government but a private company is under contract to run the facility's operations). The types of Federal facilities that report to TRI are broader than the types of private sector facilities that report to TRI (e.g., DOD military bases). Values: 1 = box checked, 0 = box not checked.", "TRADE_SECRET_IND": "Indicator that shows whether the identity of the toxic chemical has been claimed a trade secret. If the facility has indicated that the chemical name is a trade secret, the chemical name will not be released to the public. Values: 1 = 'Trade Secret' box checked, 0 = 'Trade Secret' box not checked.", "MAX_AMOUNT_OF_CHEM": "The two digit code indicating a range for the maximum amount of the chemical present at the facility at any one time during the calendar year (January 1 - December 31) for which the report was submitted.", "CERTIF_NAME": "The name of the owner, operator, or senior management official who is certifying that the information provided is true and complete and that the values reported are accurate based on reasonable estimates. This individual has management responsibility for the person or persons completing the report.", "CERTIF_OFFICIAL_TITLE": "The title of the owner, operator, or senior management official who is certifying that the information provided is true and complete and that the values reported are accurate based on reasonable estimates. This individual has management responsibility for the person or persons completing the report.", "ONE_TIME_RELEASE_QTY": "The total amount (in pounds) of the toxic chemical released directly to the environment or sent offsite for recycling, energy recovery, treatment, or disposal during the reporting year due to remedial actions, catastrophic events such as earthquakes or floods, and one-time events not associated with normal or routine production processes. These amounts are not included in the amounts reported in sections 8.1-8.7 (TRI_SOURCE_REDUCTION_QTY).", "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ORIG_RECEIVED": "The original received date for a submission for this chemical from this facility and this reporting year.", "REVISION_NA": "Indicator that shows whether the submission 'Revision' box on form R was checked by the submitter. Values: 1 = box checked, 0 = box not checked.", "PUBLIC_CONTACT_PERSON": "The name of the individual who may be contacted by the general public with questions regarding the information reported to TRI on this chemical. This person may or may not be familiar with the information provided in the form but has been designated by the facility or establishment to handle public inquiries.", "ENTIRE_FAC": "Indicates that only one Form R was filed for this chemical for the entire facility. Values: 1 = Form R 'Entire' box check, 0 = box not checked.", "ACTIVE_STATUS": "Indicates the status of the submitted Form R. Value: 1 = 'Active submission'.", "POSTMARK_DATE": "The most recent postmark date for a submission for this chemical from this facility and this reporting year . The date may represent a revised submission or be the same as the ORIG_POSTMARK.", "DIOXIN_DISTRIBUTION_2": "Indicates the distribution (percentage) of 1,2,3,4,7,8,9-Heptachlorodibenzofuran (CAS Number: 55673-89-7) in the reported dioxin or dioxin-like compounds.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.", "RECEIVED_DATE": "The date the submission was received at the EPCRA Reporting Center.", "DIOXIN_DISTRIBUTION_14": "Indicates the distribution (percentage) of 2,3,4,7,8-Pentachlorodibenzofuran (CAS Number: 57117-31-4) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_15": "Indicates the distribution (percentage) of 1,2,3,7,8-Pentachlorodibenzo- p-dioxin (CAS Number: 40321-76-4) in the reported dioxin or dioxin-like compounds.", "ORIG_POSTMARK": "The original postmark date for a submission for this chemical from this facility and this reporting year.", "DIOXIN_DISTRIBUTION_17": "Indicates the distribution (percentage) of 2,3,7,8-Tetrachlorodibenzo- p-dioxin (CAS Number: 01746-01-6) in the reported dioxin or dioxin-like compounds.", "CERTIF_SIGNATURE": "Indicator for the signature of the individual who is certifying that the information being provided in the form is true and complete and that the values reported are accurate based on reasonable estimates.", "DIOXIN_DISTRIBUTION_11": "Indicates the distribution (percentage) of 1,2,3,4,6,7,8,9-Octachlorodibenzofuran (CAS Number: 39001-02-0) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_12": "Indicates the distribution (percentage) of 1,2,3,4,6,7,8,9-Octachlorodibenzo- p-dioxin (CAS Number: 03268-87-9) in the reported dioxin or dioxin-like compounds.", "ADDITIONAL_DATA_IND": "For reporting years beginning in 1991, the indicator that shows whether additional optional information on source reduction, pollution control, or recycling activities implemented during the reporting year or prior years has been attached to the submission. For reporting years 1987 through 1990, the indicator shows whether waste minimization data was reported on Form R and has since been archived. Values: 1 = 'Yes', 0 = 'No'', 2 = blank or not entered.", "CAS_CHEM_NAME": "The official name of the toxic chemical, toxic chemical mixture, (e.g., xylene mixed isomers), or chemical category as it appears on the EPCRA Section 313 list. ) or 2.1 . This space will be empty if a trade secret was claimed for the toxic chemical and information is provided in Section 1.3 (MIXTURE_NAME) or 2.1 (GENERIC_CHEM_NAME).", "DIOXIN_DISTRIBUTION_8": "Indicates the distribution (percentage) of 1,2,3,6,7,8-Hexachlorodibenzo- p-dioxin (CAS Number: 57653-85-7) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_9": "Indicates the distribution (percentage) of 1,2,3,7,8,9-Hexachlorodibenzo- p-dioxin (CAS Number: 19408-74-3) in the reported dioxin or dioxin-like compounds.", "GENERIC_CHEM_NAME": "The generic, structurally descriptive term used in place of the toxic chemical name when a trade secret was claimed for the toxic chemical. The name must appear on both sanitized and unsanitized Form Rs and be the same as that used on the substantiation form. Section 1.3 will be 'NA' or blank if information is provided in Sections 1.1 (TRI_CHEM_ID) and 1.2 (CAS_CHEM_NAME), or 2.1 (MIXTURE_NAME). Note: Only Sanitized Trade Secret submissions are stored in the TRIS database.", "DIOXIN_DISTRIBUTION_3": "Indicates the distribution (percentage) of 1,2,3,4,7,8-Hexachlorodibenzofuran (CAS Number: 70648-26-9) in the reported dioxin or dioxin-like compounds.", "MIXTURE_NAME": "The generic term used in place of the toxic chemical name when a trade secret was claimed for the toxic chemical by the supplier of the toxic chemical. This is generally used when the supplier of a chemical formulation wishes to keep the identity of a particular ingredient in the formulation a secret. It is only used when the supplier, not the reporting facility, is claiming the trade secret. If the reporting facility is claiming a trade secret for the toxic chemical, the generic name is provided in Section 1.3 (GENERIC_CHEM_NAME) and this section (MIXTURE_NAME) is left blank. This space will also be left blank if a trade secret is not being claimed for the toxic chemical.", "DIOXIN_DISTRIBUTION_1": "Indicates the distribution (percentage) of 1,2,3,4,6,7,8-Heptachlorodibenzofuran (CAS Number: 67562-39-4) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_6": "Indicates the distribution (percentage) of 2,3,4,6,7,8-Hexachlorodibenzofuran (CAS Number: 60851-34-5) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_7": "Indicates the distribution (percentage) of 1,2,3,4,7,8-Hexachlorodibenzo- p-dioxin (CAS Number: 39227-28-6) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_4": "Indicates the distribution (percentage) of 1,2,3,6,7,8-Hextachlorodibenzofuran (CAS Number: 57117-44-9) in the reported dioxin or dioxin-like compounds.", "DIOXIN_DISTRIBUTION_5": "Indicates the distribution (percentage) of 1,2,3,7,8,9-Hexachlorodibenzofuran (CAS Number: 72918-21-9) in the reported dioxin or dioxin-like compounds.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "PUBLIC_CONTACT_EMAIL": "The Email address of the PUBLIC_CONTACT_PERSON.", "PARTIAL_FAC": "Indicates that the facility has chosen to report by establishment or groups of establishments. Therefore, there may be other reports filed for this chemical by other establishments of the facility. Values: 1 = Form R 'Partial' box checked, 0 = box not checked.", "REVISION_CODE": "Facilities that filed a Form R and/or a Form A Certification Statement under EPCRA section 313 may submit a request to the revise the data. The REVISION_CODE is a code indicating the current form is a revision of a previous form and the reason it was revised. Added in reporting year 2007, the data element can have the following values:", "DIOXIN_DISTRIBUTION_16": "Indicates the distribution (percentage) of 2,3,7,8-Tetrachlorodibenzofuran (CAS Number: 51207-31-9) in the reported dioxin or dioxin-like compounds.", "ONE_TIME_RELEASE_QTY_NA": "Indicator that shows whether 'NA' was entered in Section 8.8, Quantity Released to the Environment as Result of Remedial Actions, Catastrophic Events, or One-Time Events Not Associated with Production Process (ONE_TIME_RELEASE_QTY). Values: 1 = 'Yes', 0 = 'No'.", "CERTIF_DATE_SIGNED": "The date that the senior management official signed the certification statement.", "DIOXIN_DISTRIBUTION_NA": "Indicates whether 'NA' (Not Applicable) was entered on the Form R for the Distribution of Each Member of the Dioxin and Dioxin-like Compounds Category. The Form R asks facilities to report a distribution of chemicals included in the Dioxin and Dioxin-like compounds category. There are 17 individual chemicals listed in the Dioxin and Dioxin-like compounds category. A value of '1' for this variable indicates that the facility did not have the speciation (distribution) information available.", "DIOXIN_DISTRIBUTION_10": "Indicates the distribution (percentage) of 1,2,3,4,6,7,8-Hexachlorodibenzo- p-dioxin (CAS Number: 35822-46-9) in the reported dioxin or dioxin-like compounds.", "FORM_TYPE_IND": "Indicates the type of form received. Values: L = Form R, S = Form A.", "GOCO_FLAG": "Indicates whether the 'GOCO' box was checked on the submission. A GOCO facility is a Government-Owned, Contractor-Operated facility. Values: 1= box checked, 0= box not checked.", "TRI_CHEM_ID": "The number assigned to chemicals regulated under Section 313 of the Emergency Planning and Community Right-to-Know Act (EPCRA). For most toxic chemicals or mixture of chemicals (e.g., xylene mixed isomers), the TRI_CHEM_ID is the Chemical Abstract Service Registry (CAS) number. A given listed toxic chemical or mixture may be known by many names but it will have only one CAS number. For example, methyl ethyl ketone and 2-butanone are synonyms for the same toxic chemical and thus have only one CAS number (78-93-3). For categories of chemicals for which CAS Registry numbers have not been assigned, a four-character category code, asssigned by TRI, is included in TRI_CHEM_ID. Form R section 1.1 will be empty if a trade secret was claimed for the toxic chemical and information is provided in Section 1.3 or 2.1.", "SANITIZED_IND": "Indicator that shows whether the submission 'Sanitized Trade Secret' box was checked by the submitter. Note: Only Sanitized Trade Secret submissions are stored in the TRIS database. Values: 1 = box checked, 0 = box not checked.", "DIOXIN_DISTRIBUTION_13": "Indicates the distribution (percentage) of 1,2,3,7,8-Pentachlorodibenzofuran (CAS Number: 57117-41-6) in the reported dioxin or dioxin-like compounds.", "PRODUCTION_RATIO": "Indicates the level of increase or decrease from the previous year, of the production process or other activity in which the toxic chemical is used. This number is usually around 1.0. For example, a production ratio or activity index of 1.5 would indicate that production associated with the use of the toxic chemical has increased by about 50 percent. Conversely, a production ratio or activity index of 0.3 would indicate that production associated with the use of the toxic chemical has decreased by about 70 percent." }, "TRI_FACILITY_UIC_HISTORY": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ASGN_UIC_IND": "Indicates that the associated UIC_NUM represents the principal underground injection code identification number (UIC ID) as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "UIC_NUM": "The unique number assigned to a specific underground injection well under the Safe Drinking Water Act (SDWA). A facility with multiple injection wells will have multiple underground injection code identification number (UIC ID) Numbers. If the facility does not have an underground injection well regulated by the SDWA, it will not have a UIC ID number.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste." }, "TRI_CHEM_INFO": { "CAAC_IND": "Indicates whether the chemical is reportable under the Clean Air Act. Values: 1 = 'Yes', 0 = 'No'.", "CARC_IND": "Indicates whether the chemical is reportable as a carcinogen under the CARC. Values: 1 = 'Yes', 0 = 'No'.", "UNIT_OF_MEASURE": "Indicates the unit of measure used to quantify the chemical. Values: {Pounds, Grams}", "CLASSIFICATION": "Indicates the classification of the chemical. Chemicals can be classified as either a Dioxin or Dioxin-like compounds, a PBT (Persistent, Bioaccumulative and Toxic) chemical or a general EPCRA Section 313 chemical. Values: 0=TRI, 1=PBT, 2=Dioxin", "FEDS_IND": "Indicates whether the chemical is a non-Section 313 chemical submitted by a federal facility under Executive Order 12856. Values: 1 = 'Yes', 0 = 'No'.", "METAL_IND": "Indicates whether the chemical is a metal or metal compound. Values: 1 = 'Yes', 0 = 'No'.", "NO_DECIMALS": "Indicates the maximum number of decimals that can be used to quantify a chemical. This measurement applies to release, transfer and source reduction quantities. PBT (Persistent, Bioaccumulative and Toxic) chemicals, including Dioxins and Dioxin-like Compounds, can be quantified using numbers to the right of the decimal point. The measurement expresses the maximum number of positions to the right of the decimal point that a PBT chemical can be expressed in. All other Non-PBT chemicals are reported as whole numbers.", "R3350_IND": "Indicates whether the chemical is reportable under Regulation 3350. Values: 1 = 'Yes', 0 = 'No'.", "TRI_CHEM_ID": "The number assigned to chemicals regulated under Section 313 of the Emergency Planning and Community Right-to-Know Act (EPCRA). For most toxic chemicals or mixture of chemicals (e.g., xylene mixed isomers), the TRI_CHEM_ID is the Chemical Abstract Service Registry (CAS) number. A given listed toxic chemical or mixture may be known by many names but it will have only one CAS number. For example, methyl ethyl ketone and 2-butanone are synonyms for the same toxic chemical and thus have only one CAS number (78-93-3). For categories of chemicals for which CAS Registry numbers have not been assigned, a four-character category code, asssigned by TRI, is included in TRI_CHEM_ID. Form R section 1.1 will be empty if a trade secret was claimed for the toxic chemical and information is provided in Section 1.3 or 2.1.", "ACTIVE_DATE": "First year that this chemical must be reported to TRI.", "INACTIVE_DATE": "Final year that this chemical must be reported to TRI.", "PBT_END_YEAR": "Indicates the year that a PBT (Persistent, Bioaccumulative and Toxic) chemical was dropped as an EPCRA Section 313 PBT Chemical, Toxics Release Inventory.", "PBT_START_YEAR": "Indicates the year that a PBT (Persistent, Bioaccumulative and Toxic) chemical was designated as an EPCRA Section 313 PBT Chemical, Toxics Release Inventory.", "CHEM_NAME": "The official name of the toxic chemical, toxic chemical mixture, (e.g., xylene mixed isomers), or chemical category as it appears on the EPCRA Section 313 list." }, "TRI_FACILITY_UIC": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ASGN_UIC_IND": "Indicates that the associated UIC_NUM represents the principal underground injection code identification number (UIC ID) as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "UIC_NUM": "The unique number assigned to a specific underground injection well under the Safe Drinking Water Act (SDWA). A facility with multiple injection wells will have multiple underground injection code identification number (UIC ID) Numbers. If the facility does not have an underground injection well regulated by the SDWA, it will not have a UIC ID number." }, "TRI_FACILITY": { "PREF_DESC_CATEGORY": "The EPA's preferred geographic coordinate description category. Describes the category of feature referenced by the latitude and longitude.", "ASGN_PARTIAL_IND": "Indicates that the facility reports by establishment or groups of establishments as assigned by TRI from Form R submisions. Partial facilities may have more than one submission for the same chemical in one reporting year. Values: 0 = 'Entire facility', 1 = 'Partial facility'.", "FACILITY_NAME": "The name of the facility or establishment for which the form was submitted. For purposes of TRI a \"facility\" is generally considered to be all buildings and equipment owned or operated by a company on a single piece of property. The facility may be only one building in an industrial park or it may be a large complex covering many acres. At some larger facilities there may be several different businesses that are all run by the same company. These different businesses are referred to as \"establishments.\" Generally, a company will submit one Form R for the entire facility. A facility may choose, however, to submit a Form R for each establishment separately. The name in this section will either be the name used for the entire facility or the name of the specific establishment, depending on how the facility chooses to report.", "STATE_COUNTY_FIPS_CODE": "Combination of the two-letter state abbreviation and the county code.", "MAIL_STATE_ABBR": "The state abbreviation the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the State box.", "MAIL_ZIP_CODE": "The zip code the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the Zip Code box.", "CITY_NAME": "The city where the facility or establishment is physically located.", "MAIL_COUNTRY": "The country the facility or establishment uses to receive mail.", "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "PREF_HORIZONTAL_DATUM": "The EPA's preferred geographic coordinate horizontal datum. Reference datum of the latitude and longitude.", "FAC_CLOSED_IND": "A flag that indicates whether a facility is open (value =' 0'), closed (value = '1'), or inactive for TRI (value = '2').", "FAC_LONGITUDE": "The series of numbers which identifies the exact physical location of the facility as a measure of the arc or portion of the earth's equator between the meridian of the center of the facility and the prime meridian. The right-justified value is stored as degrees, minutes and seconds (0DDDMMSS). Tenths of seconds are not stored. The value is negative for locations in the Western hemisphere.", "MAIL_STREET_ADDRESS": "The address the facility or establishment uses for receiving mail. Form R instructs the submitter to enter the address used for mail only if different than in the Street box. The TRIS database stores the address from the Street box (STREET_ADDRESS) in MAILING_STREET_ADDRESS even when the facility Mailing address is not different.", "STATE_ABBR": "The state abbreviation where the facility or establishment is physically located.", "COUNTY_NAME": "The standardized name of the county where the facility is located.", "FAC_LATITUDE": "The series of numbers that identifies the exact physical location of the facility as a measure of the angular distance north form the earth's equator to the center of the facility. The value is stored as degrees, minutes and seconds (0DDMMSS), and the first position is zero-filled. The value is positive for locations north of the equator.", "PREF_LATITUDE": "The EPA's preferred geographic latitude estimation of the reporting facility. Value for latitude is in decimal degrees. This is a signed field.", "PREF_COLLECT_METH": "The EPA's preferred geographic coordinate collection method code for the reporting facility. Method used to determine the latitude and longitude.", "ASGN_PUBLIC_PHONE": "The phone number to reach the person identified in the Public Contact Name box (PUBLIC_CONTACT_PERSON), as assigned by TRI from Form R submissions.", "PREF_ACCURACY": "The EPA's preferred geographic coordinate accuracy estimation for the reporting facility. Describes the accuracy value as a range (+/) in meters of the latitude and longitude.", "ASGN_FEDERAL_IND": "An identifier that indicates the ownership status of a facility. A Federal facility is a facility owned or operated by the Federal government. This includes facilities that are operated by contractors to the Federal government (i.e., a facility where the land is owned by the Federal government but a private company is under contract to run the facility's operations). The types of Federal facilities that report to TRI are broader than the types of private sector facilities that report to TRI (e.g., DOD military bases). Values: C = 'Commercial', F = 'Federal facility', and G = 'Government owned/contractor operated' (GOCO).", "ASGN_AGENCY": "An abbreviation for the name of the agency supported by a federal or Government Owned/Contractor Operated (GOCO) reporting site.", "MAIL_PROVINCE": "The province the facility or establishment uses to receive mail. A facility may receive mail at an address outside of the United States. The province field gives a facility the flexibility needed to enter a correct mailing address outside the United States.", "PREF_LONGITUDE": "The EPA's preferred geographic longitude estimation of the reporting facility. Value for longitude is in decimal degrees. This is a signed field.", "STREET_ADDRESS": "The street address for the physical location of the facility or establishment.", "ZIP_CODE": "The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.", "MAIL_NAME": "The name which the facility or establishment uses for receiving mail if the address used for mail is different than in the Street box. This may or may not be the same as the name listed in the Facility or Establishment Name box.", "PREF_SOURCE_SCALE": "The EPA's preferred geographic coordinate source map scale code. This is the scale of the source used to determine the latitude and longitude.", "MAIL_CITY": "The city the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the City box.", "PARENT_CO_NAME": "Name of the corporation or other business company that is the ultimate parent company, located in the United States, of the facility or establishment submitting the data. The parent company is the company that directly owns at least 50 percent of the voting stock of the reporting company. This does not include foreign parent companies. 'NA' indicates that the facility does not have a parent company.", "PREF_QA_CODE": "Contains the results of four quality assurance tests (Test 1 through Test 4 below) used to determine facility location. \"ZIP Code Bounding Box\" is a rectangle generated from the ZIP Code boundaries, which is defined by the extreme north-south latitude and east-west longitudes, plus 1 kilometer (km) in each direction. The quality assurance tests are:", "FRS_ID": "A unique code used to identify the facility in the Facility Registry System (FRS). Note: The column will be populated in the future when values have been established.", "PARENT_CO_DB_NUM": "The number which has been assigned to the parent company by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all parent companies will have a Dun & Bradstreet number. 'NA' indicates that the facility or establishment's parent company does not have a Dun & Bradstreet number.", "ASGN_PUBLIC_CONTACT": "The name of the individual who may be contacted by the general public with questions regarding the company and the information reported to TRI as assigned by TRI from Form R submissions.. This person may or may not be familiar with the information provided in the form but has been designated by the facility or establishment to handle public inquiries.", "REGION": "The EPA region in which the facility is located." }, "TRI_SUBMISSION_SIC": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "SIC_SEQUENCE_NUM": "The sequence of the facility's Standard Industrial Classification (SIC) code as entered on Form R or Form A.", "SIC_CODE": "The Standard Industrial Classification (SIC) code or codes which best describes the activities conducted at the facility. SIC codes are 4 digit numbers used by the Bureau of Census as part of a system to categorize and track the types of business activities conducted in the United States. The first two digits of the code represent the major industry group (e.g., SIC code 25XX indicates Furniture and Fixtures) and the second two digits represent the specific subset of that group (e.g., 2511 indicates wood household furniture). EPA instructs facilities to enter their primary SIC code first. Many facilities do not report their primary SIC code first.", "PRIMARY_IND": "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'." }, "TRI_RECYCLING_PROCESS": { "ONSITE_RECYCLING_PROC_CODE": "Indicates the specific on-site recycling method or methods applied to the toxic chemical. Similar to section 7B and unlike section 7A, on-site recycling under section 7C refers only to recycling activities directed at the specific toxic chemical being reported, not all recycling methods applied to the waste stream. Section 7C is not completed unless the specific toxic chemical being reported is recovered from the waste stream for reuse.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit." }, "TRI_ENERGY_RECOVERY": { "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "ONSITE_ENERGY_PROC_CODE": "Code for the specific energy recovery method applied to the toxic chemical. Unlike section 7A which includes all treatment methods applied to the waste stream, the energy recovery must be directed at the specific toxic chemical being reported. This means that the toxic chemical must have significant heating value. Section 7B should not be used for chemicals that do not have significant heating values such as metals. Values: U01 = Industrial Kiln, U02 = Industrial Furnace, U03 = Industrial Boiler, U09 = Other Energy Recovery Methods, NA = not applicable, no on-site energy recovery applied to the toxic chemical." }, "TRI_FACILITY_DB": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ASGN_DB_IND": "Indicates that the associated DB_NUM represents the principal Dun & Bradstreet number assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "DB_NUM": "The number or numbers which have been assigned to the facility by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all facilities will have Dun & Bradstreet numbers." }, "TRI_CHEM_ACTIVITY": { "REACTANT": "Indicates the toxic chemical is used in chemical reactions to create another chemical substance or product that is then sold or otherwise distributed to other facilities. Some examples of reactants include feedstocks, raw materials, intermediates, and initiators. Values: 1 = 'Yes', 0 = 'No'.", "MANUFACTURE_AID": "Indicates the toxic chemical is used to aid in the manufacturing process but does not come into contact with the product during manufacture. Some examples include valve lubricants, refrigerants, metalworking fluids, coolants, and hydraulic fluids. Values: 1 = 'Yes', 0 = 'No'.", "IMPORTED": "Indicates the toxic chemical was imported into the Customs Territory of the United States by the facility. This includes the facility directly importing the toxic chemical or specifically requesting a broker or other party to obtain the toxic chemical from a foreign source. The Customs Territory of the United States includes the 50 States, Guam, Puerto Rico, American Samoa, and the U.S. Virgin Islands. Values: 1 = 'Yes', 0 = 'No'.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "USED_PROCESSED": "Indicates the toxic chemical was produced or imported by the facility and then further processed or otherwise used at the same facility. If this box is checked, at least one box in section 3.2 or section 3.3 will be checked. Values: 1 = 'Yes', 0 = 'No'.", "PRODUCE": "Indicates the toxic chemical was created by the facility. A toxic chemical is considered manufactured even if the toxic chemical is created unintentionally or exists only for a short period of time. Values: 1 = 'Yes', 0 = 'No'.", "FORMULATION_COMPONENT": "Indicates the toxic chemical is used as an ingredient in a product mixture to enhance performance of the product during its use, such as dyes in ink, solvents in paint, additions, reaction diluents, initiators, inhibitors, emulsifiers, surfactants, lubricants, flame retardants, and rheological modifiers. Values: 1 = 'Yes', 0 = 'No'.", "MANUFACTURE_IMPURITY": "Indicator that shows whether the facility produces the reported chemical as a result of the manufacture, processing, or otherwise use of another chemical, but does not separate the chemical and it remains primarily in the mixture or product with that other chemical. Values: 1 = 'Yes', 0 = 'No'.", "CHEM_PROCESSING_AID": "Indicates the toxic chemical is used to aid in the manufacture or synthesis of another chemical substance such that it comes into contact with the product during manufacture, but is not intended to remain with or become part of the final product or mixture. Some examples of chemical processing aids are process solvents, catalysts, solution buffers, inhibitors, and reaction terminators. Values: 1 = 'Yes', 0 = 'No'.", "BYPRODUCT": "Indicates the toxic chemical is produced coincidentally during the manufacture, process, or otherwise use of another chemical substance or mixture and, following its production, is separated from that other chemical substance or mixture. This includes toxic chemicals that may be created as the result of waste management. Values: 1 = 'Yes', 0 = 'No'.", "ANCILLARY": "Indicates the toxic chemical is used at the facility for purposes other than as a manufacturing aid or chemical processing aid, such as cleaners, degreasers, lubricants, fuels, toxic chemicals used for treating wastes, and toxic chemicals used to treat water at the facility. Values: 1 = 'Yes', 0 = 'No'.", "REPACKAGING": "Indicates the toxic chemical has been received by the facility and subsequently prepared for distribution into commerce in a different form, state, or quantity than it was received, such as petroleum being transferred from a storage tank to tanker trucks. Values: 1 = 'Yes', 0 = 'No'.", "ARTICLE_COMPONENT": "Indicates the toxic chemical becomes an integral part of an article distributed into commerce, such as copper in wire or resins in a plastic pen, or the pigment components of paint applied to a chair that is sold. Values: 1 = 'Yes', 0 = 'No'.", "PROCESS_IMPURITY": "Indicator that shows whether the facility processed the reported chemical but did not separate it and it remains as an impurity in the primary the mixture or trade name product. Values: 1 = 'Yes', 0 = 'No'.", "SALE_DISTRIBUTION": "Indicates the toxic chemical was produced or imported by the facility specifically to be sold or distributed to other outside facilities. Values: 1 = 'Yes', 0 = 'No'." }, "TRI_COUNTY": { "COUNTY_NAME": "The standardized name of the county where the facility is located.", "ZIP_CODE": "The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility." }, "TRI_FACILITY_HISTORY": { "PREF_DESC_CATEGORY": "The EPA's preferred geographic coordinate description category. Describes the category of feature referenced by the latitude and longitude.", "ASGN_PARTIAL_IND": "Indicates that the facility reports by establishment or groups of establishments as assigned by TRI from Form R submisions. Partial facilities may have more than one submission for the same chemical in one reporting year. Values: 0 = 'Entire facility', 1 = 'Partial facility'.", "FACILITY_NAME": "The name of the facility or establishment for which the form was submitted. For purposes of TRI a \"facility\" is generally considered to be all buildings and equipment owned or operated by a company on a single piece of property. The facility may be only one building in an industrial park or it may be a large complex covering many acres. At some larger facilities there may be several different businesses that are all run by the same company. These different businesses are referred to as \"establishments.\" Generally, a company will submit one Form R for the entire facility. A facility may choose, however, to submit a Form R for each establishment separately. The name in this section will either be the name used for the entire facility or the name of the specific establishment, depending on how the facility chooses to report.", "STATE_COUNTY_FIPS_CODE": "Combination of the two-letter state abbreviation and the county code.", "MAIL_STATE_ABBR": "The state abbreviation the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the State box.", "MAIL_ZIP_CODE": "The zip code the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the Zip Code box.", "CITY_NAME": "The city where the facility or establishment is physically located.", "MAIL_COUNTRY": "The country the facility or establishment uses to receive mail.", "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "PREF_HORIZONTAL_DATUM": "The EPA's preferred geographic coordinate horizontal datum. Reference datum of the latitude and longitude.", "FAC_LONGITUDE": "The series of numbers which identifies the exact physical location of the facility as a measure of the arc or portion of the earth's equator between the meridian of the center of the facility and the prime meridian. The right-justified value is stored as degrees, minutes and seconds (0DDDMMSS). Tenths of seconds are not stored. The value is negative for locations in the Western hemisphere.", "MAIL_STREET_ADDRESS": "The address the facility or establishment uses for receiving mail. Form R instructs the submitter to enter the address used for mail only if different than in the Street box. The TRIS database stores the address from the Street box (STREET_ADDRESS) in MAILING_STREET_ADDRESS even when the facility Mailing address is not different.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.", "STATE_ABBR": "The state abbreviation where the facility or establishment is physically located.", "COUNTY_NAME": "The standardized name of the county where the facility is located.", "FAC_LATITUDE": "The series of numbers that identifies the exact physical location of the facility as a measure of the angular distance north form the earth's equator to the center of the facility. The value is stored as degrees, minutes and seconds (0DDMMSS), and the first position is zero-filled. The value is positive for locations north of the equator.", "PREF_LATITUDE": "The EPA's preferred geographic latitude estimation of the reporting facility. Value for latitude is in decimal degrees. This is a signed field.", "PREF_COLLECT_METH": "The EPA's preferred geographic coordinate collection method code for the reporting facility. Method used to determine the latitude and longitude.", "ASGN_PUBLIC_PHONE": "The phone number to reach the person identified in the Public Contact Name box (PUBLIC_CONTACT_PERSON), as assigned by TRI from Form R submissions.", "PREF_ACCURACY": "The EPA's preferred geographic coordinate accuracy estimation for the reporting facility. Describes the accuracy value as a range (+/) in meters of the latitude and longitude.", "ASGN_FEDERAL_IND": "An identifier that indicates the ownership status of a facility. A Federal facility is a facility owned or operated by the Federal government. This includes facilities that are operated by contractors to the Federal government (i.e., a facility where the land is owned by the Federal government but a private company is under contract to run the facility's operations). The types of Federal facilities that report to TRI are broader than the types of private sector facilities that report to TRI (e.g., DOD military bases). Values: C = 'Commercial', F = 'Federal facility', and G = 'Government owned/contractor operated' (GOCO).", "ASGN_AGENCY": "An abbreviation for the name of the agency supported by a federal or Government Owned/Contractor Operated (GOCO) reporting site.", "MAIL_PROVINCE": "The province the facility or establishment uses to receive mail. A facility may receive mail at an address outside of the United States. The province field gives a facility the flexibility needed to enter a correct mailing address outside the United States.", "PREF_LONGITUDE": "The EPA's preferred geographic longitude estimation of the reporting facility. Value for longitude is in decimal degrees. This is a signed field.", "STREET_ADDRESS": "The street address for the physical location of the facility or establishment.", "ZIP_CODE": "The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.", "MAIL_NAME": "The name which the facility or establishment uses for receiving mail if the address used for mail is different than in the Street box. This may or may not be the same as the name listed in the Facility or Establishment Name box.", "PREF_SOURCE_SCALE": "The EPA's preferred geographic coordinate source map scale code. This is the scale of the source used to determine the latitude and longitude.", "MAIL_CITY": "The city the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the City box.", "PARENT_CO_NAME": "Name of the corporation or other business company that is the ultimate parent company, located in the United States, of the facility or establishment submitting the data. The parent company is the company that directly owns at least 50 percent of the voting stock of the reporting company. This does not include foreign parent companies. 'NA' indicates that the facility does not have a parent company.", "PREF_QA_CODE": "Contains the results of four quality assurance tests (Test 1 through Test 4 below) used to determine facility location. \"ZIP Code Bounding Box\" is a rectangle generated from the ZIP Code boundaries, which is defined by the extreme north-south latitude and east-west longitudes, plus 1 kilometer (km) in each direction. The quality assurance tests are:", "PARENT_CO_DB_NUM": "The number which has been assigned to the parent company by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all parent companies will have a Dun & Bradstreet number. 'NA' indicates that the facility or establishment's parent company does not have a Dun & Bradstreet number.", "ASGN_PUBLIC_CONTACT": "The name of the individual who may be contacted by the general public with questions regarding the company and the information reported to TRI as assigned by TRI from Form R submissions.. This person may or may not be familiar with the information provided in the form but has been designated by the facility or establishment to handle public inquiries.", "REGION": "The EPA region in which the facility is located." }, "TRI_SUBMISSION_NAICS": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "NAICS_CODE": "The North American Industry Classification System (NAICS) Codes(s) that best describe the business activities conducted ata facility or establishment. NAICS codes are 6 digit numbers used by the Bureau of Census as part of a system to categorizeand track the types of business activities conducted in the United States. ", "NAICS_SEQUENCE_NUM": "The sequence of the facility's North American Industry Classification System (NAICS) code as entered in section 4.5 of part I of the Form R or Form A.", "PRIMARY_IND": "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'." }, "TRI_WATER_STREAM": { "WATER_SEQUENCE_NUM": "Sequence in which a release to water is reported on a Form R submission.", "STREAM_NAME": "The name of the stream, river, lake, or other water body to which the chemical is discharged. The name is listed as it appears on the NPDES permit, or, if the facility does not have a NPDES permit, as the water body is publicly known. This is not a list of all streams through which the toxic chemical flows but is a list of direct discharges. If more than one name is listed on form R, the facility has a separate discharge to each water body listed.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "STORM_WATER_PERCENT": "The amount of the release, by weight percent, to water bodies, that came from stormwater runoff. This figure is only required when data are available.", "STORM_WATER_NA": "Indicates that 'NA' (Not Applicable) was entered on Form R for the percent of a release that came from stormwater runoff. Values: 1 = 'Yes', 0 = 'No'." }, "TRI_SOURCE_REDUCT_QTY": { "ENERGY_OFFSITE_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) for which the report was submitted. This includes all amounts of the toxic chemical that were intended to be recovered for energy and were sent offsite for that purpose. This figure includes all transfers offsite reported in section 6.2 which are classified with an energy recovery code. This does not include quantities of the toxic chemical that are combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81A_CURR_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_ONSITE_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste expected to be burned for energy recovery onsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This should not include quantities of the toxic chemical that will be combusted for energy recovery onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "RECYC_OFFSITE_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be sent offsite for recycling during the calendar year (January 1 - December 31) following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "RECYC_ONSITE_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical recycled onsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes only the amount of the toxic chemical actually recovered for reuse, not the total amount of the toxic chemical in the wastestream entering recycling units onsite. This amount does not include quantities of the toxic chemical that were recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "RECYC_ONSITE_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be recycled onsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81A_PREV_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, prior year on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be released by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) following the year for which the report was submitted. This includes air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs (metals reported in 6.1).", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "ENERGY_OFFSITE_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "RECYC_OFFSITE_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical sent offsite for recycling during the calendar year (January 1 - December 31) for which the report was submitted. This includes all amounts of the toxic chemical intended to be recycled, not just the amount of the toxic chemical actually recovered. This figure includes all transfers offsite reported in section 6.2 which are classified with an recycling code. This amount does not include quantities of the toxic chemical that were transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "RECYC_ONSITE_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "TREATED_ONSITE_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "RECYC_ONSITE_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical recycled onsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes only the amount of the toxic chemical actually recovered, not the total amount of the toxic chemical in the wastestream sent for recycling activities. This amount does not include quantities of the toxic chemical that were recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81C_CURR_YR_QTY": "The total amount of the toxic chemical released off-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.", "REL_81C_SECD_YR_QTY": "The total amount of the toxic chemical expected to be released off-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.", "REL_81B_SECD_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, second following year on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_81D_FOLL_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, following year off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_81C_FOLL_YR_QTY": "The total amount of the toxic chemical expected to be released off-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.", "REL_81B_CURR_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "TREATED_OFFSITE_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical sent for treatment offsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes the total amount of the toxic chemical intended to be treated (destroyed) and sent offsite for that purpose, not the amount of the toxic chemical actually treated (destroyed) by offsite processes. This figure includes all transfers offsite reported in section 6.2 which are classified with treatment waste management codes and most transfers to POTWs reported in section 6.1, except for metals. This does not include transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that were transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81C_PREV_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, prior year off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical released due to production related events by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs (metals reported in 6.1).", "TREATED_OFFSITE_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_OFFSITE_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste expected to be sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) following the year for which the report was submitted. This does not include quantities of the toxic chemical that will be combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "RECYC_ONSITE_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be recycled onsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81B_SECD_YR_QTY": "The total amount of the toxic chemical expected to be released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.", "REL_81B_FOLL_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, following year on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_81D_CURR_YR_QTY": "The total amount of the toxic chemical released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.", "REL_81C_SECD_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, second following year off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_81C_CURR_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "ENERGY_OFFSITE_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes all amounts of the toxic chemical that were intended to be recovered for energy and were sent offsite for that purpose. This figure includes all transfers offsite reported in section 6.2 which are classified with an energy recovery code. This does not include quantities of the toxic chemical that are combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "TREATED_ONSITE_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81B_PREV_YR_QTY": "The total amount of the toxic chemical released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.", "RECYC_ONSITE_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "RECYC_OFFSITE_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81D_CURR_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "ENERGY_ONSITE_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81A_CURR_YR_QTY": "The total amount of the toxic chemical released on-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.", "RECYC_OFFSITE_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be sent offsite for recycling during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "TREATED_OFFSITE_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be sent for treatment offsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This does not include expected transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Expected transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that will be transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81D_SECD_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, second following year off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "RECYC_OFFSITE_CURR_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "TREATED_OFFSITE_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical sent for treatment offsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes the total amount of the toxic chemical intended to be treated (destroyed) and sent offsite for that purpose, not the amount of the toxic chemical actually treated (destroyed) by offsite processes. This figure includes all transfers offsite reported in section 6.2 which are classified with treatment waste management codes and most transfers to POTWs reported in section 6.1, except for metals. This does not include transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that were transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "TREATED_OFFSITE_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_OFFSITE_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical released due to production related events by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) for which the report was submitted. This includes both fugitive and stack air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs, because metals cannot be treated (destroyed) and will ultimately be disposed (metals reported in 6.1).", "TREATED_ONSITE_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical treated onsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes only the amount of the toxic chemical actually treated (destroyed) by processes at the facility, not the total amount of the toxic chemical present in wastestreams sent to those processes. This amount does not include quantities of the toxic chemical that were treated for destruction onsite as the result of a catastrophic event,remedial action or other, one-time event not associated with production.", "TREATED_ONSITE_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81B_FOLL_YR_QTY": "The total amount of the toxic chemical expected to be released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.", "ENERGY_OFFSITE_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81A_FOLL_YR_QTY": "The total amount of the toxic chemical expected to be released on-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.", "RECYC_OFFSITE_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81D_PREV_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, prior year off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "RECYC_OFFSITE_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical sent offsite for recycling during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes all amounts of the toxic chemical intended to be recycled and sent offsite for that purpose, not just the amount of the toxic chemical actually recovered. This figure includes all transfers offsite reported in section 6.2 which are classified with a recycling code. This amount does not include quantities of the toxic chemical that were transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production", "RECYC_OFFSITE_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81D_SECD_YR_QTY": "The total amount of the toxic chemical expected to be released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.", "REL_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be released by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This includes air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs (metals reported in 6.1).", "REL_81D_PREV_YR_QTY": "The total amount of the toxic chemical released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.", "TREATED_OFFSITE_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be sent for treatment offsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This does not include expected transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Expected transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that will be transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81B_CURR_YR_QTY": "The total amount of the toxic chemical released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.", "TREATED_OFFSITE_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81C_FOLL_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, following year off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_81B_PREV_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, prior year on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "RECYC_ONSITE_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_OFFSITE_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_ONSITE_SECD_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_ONSITE_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81A_SECD_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, second following year on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "REL_81D_FOLL_YR_QTY": "The total amount of the toxic chemical expected to be released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.", "ENERGY_ONSITE_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste expected to be burned for energy recovery onsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This should not include quantities of the toxic chemical that will be combusted for energy recovery onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81A_SECD_YR_QTY": "The total amount of the toxic chemical expected to be released on-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.", "REL_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "REL_81A_FOLL_YR_NA": "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, following year on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", "ENERGY_ONSITE_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste burned for energy recovery onsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes only the amount of the toxic chemical actually combusted in the unit, not the total amount of the toxic chemical in the wastestream sent for energy recovery. This also does not include quantities of the toxic chemical that are combusted for energy recovery onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "ENERGY_ONSITE_CURR_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste burned for energy recovery onsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes only the amount of the toxic chemical actually combusted in the unit, not the total amount of the toxic chemical in the wastestream sent for energy recovery. This also does not include quantities of the toxic chemical that are combusted for energy recovery onsite as the result of a catastrophic event,remedial action or other, one-time event not associated with production.", "TREATED_ONSITE_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "TREATED_ONSITE_PREV_YR_QTY": "The total amount (in pounds) of the toxic chemical treated onsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes only the amount of the toxic chemical actually treated (destroyed) by processes at the facility, not the total amount of the toxic chemical present in wastestreams sent to those processes. This amount does not include quantities of the toxic chemical that were treated for destruction onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81A_PREV_YR_QTY": "The total amount of the toxic chemical released on-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.", "TREATED_ONSITE_FOLL_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be treated onsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be treated for destruction onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "REL_81C_PREV_YR_QTY": "The total amount of the toxic chemical released off-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.", "RECYC_ONSITE_FOLL_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "TREATED_ONSITE_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical expected to be treated onsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be treated for destruction onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.", "TREATED_OFFSITE_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_ONSITE_PREV_YR_NA": "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", "ENERGY_OFFSITE_SECD_YR_QTY": "The total amount (in pounds) of the toxic chemical in waste expected to be sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This does not include quantities of the toxic chemical that will be combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production." }, "TRI_RELEASE_QTY": { "RELEASE_BASIS_EST_CODE": "The code representing the technique used to develop theestimate of releases reported in the 'Total Release' box (TOTAL_RELEASE). Thevalues are as follows:", "WATER_SEQUENCE_NUM": "Sequence in which a release to water is reported on a Form R submission.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "TOTAL_RELEASE": "The total amount (in pounds) of the toxic chemical released to air, water, land, and underground injection wells during the calendar year (January 1 - December 31). Release amounts may be reported as specific numbers or as ranges (RELEASE_RANGE_CODE). Descriptions by Form R Section number for each environmental medium follow.", "RELEASE_NA": "Indicates whether 'NA' (Not Applicable) was entered on Form R for the release estimate. Values: 1 = 'Yes', 0 = 'No'. Descriptions by Form R Section number for each environmental medium follow.", "RELEASE_RANGE_CODE": "The code that corresponds to the amount of toxic chemical released annually by the reporting facility, reported as a range for releases less than 1,000 pounds. When a facility uses a range code, the amount reported to TRI is the midpoint of the range. On Form R, letter codes are used to represent ranges: A = 1-10 pounds, B = 11-499 pounds, and C = 500-999 pounds. The letters are converted to numbers for storage in the TRIS database where '1' represents range 'A', '3' represents range 'B', and '4' represents range 'C'. The historical value '2' = 1-499 pounds.", "ENVIRONMENTAL_MEDIUM": "Code indicating the environmental medium to which the toxic chemical is released from the facility." }, "TRI_ONSITE_WASTESTREAM": { "OPERATING_DATA_IND": "Indicates if the waste treatment efficiency estimate (TREATMENT_EFFCIENCY_EST) is based on actual operating data, such as monitoring influent and effluent toxic chemical levels in the waste stream; or, indicates if TREATMENT_EFFCIENCY_EST is not based on actual operating or monitoring data, but rather some other technique, such as published data for similar processes or the equipment supplier's literature. Values: 1 = 'Yes', 0 = 'No'', 2 = blank or not entered.", "WASTESTREAM_CODE": "Indicates the general waste stream type containing the toxic chemical. The four codes used to indicate the general waste stream types are: A = Gaseous (gases, vapors, airborne particles), W = Wastewater (aqueous waste), L = Liquid (non-aqueous, liquid waste), and S = Solid (including sludges and slurries).", "WASTESTREAM_SEQ_NUM": "Sequence in which an on-site waste treatment process is reported on a Form R submission.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "INFLUENT_CONC_RANGE": "Indicates the range of concentration of the toxic chemical in the waste stream as it typically enters the waste treatment step or sequence. The concentration is based on the amount or mass of the toxic chemical in the waste stream as compared to the total amount or mass of the waste stream and is determined prior to the application of any waste management methods. Facilities report using one of the following five codes:", "TREATMENT_EFFICIENCY_EST_NA": "Indicates whether 'NA' (Not Applicable) was entered on Form R for the waste treatment efficiency estimate. Values: 1 = 'Yes', 0 = 'No'.", "SEQUENTIAL_TREAT_87_90": "Indicator that shows whether treatment steps were used in sequence, for Reporting Years 1987 through 1990, to estimate treatment efficiency of the overall treatment process.", "TREATMENT_EFFICIENCY_EST": "The percentage of the toxic chemical removed from the waste stream through destruction, biological degradation, chemical conversion, or physical removal. This estimate represents the overall percentage of the toxic chemical destroyed or removed (based on amount or mass) throughout all waste management methods, not merely changes in volume or concentration and not merely the efficiency of one method in a sequence of activities. This also does not represent the waste treatment efficiency for the entire waste stream but only the removal or destruction of this specific toxic chemical in that waste stream. This does not include energy recovery or recycling activities. Energy recovery and recycling activities are reported in sections 7B and 7C, respectively. The value is calculated as follows: ((I - E)/1) * 100, where I equals the amount of toxic chemical in the influent waste stream, and E equals the amount of the toxic chemical in the effluent waste stream.", "EFFICIENCY_RANGE_CODE": "The range code representing the percentage of the toxic chemical removed from the waste stream through destruction, biological degradation, chemical conversion, or physical removal. This range code represents the overall percentage of the toxic chemical destroyed or removed (based on amount or mass) throughout all waste management methods, not merely changes in volume or concentration and not merely the efficiency of one method in a sequence of activities. This also does not represent the waste treatment efficiency for the entire waste stream but only the removal or destruction of this specific toxic chemical in that waste stream. This does not include energy recovery or recycling activities. Energy recovery and recycling activities are reported in sections 7B and 7C, respectively. " }, "TRI_FACILITY_RCRA": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ASGN_RCRA_IND": "Indicates that the associated RCRA_NUM represents the principal RCRA Identification Number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "RCRA_NUM": "The number assigned to the facility by EPA for purposes of the Resource Conservation and Recovery Act (RCRA). Not all facilities will have a RCRA Identification Number. A facility will only have a RCRA Identification Number if it manages RCRA regulated hazardous waste. Some facilities may have more than one RCRA Identification Number." }, "TRI_FACILITY_DB_HISTORY": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "ASGN_DB_IND": "Indicates that the associated DB_NUM represents the principal Dun & Bradstreet number assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.", "DB_NUM": "The number or numbers which have been assigned to the facility by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all facilities will have Dun & Bradstreet numbers." }, "TRI_FACILITY_SIC": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "SIC_CODE": "The Standard Industrial Classification (SIC) code or codes which best describes the activities conducted at the facility. SIC codes are 4 digit numbers used by the Bureau of Census as part of a system to categorize and track the types of business activities conducted in the United States. The first two digits of the code represent the major industry group (e.g., SIC code 25XX indicates Furniture and Fixtures) and the second two digits represent the specific subset of that group (e.g., 2511 indicates wood household furniture). EPA instructs facilities to enter their primary SIC code first. Many facilities do not report their primary SIC code first.", "PRIMARY_IND": "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'." }, "TRI_ONSITE_WASTE_TREATMENT_MET": { "WASTESTREAM_SEQ_NUM": "Sequence in which an on-site waste treatment process is reported on a Form R submission.", "DOC_CTRL_NUM": "DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.", "TREATMENT_METHOD_CODE": "The on-site waste treatment activity that is applied to the waste stream containing the toxic chemical. This includes all waste treatment methods through which the toxic chemical passes as part of that waste stream, regardless of whether or not the method has, or is intended to have, any effect on the toxic chemical. If the waste stream moves through a series of waste treatment activities, each method will be listed sequentially.", "TREATMENT_SEQUENCE": "Sequence in which a TREATMENT_METHOD_CODE is entered on a Form R submission, and indicates the on-site order of treatment." }, "TRI_FACILITY_SIC_HISTORY": { "TRI_FACILITY_ID": "The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.", "REPORTING_YEAR": "The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.", "SIC_CODE": "The Standard Industrial Classification (SIC) code or codes which best describes the activities conducted at the facility. SIC codes are 4 digit numbers used by the Bureau of Census as part of a system to categorize and track the types of business activities conducted in the United States. The first two digits of the code represent the major industry group (e.g., SIC code 25XX indicates Furniture and Fixtures) and the second two digits represent the specific subset of that group (e.g., 2511 indicates wood household furniture). EPA instructs facilities to enter their primary SIC code first. Many facilities do not report their primary SIC code first.", "PRIMARY_IND": "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'." } }
lookup_table = {'TRI_FACILITY_NPDES': {'ASGN_NPDES_IND': "Indicates that the associated NPDES_NUM represents the principal NPDES permit number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'NPDES_NUM': 'The permit number of a specific discharge to a water body under the National Pollutant Discharge Elimination System (NPDES) of the Clean Water Act (CWA). Not all facilities will have a NPDES permit number. A facility may have multiple NPDES permit numbers. The NPDES permit number may not pertain to the toxic chemical reported to TRI.'}, 'TRI_OFF_SITE_TRANSFER_LOCATION': {'PROVINCE': 'The province of the location to which the toxic chemical in wastes is transferred. A facility may transfer toxic chemicals in waste to off-site locations that are outside of the United States. The province field gives a facility the flexibility needed to enter a correct off-site location address that is outside the United States.', 'TRANSFER_LOC_NUM': 'The sequence in which an off-site transfer is reported on a Form R submission.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'CONTROLLED_LOC': "Indicator that shows whether the off-site location to which toxic chemicals are transferred in wastes is owned or controlled by the facility or the parent company. Values: 1 = 'Yes', 0 = 'No', 2 = blank or not entered.", 'OFF_SITE_STREET_ADDRESS': 'The street address for the physical location of the entity receiving the toxic chemical.', 'COUNTRY_CODE': 'The country code where the entity receiving the toxic chemical is located.', 'COUNTY_NAME': 'The standardized name of the county where the facility is located.', 'CITY_NAME': 'The city where the facility or establishment is physically located.', 'OFF_SITE_NAME': 'The name of the entity receiving the toxic chemical.', 'RCRA_NUM': 'The number assigned to the facility by EPA for purposes of the Resource Conservation and Recovery Act (RCRA). Not all facilities will have a RCRA Identification Number. A facility will only have a RCRA Identification Number if it manages RCRA regulated hazardous waste. Some facilities may have more than one RCRA Identification Number.', 'STATE_ABBR': 'The state abbreviation where the facility or establishment is physically located.', 'ZIP_CODE': 'The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.'}, 'TRI_TRANSFER_QTY': {'TRANSFER_LOC_NUM': 'The sequence in which an off-site transfer is reported on a Form R submission.', 'TRANSFER_BASIS_EST_CODE': "The code representing the technique used to develop the estimate of the release amount reported in the 'Total Transfers' box (TOTAL_TRANSFER). The values are as follows:", 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'TOTAL_TRANSFER': 'The total amount (in pounds) of the toxic chemical transferred from the facility to Publicly Owned Treatment Works (POTW) or to an off-site location (non-POTW) during the calendar year (January 1 - December 31). POTW refers to a municipal sewage treatment plant. The most common transfers will be conveyances of the toxic chemical in facility wastewater through underground sewage pipes, however, trucked or other direct shipments to a POTW are also included in this estimate.', 'TRANSFER_RANGE_CODE': "Code that corresponds to the amount of toxic chemical released annually by the reporting facility, reported as a range for releases less than 1,000 pounds. When a facility uses a range code, the amount reported to TRI is the midpoint of the range. On Form R, letter codes are used to represent ranges: A = 1-10 pounds, B = 11-499 pounds, and C = 500-999 pounds. The letters are converted to numbers for storage in the TRIS database where '1' represents range 'A', '3' represents range 'B', and'4' represents range 'C'. The historical value '2' = 1-499 pounds.", 'OFF_SITE_AMOUNT_SEQUENCE': 'Sequence in which an off-site transfer amount is reported on a submission.', 'TRANSFER_EST_NA': "Indicates that 'NA' (Not Applicable) was entered on Form R when a facility does not discharge wastewater containing the toxic chemical to Publicly Owned Treatment Works (Section 6.1.B_) or in wastes to other off-site facilities (section 6.2_). Values: 1 = 'Yes', 0 = 'No'.", 'TYPE_OF_WASTE_MANAGEMENT': "The type of waste treatment, disposal, recycling, or energy recovery methods the off-site location uses to manage the toxic chemical. A two-digit code is used to indicate the type of waste management activity employed. This refers to the ultimate disposition of the toxic chemical, not the intermediate activities used for the waste stream. (In Envirofacts, the code 'P91' indicates a transfer to a POTW. All other codes refer to off-site transfers.)"}, 'TRI_SOURCE_REDUCT_METHOD': {'SOURCE_REDUCT_METHOD_1': 'Indicates the method or methods used at the facility to identify the possibility for a source reduction activity implementation at the facility. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a method used to identify source reduction opportunities would be an internal pollution prevention audit.', 'SOURCE_REDUCT_METHOD_2': 'Indicates the method or methods used at the facility to identify the possibility for a source reduction activity implementation at the facility. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a method used to identify source reduction opportunities would be an internal pollution prevention audit.', 'SOURCE_REDUCT_METHOD_3': 'Indicates the method or methods used at the facility to identify the possibility for a source reduction activity implementation at the facility. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a method used to identify source reduction opportunities would be an internal pollution prevention audit.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'SOURCE_REDUCT_ACTIVITY': 'Indicates the type of source reduction activity implemented at the facility during the reporting year. This does not include all source reduction activities ongoing at the facility but only those activities related to the reported toxic chemical. An example of a source reduction activity would include a spill and leak prevention program such as the installation of a vapor recovery system.', 'REDUCTION_SEQUENCE_NUM': 'Sequence in which a source reduction method is reported on a submission.'}, 'TRI_POTW_LOCATION': {'POTW_NAME': 'The name of the publicly owned treatment works (POTW) receiving the toxic chemical.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'POTW_STREET_ADDRESS': 'The street address for the physical location of the publicly owned treatment works (POTW) receiving the toxic chemical.', 'STATE_ABBR': 'The state abbreviation where the facility or establishment is physically located.', 'COUNTY_NAME': 'The standardized name of the county where the facility is located.', 'CITY_NAME': 'The city where the facility or establishment is physically located.', 'POTW_LOC_NUM': 'The sequence in which an POTW transfer is reported on a Form R submission.', 'ZIP_CODE': 'The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.'}, 'TRI_TABLE_ID_NAME': {'TABLE_ID': 'A designation for a related group of permissible values. The name that identifies this group is located in TRI_TABLE_ID_NAME.', 'TABLE_NAME': 'The table description for the TRI_CODE_DESC.TABLE_ID .'}, 'TRI_CODE_DESC': {'DESCRIPT': 'The text description of a permissible value contained in CODE.', 'CODE': 'The permissible values for a column.', 'TABLE_ID': 'A designation for a related group of permissible values. The name that identifies this group is located in TRI_TABLE_ID_NAME.'}, 'TRI_FACILITY_NPDES_HISTORY': {'ASGN_NPDES_IND': "Indicates that the associated NPDES_NUM represents the principal NPDES permit number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'NPDES_NUM': 'The permit number of a specific discharge to a water body under the National Pollutant Discharge Elimination System (NPDES) of the Clean Water Act (CWA). Not all facilities will have a NPDES permit number. A facility may have multiple NPDES permit numbers. The NPDES permit number may not pertain to the toxic chemical reported to TRI.', 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.'}, 'TRI_ZIP_CODE': {'TRI_CENTROID_LAT': 'The assigned centroid latitude based on zip code.', 'REGION': 'The EPA region in which the facility is located.', 'CITY_NAME': 'The city where the facility or establishment is physically located.', 'STATE_ABBR': 'The state abbreviation where the facility or establishment is physically located.', 'TRI_CENTROID_LONG': 'The assigned centroid longitude based on zip code.', 'COUNTRY_NAME': 'The country where the facility is located, if outside the United States.', 'ZIP_CODE': 'The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.'}, 'TRI_FACILITY_RCRA_HISTORY': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ASGN_RCRA_IND': "Indicates that the associated RCRA_NUM represents the principal RCRA Identification Number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.', 'RCRA_NUM': 'The number assigned to the facility by EPA for purposes of the Resource Conservation and Recovery Act (RCRA). Not all facilities will have a RCRA Identification Number. A facility will only have a RCRA Identification Number if it manages RCRA regulated hazardous waste. Some facilities may have more than one RCRA Identification Number.'}, 'TRI_REPORTING_FORM': {'PRODUCTION_RATIO_NA': "Indicator that shows whether 'NA' was entered in Section 8.9, Production Ratio or Activity Index (PRODUCTION_RATIO). Values: 1 = 'Yes', 0 = 'No'.", 'PUBLIC_CONTACT_PHONE': 'The phone number to reach the person identified in the Public Contact Name box (PUBLIC_CONTACT_PERSON).', 'FEDERAL_FAC_IND': "Indicates whether the 'Federal' box was checked on the submission. A Federal facility is a facility owned or operated by the Federal government. This includes facilities that are operated by contractors to the Federal government (i.e., a facility where the land is owned by the Federal government but a private company is under contract to run the facility's operations). The types of Federal facilities that report to TRI are broader than the types of private sector facilities that report to TRI (e.g., DOD military bases). Values: 1 = box checked, 0 = box not checked.", 'TRADE_SECRET_IND': "Indicator that shows whether the identity of the toxic chemical has been claimed a trade secret. If the facility has indicated that the chemical name is a trade secret, the chemical name will not be released to the public. Values: 1 = 'Trade Secret' box checked, 0 = 'Trade Secret' box not checked.", 'MAX_AMOUNT_OF_CHEM': 'The two digit code indicating a range for the maximum amount of the chemical present at the facility at any one time during the calendar year (January 1 - December 31) for which the report was submitted.', 'CERTIF_NAME': 'The name of the owner, operator, or senior management official who is certifying that the information provided is true and complete and that the values reported are accurate based on reasonable estimates. This individual has management responsibility for the person or persons completing the report.', 'CERTIF_OFFICIAL_TITLE': 'The title of the owner, operator, or senior management official who is certifying that the information provided is true and complete and that the values reported are accurate based on reasonable estimates. This individual has management responsibility for the person or persons completing the report.', 'ONE_TIME_RELEASE_QTY': 'The total amount (in pounds) of the toxic chemical released directly to the environment or sent offsite for recycling, energy recovery, treatment, or disposal during the reporting year due to remedial actions, catastrophic events such as earthquakes or floods, and one-time events not associated with normal or routine production processes. These amounts are not included in the amounts reported in sections 8.1-8.7 (TRI_SOURCE_REDUCTION_QTY).', 'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ORIG_RECEIVED': 'The original received date for a submission for this chemical from this facility and this reporting year.', 'REVISION_NA': "Indicator that shows whether the submission 'Revision' box on form R was checked by the submitter. Values: 1 = box checked, 0 = box not checked.", 'PUBLIC_CONTACT_PERSON': 'The name of the individual who may be contacted by the general public with questions regarding the information reported to TRI on this chemical. This person may or may not be familiar with the information provided in the form but has been designated by the facility or establishment to handle public inquiries.', 'ENTIRE_FAC': "Indicates that only one Form R was filed for this chemical for the entire facility. Values: 1 = Form R 'Entire' box check, 0 = box not checked.", 'ACTIVE_STATUS': "Indicates the status of the submitted Form R. Value: 1 = 'Active submission'.", 'POSTMARK_DATE': 'The most recent postmark date for a submission for this chemical from this facility and this reporting year . The date may represent a revised submission or be the same as the ORIG_POSTMARK.', 'DIOXIN_DISTRIBUTION_2': 'Indicates the distribution (percentage) of 1,2,3,4,7,8,9-Heptachlorodibenzofuran (CAS Number: 55673-89-7) in the reported dioxin or dioxin-like compounds.', 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.', 'RECEIVED_DATE': 'The date the submission was received at the EPCRA Reporting Center.', 'DIOXIN_DISTRIBUTION_14': 'Indicates the distribution (percentage) of 2,3,4,7,8-Pentachlorodibenzofuran (CAS Number: 57117-31-4) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_15': 'Indicates the distribution (percentage) of 1,2,3,7,8-Pentachlorodibenzo- p-dioxin (CAS Number: 40321-76-4) in the reported dioxin or dioxin-like compounds.', 'ORIG_POSTMARK': 'The original postmark date for a submission for this chemical from this facility and this reporting year.', 'DIOXIN_DISTRIBUTION_17': 'Indicates the distribution (percentage) of 2,3,7,8-Tetrachlorodibenzo- p-dioxin (CAS Number: 01746-01-6) in the reported dioxin or dioxin-like compounds.', 'CERTIF_SIGNATURE': 'Indicator for the signature of the individual who is certifying that the information being provided in the form is true and complete and that the values reported are accurate based on reasonable estimates.', 'DIOXIN_DISTRIBUTION_11': 'Indicates the distribution (percentage) of 1,2,3,4,6,7,8,9-Octachlorodibenzofuran (CAS Number: 39001-02-0) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_12': 'Indicates the distribution (percentage) of 1,2,3,4,6,7,8,9-Octachlorodibenzo- p-dioxin (CAS Number: 03268-87-9) in the reported dioxin or dioxin-like compounds.', 'ADDITIONAL_DATA_IND': "For reporting years beginning in 1991, the indicator that shows whether additional optional information on source reduction, pollution control, or recycling activities implemented during the reporting year or prior years has been attached to the submission. For reporting years 1987 through 1990, the indicator shows whether waste minimization data was reported on Form R and has since been archived. Values: 1 = 'Yes', 0 = 'No'', 2 = blank or not entered.", 'CAS_CHEM_NAME': 'The official name of the toxic chemical, toxic chemical mixture, (e.g., xylene mixed isomers), or chemical category as it appears on the EPCRA Section 313 list. ) or 2.1 . This space will be empty if a trade secret was claimed for the toxic chemical and information is provided in Section 1.3 (MIXTURE_NAME) or 2.1 (GENERIC_CHEM_NAME).', 'DIOXIN_DISTRIBUTION_8': 'Indicates the distribution (percentage) of 1,2,3,6,7,8-Hexachlorodibenzo- p-dioxin (CAS Number: 57653-85-7) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_9': 'Indicates the distribution (percentage) of 1,2,3,7,8,9-Hexachlorodibenzo- p-dioxin (CAS Number: 19408-74-3) in the reported dioxin or dioxin-like compounds.', 'GENERIC_CHEM_NAME': "The generic, structurally descriptive term used in place of the toxic chemical name when a trade secret was claimed for the toxic chemical. The name must appear on both sanitized and unsanitized Form Rs and be the same as that used on the substantiation form. Section 1.3 will be 'NA' or blank if information is provided in Sections 1.1 (TRI_CHEM_ID) and 1.2 (CAS_CHEM_NAME), or 2.1 (MIXTURE_NAME). Note: Only Sanitized Trade Secret submissions are stored in the TRIS database.", 'DIOXIN_DISTRIBUTION_3': 'Indicates the distribution (percentage) of 1,2,3,4,7,8-Hexachlorodibenzofuran (CAS Number: 70648-26-9) in the reported dioxin or dioxin-like compounds.', 'MIXTURE_NAME': 'The generic term used in place of the toxic chemical name when a trade secret was claimed for the toxic chemical by the supplier of the toxic chemical. This is generally used when the supplier of a chemical formulation wishes to keep the identity of a particular ingredient in the formulation a secret. It is only used when the supplier, not the reporting facility, is claiming the trade secret. If the reporting facility is claiming a trade secret for the toxic chemical, the generic name is provided in Section 1.3 (GENERIC_CHEM_NAME) and this section (MIXTURE_NAME) is left blank. This space will also be left blank if a trade secret is not being claimed for the toxic chemical.', 'DIOXIN_DISTRIBUTION_1': 'Indicates the distribution (percentage) of 1,2,3,4,6,7,8-Heptachlorodibenzofuran (CAS Number: 67562-39-4) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_6': 'Indicates the distribution (percentage) of 2,3,4,6,7,8-Hexachlorodibenzofuran (CAS Number: 60851-34-5) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_7': 'Indicates the distribution (percentage) of 1,2,3,4,7,8-Hexachlorodibenzo- p-dioxin (CAS Number: 39227-28-6) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_4': 'Indicates the distribution (percentage) of 1,2,3,6,7,8-Hextachlorodibenzofuran (CAS Number: 57117-44-9) in the reported dioxin or dioxin-like compounds.', 'DIOXIN_DISTRIBUTION_5': 'Indicates the distribution (percentage) of 1,2,3,7,8,9-Hexachlorodibenzofuran (CAS Number: 72918-21-9) in the reported dioxin or dioxin-like compounds.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'PUBLIC_CONTACT_EMAIL': 'The Email address of the PUBLIC_CONTACT_PERSON.', 'PARTIAL_FAC': "Indicates that the facility has chosen to report by establishment or groups of establishments. Therefore, there may be other reports filed for this chemical by other establishments of the facility. Values: 1 = Form R 'Partial' box checked, 0 = box not checked.", 'REVISION_CODE': 'Facilities that filed a Form R and/or a Form A Certification Statement under EPCRA section 313 may submit a request to the revise the data. The REVISION_CODE is a code indicating the current form is a revision of a previous form and the reason it was revised. Added in reporting year 2007, the data element can have the following values:', 'DIOXIN_DISTRIBUTION_16': 'Indicates the distribution (percentage) of 2,3,7,8-Tetrachlorodibenzofuran (CAS Number: 51207-31-9) in the reported dioxin or dioxin-like compounds.', 'ONE_TIME_RELEASE_QTY_NA': "Indicator that shows whether 'NA' was entered in Section 8.8, Quantity Released to the Environment as Result of Remedial Actions, Catastrophic Events, or One-Time Events Not Associated with Production Process (ONE_TIME_RELEASE_QTY). Values: 1 = 'Yes', 0 = 'No'.", 'CERTIF_DATE_SIGNED': 'The date that the senior management official signed the certification statement.', 'DIOXIN_DISTRIBUTION_NA': "Indicates whether 'NA' (Not Applicable) was entered on the Form R for the Distribution of Each Member of the Dioxin and Dioxin-like Compounds Category. The Form R asks facilities to report a distribution of chemicals included in the Dioxin and Dioxin-like compounds category. There are 17 individual chemicals listed in the Dioxin and Dioxin-like compounds category. A value of '1' for this variable indicates that the facility did not have the speciation (distribution) information available.", 'DIOXIN_DISTRIBUTION_10': 'Indicates the distribution (percentage) of 1,2,3,4,6,7,8-Hexachlorodibenzo- p-dioxin (CAS Number: 35822-46-9) in the reported dioxin or dioxin-like compounds.', 'FORM_TYPE_IND': 'Indicates the type of form received. Values: L = Form R, S = Form A.', 'GOCO_FLAG': "Indicates whether the 'GOCO' box was checked on the submission. A GOCO facility is a Government-Owned, Contractor-Operated facility. Values: 1= box checked, 0= box not checked.", 'TRI_CHEM_ID': 'The number assigned to chemicals regulated under Section 313 of the Emergency Planning and Community Right-to-Know Act (EPCRA). For most toxic chemicals or mixture of chemicals (e.g., xylene mixed isomers), the TRI_CHEM_ID is the Chemical Abstract Service Registry (CAS) number. A given listed toxic chemical or mixture may be known by many names but it will have only one CAS number. For example, methyl ethyl ketone and 2-butanone are synonyms for the same toxic chemical and thus have only one CAS number (78-93-3). For categories of chemicals for which CAS Registry numbers have not been assigned, a four-character category code, asssigned by TRI, is included in TRI_CHEM_ID. Form R section 1.1 will be empty if a trade secret was claimed for the toxic chemical and information is provided in Section 1.3 or 2.1.', 'SANITIZED_IND': "Indicator that shows whether the submission 'Sanitized Trade Secret' box was checked by the submitter. Note: Only Sanitized Trade Secret submissions are stored in the TRIS database. Values: 1 = box checked, 0 = box not checked.", 'DIOXIN_DISTRIBUTION_13': 'Indicates the distribution (percentage) of 1,2,3,7,8-Pentachlorodibenzofuran (CAS Number: 57117-41-6) in the reported dioxin or dioxin-like compounds.', 'PRODUCTION_RATIO': 'Indicates the level of increase or decrease from the previous year, of the production process or other activity in which the toxic chemical is used. This number is usually around 1.0. For example, a production ratio or activity index of 1.5 would indicate that production associated with the use of the toxic chemical has increased by about 50 percent. Conversely, a production ratio or activity index of 0.3 would indicate that production associated with the use of the toxic chemical has decreased by about 70 percent.'}, 'TRI_FACILITY_UIC_HISTORY': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ASGN_UIC_IND': "Indicates that the associated UIC_NUM represents the principal underground injection code identification number (UIC ID) as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'UIC_NUM': 'The unique number assigned to a specific underground injection well under the Safe Drinking Water Act (SDWA). A facility with multiple injection wells will have multiple underground injection code identification number (UIC ID) Numbers. If the facility does not have an underground injection well regulated by the SDWA, it will not have a UIC ID number.', 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.'}, 'TRI_CHEM_INFO': {'CAAC_IND': "Indicates whether the chemical is reportable under the Clean Air Act. Values: 1 = 'Yes', 0 = 'No'.", 'CARC_IND': "Indicates whether the chemical is reportable as a carcinogen under the CARC. Values: 1 = 'Yes', 0 = 'No'.", 'UNIT_OF_MEASURE': 'Indicates the unit of measure used to quantify the chemical. Values: {Pounds, Grams}', 'CLASSIFICATION': 'Indicates the classification of the chemical. Chemicals can be classified as either a Dioxin or Dioxin-like compounds, a PBT (Persistent, Bioaccumulative and Toxic) chemical or a general EPCRA Section 313 chemical. Values: 0=TRI, 1=PBT, 2=Dioxin', 'FEDS_IND': "Indicates whether the chemical is a non-Section 313 chemical submitted by a federal facility under Executive Order 12856. Values: 1 = 'Yes', 0 = 'No'.", 'METAL_IND': "Indicates whether the chemical is a metal or metal compound. Values: 1 = 'Yes', 0 = 'No'.", 'NO_DECIMALS': 'Indicates the maximum number of decimals that can be used to quantify a chemical. This measurement applies to release, transfer and source reduction quantities. PBT (Persistent, Bioaccumulative and Toxic) chemicals, including Dioxins and Dioxin-like Compounds, can be quantified using numbers to the right of the decimal point. The measurement expresses the maximum number of positions to the right of the decimal point that a PBT chemical can be expressed in. All other Non-PBT chemicals are reported as whole numbers.', 'R3350_IND': "Indicates whether the chemical is reportable under Regulation 3350. Values: 1 = 'Yes', 0 = 'No'.", 'TRI_CHEM_ID': 'The number assigned to chemicals regulated under Section 313 of the Emergency Planning and Community Right-to-Know Act (EPCRA). For most toxic chemicals or mixture of chemicals (e.g., xylene mixed isomers), the TRI_CHEM_ID is the Chemical Abstract Service Registry (CAS) number. A given listed toxic chemical or mixture may be known by many names but it will have only one CAS number. For example, methyl ethyl ketone and 2-butanone are synonyms for the same toxic chemical and thus have only one CAS number (78-93-3). For categories of chemicals for which CAS Registry numbers have not been assigned, a four-character category code, asssigned by TRI, is included in TRI_CHEM_ID. Form R section 1.1 will be empty if a trade secret was claimed for the toxic chemical and information is provided in Section 1.3 or 2.1.', 'ACTIVE_DATE': 'First year that this chemical must be reported to TRI.', 'INACTIVE_DATE': 'Final year that this chemical must be reported to TRI.', 'PBT_END_YEAR': 'Indicates the year that a PBT (Persistent, Bioaccumulative and Toxic) chemical was dropped as an EPCRA Section 313 PBT Chemical, Toxics Release Inventory.', 'PBT_START_YEAR': 'Indicates the year that a PBT (Persistent, Bioaccumulative and Toxic) chemical was designated as an EPCRA Section 313 PBT Chemical, Toxics Release Inventory.', 'CHEM_NAME': 'The official name of the toxic chemical, toxic chemical mixture, (e.g., xylene mixed isomers), or chemical category as it appears on the EPCRA Section 313 list.'}, 'TRI_FACILITY_UIC': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ASGN_UIC_IND': "Indicates that the associated UIC_NUM represents the principal underground injection code identification number (UIC ID) as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'UIC_NUM': 'The unique number assigned to a specific underground injection well under the Safe Drinking Water Act (SDWA). A facility with multiple injection wells will have multiple underground injection code identification number (UIC ID) Numbers. If the facility does not have an underground injection well regulated by the SDWA, it will not have a UIC ID number.'}, 'TRI_FACILITY': {'PREF_DESC_CATEGORY': "The EPA's preferred geographic coordinate description category. Describes the category of feature referenced by the latitude and longitude.", 'ASGN_PARTIAL_IND': "Indicates that the facility reports by establishment or groups of establishments as assigned by TRI from Form R submisions. Partial facilities may have more than one submission for the same chemical in one reporting year. Values: 0 = 'Entire facility', 1 = 'Partial facility'.", 'FACILITY_NAME': 'The name of the facility or establishment for which the form was submitted. For purposes of TRI a "facility" is generally considered to be all buildings and equipment owned or operated by a company on a single piece of property. The facility may be only one building in an industrial park or it may be a large complex covering many acres. At some larger facilities there may be several different businesses that are all run by the same company. These different businesses are referred to as "establishments." Generally, a company will submit one Form R for the entire facility. A facility may choose, however, to submit a Form R for each establishment separately. The name in this section will either be the name used for the entire facility or the name of the specific establishment, depending on how the facility chooses to report.', 'STATE_COUNTY_FIPS_CODE': 'Combination of the two-letter state abbreviation and the county code.', 'MAIL_STATE_ABBR': 'The state abbreviation the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the State box.', 'MAIL_ZIP_CODE': 'The zip code the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the Zip Code box.', 'CITY_NAME': 'The city where the facility or establishment is physically located.', 'MAIL_COUNTRY': 'The country the facility or establishment uses to receive mail.', 'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'PREF_HORIZONTAL_DATUM': "The EPA's preferred geographic coordinate horizontal datum. Reference datum of the latitude and longitude.", 'FAC_CLOSED_IND': "A flag that indicates whether a facility is open (value =' 0'), closed (value = '1'), or inactive for TRI (value = '2').", 'FAC_LONGITUDE': "The series of numbers which identifies the exact physical location of the facility as a measure of the arc or portion of the earth's equator between the meridian of the center of the facility and the prime meridian. The right-justified value is stored as degrees, minutes and seconds (0DDDMMSS). Tenths of seconds are not stored. The value is negative for locations in the Western hemisphere.", 'MAIL_STREET_ADDRESS': 'The address the facility or establishment uses for receiving mail. Form R instructs the submitter to enter the address used for mail only if different than in the Street box. The TRIS database stores the address from the Street box (STREET_ADDRESS) in MAILING_STREET_ADDRESS even when the facility Mailing address is not different.', 'STATE_ABBR': 'The state abbreviation where the facility or establishment is physically located.', 'COUNTY_NAME': 'The standardized name of the county where the facility is located.', 'FAC_LATITUDE': "The series of numbers that identifies the exact physical location of the facility as a measure of the angular distance north form the earth's equator to the center of the facility. The value is stored as degrees, minutes and seconds (0DDMMSS), and the first position is zero-filled. The value is positive for locations north of the equator.", 'PREF_LATITUDE': "The EPA's preferred geographic latitude estimation of the reporting facility. Value for latitude is in decimal degrees. This is a signed field.", 'PREF_COLLECT_METH': "The EPA's preferred geographic coordinate collection method code for the reporting facility. Method used to determine the latitude and longitude.", 'ASGN_PUBLIC_PHONE': 'The phone number to reach the person identified in the Public Contact Name box (PUBLIC_CONTACT_PERSON), as assigned by TRI from Form R submissions.', 'PREF_ACCURACY': "The EPA's preferred geographic coordinate accuracy estimation for the reporting facility. Describes the accuracy value as a range (+/) in meters of the latitude and longitude.", 'ASGN_FEDERAL_IND': "An identifier that indicates the ownership status of a facility. A Federal facility is a facility owned or operated by the Federal government. This includes facilities that are operated by contractors to the Federal government (i.e., a facility where the land is owned by the Federal government but a private company is under contract to run the facility's operations). The types of Federal facilities that report to TRI are broader than the types of private sector facilities that report to TRI (e.g., DOD military bases). Values: C = 'Commercial', F = 'Federal facility', and G = 'Government owned/contractor operated' (GOCO).", 'ASGN_AGENCY': 'An abbreviation for the name of the agency supported by a federal or Government Owned/Contractor Operated (GOCO) reporting site.', 'MAIL_PROVINCE': 'The province the facility or establishment uses to receive mail. A facility may receive mail at an address outside of the United States. The province field gives a facility the flexibility needed to enter a correct mailing address outside the United States.', 'PREF_LONGITUDE': "The EPA's preferred geographic longitude estimation of the reporting facility. Value for longitude is in decimal degrees. This is a signed field.", 'STREET_ADDRESS': 'The street address for the physical location of the facility or establishment.', 'ZIP_CODE': 'The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.', 'MAIL_NAME': 'The name which the facility or establishment uses for receiving mail if the address used for mail is different than in the Street box. This may or may not be the same as the name listed in the Facility or Establishment Name box.', 'PREF_SOURCE_SCALE': "The EPA's preferred geographic coordinate source map scale code. This is the scale of the source used to determine the latitude and longitude.", 'MAIL_CITY': 'The city the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the City box.', 'PARENT_CO_NAME': "Name of the corporation or other business company that is the ultimate parent company, located in the United States, of the facility or establishment submitting the data. The parent company is the company that directly owns at least 50 percent of the voting stock of the reporting company. This does not include foreign parent companies. 'NA' indicates that the facility does not have a parent company.", 'PREF_QA_CODE': 'Contains the results of four quality assurance tests (Test 1 through Test 4 below) used to determine facility location. "ZIP Code Bounding Box" is a rectangle generated from the ZIP Code boundaries, which is defined by the extreme north-south latitude and east-west longitudes, plus 1 kilometer (km) in each direction. The quality assurance tests are:', 'FRS_ID': 'A unique code used to identify the facility in the Facility Registry System (FRS). Note: The column will be populated in the future when values have been established.', 'PARENT_CO_DB_NUM': "The number which has been assigned to the parent company by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all parent companies will have a Dun & Bradstreet number. 'NA' indicates that the facility or establishment's parent company does not have a Dun & Bradstreet number.", 'ASGN_PUBLIC_CONTACT': 'The name of the individual who may be contacted by the general public with questions regarding the company and the information reported to TRI as assigned by TRI from Form R submissions.. This person may or may not be familiar with the information provided in the form but has been designated by the facility or establishment to handle public inquiries.', 'REGION': 'The EPA region in which the facility is located.'}, 'TRI_SUBMISSION_SIC': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'SIC_SEQUENCE_NUM': "The sequence of the facility's Standard Industrial Classification (SIC) code as entered on Form R or Form A.", 'SIC_CODE': 'The Standard Industrial Classification (SIC) code or codes which best describes the activities conducted at the facility. SIC codes are 4 digit numbers used by the Bureau of Census as part of a system to categorize and track the types of business activities conducted in the United States. The first two digits of the code represent the major industry group (e.g., SIC code 25XX indicates Furniture and Fixtures) and the second two digits represent the specific subset of that group (e.g., 2511 indicates wood household furniture). EPA instructs facilities to enter their primary SIC code first. Many facilities do not report their primary SIC code first.', 'PRIMARY_IND': "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'."}, 'TRI_RECYCLING_PROCESS': {'ONSITE_RECYCLING_PROC_CODE': 'Indicates the specific on-site recycling method or methods applied to the toxic chemical. Similar to section 7B and unlike section 7A, on-site recycling under section 7C refers only to recycling activities directed at the specific toxic chemical being reported, not all recycling methods applied to the waste stream. Section 7C is not completed unless the specific toxic chemical being reported is recovered from the waste stream for reuse.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.'}, 'TRI_ENERGY_RECOVERY': {'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'ONSITE_ENERGY_PROC_CODE': 'Code for the specific energy recovery method applied to the toxic chemical. Unlike section 7A which includes all treatment methods applied to the waste stream, the energy recovery must be directed at the specific toxic chemical being reported. This means that the toxic chemical must have significant heating value. Section 7B should not be used for chemicals that do not have significant heating values such as metals. Values: U01 = Industrial Kiln, U02 = Industrial Furnace, U03 = Industrial Boiler, U09 = Other Energy Recovery Methods, NA = not applicable, no on-site energy recovery applied to the toxic chemical.'}, 'TRI_FACILITY_DB': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ASGN_DB_IND': "Indicates that the associated DB_NUM represents the principal Dun & Bradstreet number assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'DB_NUM': 'The number or numbers which have been assigned to the facility by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all facilities will have Dun & Bradstreet numbers.'}, 'TRI_CHEM_ACTIVITY': {'REACTANT': "Indicates the toxic chemical is used in chemical reactions to create another chemical substance or product that is then sold or otherwise distributed to other facilities. Some examples of reactants include feedstocks, raw materials, intermediates, and initiators. Values: 1 = 'Yes', 0 = 'No'.", 'MANUFACTURE_AID': "Indicates the toxic chemical is used to aid in the manufacturing process but does not come into contact with the product during manufacture. Some examples include valve lubricants, refrigerants, metalworking fluids, coolants, and hydraulic fluids. Values: 1 = 'Yes', 0 = 'No'.", 'IMPORTED': "Indicates the toxic chemical was imported into the Customs Territory of the United States by the facility. This includes the facility directly importing the toxic chemical or specifically requesting a broker or other party to obtain the toxic chemical from a foreign source. The Customs Territory of the United States includes the 50 States, Guam, Puerto Rico, American Samoa, and the U.S. Virgin Islands. Values: 1 = 'Yes', 0 = 'No'.", 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'USED_PROCESSED': "Indicates the toxic chemical was produced or imported by the facility and then further processed or otherwise used at the same facility. If this box is checked, at least one box in section 3.2 or section 3.3 will be checked. Values: 1 = 'Yes', 0 = 'No'.", 'PRODUCE': "Indicates the toxic chemical was created by the facility. A toxic chemical is considered manufactured even if the toxic chemical is created unintentionally or exists only for a short period of time. Values: 1 = 'Yes', 0 = 'No'.", 'FORMULATION_COMPONENT': "Indicates the toxic chemical is used as an ingredient in a product mixture to enhance performance of the product during its use, such as dyes in ink, solvents in paint, additions, reaction diluents, initiators, inhibitors, emulsifiers, surfactants, lubricants, flame retardants, and rheological modifiers. Values: 1 = 'Yes', 0 = 'No'.", 'MANUFACTURE_IMPURITY': "Indicator that shows whether the facility produces the reported chemical as a result of the manufacture, processing, or otherwise use of another chemical, but does not separate the chemical and it remains primarily in the mixture or product with that other chemical. Values: 1 = 'Yes', 0 = 'No'.", 'CHEM_PROCESSING_AID': "Indicates the toxic chemical is used to aid in the manufacture or synthesis of another chemical substance such that it comes into contact with the product during manufacture, but is not intended to remain with or become part of the final product or mixture. Some examples of chemical processing aids are process solvents, catalysts, solution buffers, inhibitors, and reaction terminators. Values: 1 = 'Yes', 0 = 'No'.", 'BYPRODUCT': "Indicates the toxic chemical is produced coincidentally during the manufacture, process, or otherwise use of another chemical substance or mixture and, following its production, is separated from that other chemical substance or mixture. This includes toxic chemicals that may be created as the result of waste management. Values: 1 = 'Yes', 0 = 'No'.", 'ANCILLARY': "Indicates the toxic chemical is used at the facility for purposes other than as a manufacturing aid or chemical processing aid, such as cleaners, degreasers, lubricants, fuels, toxic chemicals used for treating wastes, and toxic chemicals used to treat water at the facility. Values: 1 = 'Yes', 0 = 'No'.", 'REPACKAGING': "Indicates the toxic chemical has been received by the facility and subsequently prepared for distribution into commerce in a different form, state, or quantity than it was received, such as petroleum being transferred from a storage tank to tanker trucks. Values: 1 = 'Yes', 0 = 'No'.", 'ARTICLE_COMPONENT': "Indicates the toxic chemical becomes an integral part of an article distributed into commerce, such as copper in wire or resins in a plastic pen, or the pigment components of paint applied to a chair that is sold. Values: 1 = 'Yes', 0 = 'No'.", 'PROCESS_IMPURITY': "Indicator that shows whether the facility processed the reported chemical but did not separate it and it remains as an impurity in the primary the mixture or trade name product. Values: 1 = 'Yes', 0 = 'No'.", 'SALE_DISTRIBUTION': "Indicates the toxic chemical was produced or imported by the facility specifically to be sold or distributed to other outside facilities. Values: 1 = 'Yes', 0 = 'No'."}, 'TRI_COUNTY': {'COUNTY_NAME': 'The standardized name of the county where the facility is located.', 'ZIP_CODE': 'The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.'}, 'TRI_FACILITY_HISTORY': {'PREF_DESC_CATEGORY': "The EPA's preferred geographic coordinate description category. Describes the category of feature referenced by the latitude and longitude.", 'ASGN_PARTIAL_IND': "Indicates that the facility reports by establishment or groups of establishments as assigned by TRI from Form R submisions. Partial facilities may have more than one submission for the same chemical in one reporting year. Values: 0 = 'Entire facility', 1 = 'Partial facility'.", 'FACILITY_NAME': 'The name of the facility or establishment for which the form was submitted. For purposes of TRI a "facility" is generally considered to be all buildings and equipment owned or operated by a company on a single piece of property. The facility may be only one building in an industrial park or it may be a large complex covering many acres. At some larger facilities there may be several different businesses that are all run by the same company. These different businesses are referred to as "establishments." Generally, a company will submit one Form R for the entire facility. A facility may choose, however, to submit a Form R for each establishment separately. The name in this section will either be the name used for the entire facility or the name of the specific establishment, depending on how the facility chooses to report.', 'STATE_COUNTY_FIPS_CODE': 'Combination of the two-letter state abbreviation and the county code.', 'MAIL_STATE_ABBR': 'The state abbreviation the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the State box.', 'MAIL_ZIP_CODE': 'The zip code the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the Zip Code box.', 'CITY_NAME': 'The city where the facility or establishment is physically located.', 'MAIL_COUNTRY': 'The country the facility or establishment uses to receive mail.', 'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'PREF_HORIZONTAL_DATUM': "The EPA's preferred geographic coordinate horizontal datum. Reference datum of the latitude and longitude.", 'FAC_LONGITUDE': "The series of numbers which identifies the exact physical location of the facility as a measure of the arc or portion of the earth's equator between the meridian of the center of the facility and the prime meridian. The right-justified value is stored as degrees, minutes and seconds (0DDDMMSS). Tenths of seconds are not stored. The value is negative for locations in the Western hemisphere.", 'MAIL_STREET_ADDRESS': 'The address the facility or establishment uses for receiving mail. Form R instructs the submitter to enter the address used for mail only if different than in the Street box. The TRIS database stores the address from the Street box (STREET_ADDRESS) in MAILING_STREET_ADDRESS even when the facility Mailing address is not different.', 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.', 'STATE_ABBR': 'The state abbreviation where the facility or establishment is physically located.', 'COUNTY_NAME': 'The standardized name of the county where the facility is located.', 'FAC_LATITUDE': "The series of numbers that identifies the exact physical location of the facility as a measure of the angular distance north form the earth's equator to the center of the facility. The value is stored as degrees, minutes and seconds (0DDMMSS), and the first position is zero-filled. The value is positive for locations north of the equator.", 'PREF_LATITUDE': "The EPA's preferred geographic latitude estimation of the reporting facility. Value for latitude is in decimal degrees. This is a signed field.", 'PREF_COLLECT_METH': "The EPA's preferred geographic coordinate collection method code for the reporting facility. Method used to determine the latitude and longitude.", 'ASGN_PUBLIC_PHONE': 'The phone number to reach the person identified in the Public Contact Name box (PUBLIC_CONTACT_PERSON), as assigned by TRI from Form R submissions.', 'PREF_ACCURACY': "The EPA's preferred geographic coordinate accuracy estimation for the reporting facility. Describes the accuracy value as a range (+/) in meters of the latitude and longitude.", 'ASGN_FEDERAL_IND': "An identifier that indicates the ownership status of a facility. A Federal facility is a facility owned or operated by the Federal government. This includes facilities that are operated by contractors to the Federal government (i.e., a facility where the land is owned by the Federal government but a private company is under contract to run the facility's operations). The types of Federal facilities that report to TRI are broader than the types of private sector facilities that report to TRI (e.g., DOD military bases). Values: C = 'Commercial', F = 'Federal facility', and G = 'Government owned/contractor operated' (GOCO).", 'ASGN_AGENCY': 'An abbreviation for the name of the agency supported by a federal or Government Owned/Contractor Operated (GOCO) reporting site.', 'MAIL_PROVINCE': 'The province the facility or establishment uses to receive mail. A facility may receive mail at an address outside of the United States. The province field gives a facility the flexibility needed to enter a correct mailing address outside the United States.', 'PREF_LONGITUDE': "The EPA's preferred geographic longitude estimation of the reporting facility. Value for longitude is in decimal degrees. This is a signed field.", 'STREET_ADDRESS': 'The street address for the physical location of the facility or establishment.', 'ZIP_CODE': 'The Zone Improvement Plan (ZIP) code assigned by the U.S. Postal Service as part of the address of a facility.', 'MAIL_NAME': 'The name which the facility or establishment uses for receiving mail if the address used for mail is different than in the Street box. This may or may not be the same as the name listed in the Facility or Establishment Name box.', 'PREF_SOURCE_SCALE': "The EPA's preferred geographic coordinate source map scale code. This is the scale of the source used to determine the latitude and longitude.", 'MAIL_CITY': 'The city the facility or establishment uses to receive mail. This may or may not be the same as the information reported in the City box.', 'PARENT_CO_NAME': "Name of the corporation or other business company that is the ultimate parent company, located in the United States, of the facility or establishment submitting the data. The parent company is the company that directly owns at least 50 percent of the voting stock of the reporting company. This does not include foreign parent companies. 'NA' indicates that the facility does not have a parent company.", 'PREF_QA_CODE': 'Contains the results of four quality assurance tests (Test 1 through Test 4 below) used to determine facility location. "ZIP Code Bounding Box" is a rectangle generated from the ZIP Code boundaries, which is defined by the extreme north-south latitude and east-west longitudes, plus 1 kilometer (km) in each direction. The quality assurance tests are:', 'PARENT_CO_DB_NUM': "The number which has been assigned to the parent company by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all parent companies will have a Dun & Bradstreet number. 'NA' indicates that the facility or establishment's parent company does not have a Dun & Bradstreet number.", 'ASGN_PUBLIC_CONTACT': 'The name of the individual who may be contacted by the general public with questions regarding the company and the information reported to TRI as assigned by TRI from Form R submissions.. This person may or may not be familiar with the information provided in the form but has been designated by the facility or establishment to handle public inquiries.', 'REGION': 'The EPA region in which the facility is located.'}, 'TRI_SUBMISSION_NAICS': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'NAICS_CODE': 'The North American Industry Classification System (NAICS) Codes(s) that best describe the business activities conducted ata facility or establishment. NAICS codes are 6 digit numbers used by the Bureau of Census as part of a system to categorizeand track the types of business activities conducted in the United States. ', 'NAICS_SEQUENCE_NUM': "The sequence of the facility's North American Industry Classification System (NAICS) code as entered in section 4.5 of part I of the Form R or Form A.", 'PRIMARY_IND': "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'."}, 'TRI_WATER_STREAM': {'WATER_SEQUENCE_NUM': 'Sequence in which a release to water is reported on a Form R submission.', 'STREAM_NAME': 'The name of the stream, river, lake, or other water body to which the chemical is discharged. The name is listed as it appears on the NPDES permit, or, if the facility does not have a NPDES permit, as the water body is publicly known. This is not a list of all streams through which the toxic chemical flows but is a list of direct discharges. If more than one name is listed on form R, the facility has a separate discharge to each water body listed.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'STORM_WATER_PERCENT': 'The amount of the release, by weight percent, to water bodies, that came from stormwater runoff. This figure is only required when data are available.', 'STORM_WATER_NA': "Indicates that 'NA' (Not Applicable) was entered on Form R for the percent of a release that came from stormwater runoff. Values: 1 = 'Yes', 0 = 'No'."}, 'TRI_SOURCE_REDUCT_QTY': {'ENERGY_OFFSITE_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) for which the report was submitted. This includes all amounts of the toxic chemical that were intended to be recovered for energy and were sent offsite for that purpose. This figure includes all transfers offsite reported in section 6.2 which are classified with an energy recovery code. This does not include quantities of the toxic chemical that are combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81A_CURR_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_ONSITE_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste expected to be burned for energy recovery onsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This should not include quantities of the toxic chemical that will be combusted for energy recovery onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'RECYC_OFFSITE_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be sent offsite for recycling during the calendar year (January 1 - December 31) following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'RECYC_ONSITE_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical recycled onsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes only the amount of the toxic chemical actually recovered for reuse, not the total amount of the toxic chemical in the wastestream entering recycling units onsite. This amount does not include quantities of the toxic chemical that were recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'RECYC_ONSITE_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be recycled onsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81A_PREV_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, prior year on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be released by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) following the year for which the report was submitted. This includes air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs (metals reported in 6.1).', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'ENERGY_OFFSITE_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'RECYC_OFFSITE_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical sent offsite for recycling during the calendar year (January 1 - December 31) for which the report was submitted. This includes all amounts of the toxic chemical intended to be recycled, not just the amount of the toxic chemical actually recovered. This figure includes all transfers offsite reported in section 6.2 which are classified with an recycling code. This amount does not include quantities of the toxic chemical that were transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'RECYC_ONSITE_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'TREATED_ONSITE_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'RECYC_ONSITE_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical recycled onsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes only the amount of the toxic chemical actually recovered, not the total amount of the toxic chemical in the wastestream sent for recycling activities. This amount does not include quantities of the toxic chemical that were recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81C_CURR_YR_QTY': 'The total amount of the toxic chemical released off-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.', 'REL_81C_SECD_YR_QTY': 'The total amount of the toxic chemical expected to be released off-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.', 'REL_81B_SECD_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, second following year on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_81D_FOLL_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, following year off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_81C_FOLL_YR_QTY': 'The total amount of the toxic chemical expected to be released off-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.', 'REL_81B_CURR_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'TREATED_OFFSITE_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical sent for treatment offsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes the total amount of the toxic chemical intended to be treated (destroyed) and sent offsite for that purpose, not the amount of the toxic chemical actually treated (destroyed) by offsite processes. This figure includes all transfers offsite reported in section 6.2 which are classified with treatment waste management codes and most transfers to POTWs reported in section 6.1, except for metals. This does not include transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that were transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81C_PREV_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, prior year off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical released due to production related events by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs (metals reported in 6.1).', 'TREATED_OFFSITE_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_OFFSITE_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste expected to be sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) following the year for which the report was submitted. This does not include quantities of the toxic chemical that will be combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'RECYC_ONSITE_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be recycled onsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be recycled onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81B_SECD_YR_QTY': 'The total amount of the toxic chemical expected to be released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.', 'REL_81B_FOLL_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, following year on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_81D_CURR_YR_QTY': 'The total amount of the toxic chemical released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.', 'REL_81C_SECD_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, second following year off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_81C_CURR_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'ENERGY_OFFSITE_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes all amounts of the toxic chemical that were intended to be recovered for energy and were sent offsite for that purpose. This figure includes all transfers offsite reported in section 6.2 which are classified with an energy recovery code. This does not include quantities of the toxic chemical that are combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'TREATED_ONSITE_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81B_PREV_YR_QTY': 'The total amount of the toxic chemical released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.', 'RECYC_ONSITE_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'RECYC_OFFSITE_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81D_CURR_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'ENERGY_ONSITE_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81A_CURR_YR_QTY': 'The total amount of the toxic chemical released on-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.', 'RECYC_OFFSITE_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be sent offsite for recycling during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'TREATED_OFFSITE_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be sent for treatment offsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This does not include expected transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Expected transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that will be transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81D_SECD_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, second following year off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'RECYC_OFFSITE_CURR_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site current year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'TREATED_OFFSITE_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical sent for treatment offsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes the total amount of the toxic chemical intended to be treated (destroyed) and sent offsite for that purpose, not the amount of the toxic chemical actually treated (destroyed) by offsite processes. This figure includes all transfers offsite reported in section 6.2 which are classified with treatment waste management codes and most transfers to POTWs reported in section 6.1, except for metals. This does not include transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that were transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'TREATED_OFFSITE_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_OFFSITE_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical released due to production related events by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) for which the report was submitted. This includes both fugitive and stack air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs, because metals cannot be treated (destroyed) and will ultimately be disposed (metals reported in 6.1).', 'TREATED_ONSITE_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical treated onsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes only the amount of the toxic chemical actually treated (destroyed) by processes at the facility, not the total amount of the toxic chemical present in wastestreams sent to those processes. This amount does not include quantities of the toxic chemical that were treated for destruction onsite as the result of a catastrophic event,remedial action or other, one-time event not associated with production.', 'TREATED_ONSITE_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81B_FOLL_YR_QTY': 'The total amount of the toxic chemical expected to be released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.', 'ENERGY_OFFSITE_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81A_FOLL_YR_QTY': 'The total amount of the toxic chemical expected to be released on-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.', 'RECYC_OFFSITE_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81D_PREV_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.D, prior year off-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'RECYC_OFFSITE_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical sent offsite for recycling during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes all amounts of the toxic chemical intended to be recycled and sent offsite for that purpose, not just the amount of the toxic chemical actually recovered. This figure includes all transfers offsite reported in section 6.2 which are classified with a recycling code. This amount does not include quantities of the toxic chemical that were transferred offsite for recycling as the result of a catastrophic event, remedial action or other, one-time event not associated with production', 'RECYC_OFFSITE_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled off-site following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81D_SECD_YR_QTY': 'The total amount of the toxic chemical expected to be released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.', 'REL_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be released by the facility to all environmental media both on and off site during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This includes air emissions, discharges to water bodies, underground injection, and land disposal on site (all releases reported in section 5). It also includes transfers of the toxic chemical offsite for disposal (transfers reported in section 6.2 which are classified with a disposal waste management code) and amounts of metals transferred to POTWs (metals reported in 6.1).', 'REL_81D_PREV_YR_QTY': 'The total amount of the toxic chemical released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.', 'TREATED_OFFSITE_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be sent for treatment offsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This does not include expected transfers of metals to publicly owned treatment works (POTWs) because metals cannot be treated (destroyed) and will ultimately be disposed. Expected transfers of metals to POTWs are included in section 8.1. This amount also does not include quantities of the toxic chemical that will be transferred off-site for treatment as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81B_CURR_YR_QTY': 'The total amount of the toxic chemical released on-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the calendar year (January 1 - December 31). These mediums include fugitive and stack air emissions, discharges to water bodies, underground injection to class II-V wells, land treatment/application farming, RCRA subtitle C surface impoundments, Other surface Impoundments and Other disposals. This total does not include on-site releases or disposal due to catastrophic events.', 'TREATED_OFFSITE_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81C_FOLL_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.C, following year off-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_81B_PREV_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.B, prior year on-site releases to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'RECYC_ONSITE_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_OFFSITE_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery offsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_ONSITE_SECD_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite second following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_ONSITE_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81A_SECD_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, second following year on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'REL_81D_FOLL_YR_QTY': 'The total amount of the toxic chemical expected to be released off-site due to production related events by the facility to mediums other than Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the following calendar year (January 1 - December 31). These off-site mediums include Storage Only, Solidification/Stabilization (for metals only), Wastewater Treatment (Excluding POTWs) (for metals only), Subtitle C Surface Impoundment, Other Surface Impoundment, Land Treatment, Other Land Disposal, Underground Injection to Class II-V Wells, Other off-site Management, Transfers to Waste brokers for Disposal and Unknown. This total does not include off-site releases or disposal due to catastrophic events.', 'ENERGY_ONSITE_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste expected to be burned for energy recovery onsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This should not include quantities of the toxic chemical that will be combusted for energy recovery onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81A_SECD_YR_QTY': 'The total amount of the toxic chemical expected to be released on-site by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the second following calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.', 'REL_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the released following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'REL_81A_FOLL_YR_NA': "Indicates if 'NA' ('not applicable') was entered for Section 8.1.A, following year on-site releases to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills. Values: 1 = 'NA'; 0 = '0' (zero) or not 'NA'.", 'ENERGY_ONSITE_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste burned for energy recovery onsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes only the amount of the toxic chemical actually combusted in the unit, not the total amount of the toxic chemical in the wastestream sent for energy recovery. This also does not include quantities of the toxic chemical that are combusted for energy recovery onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'ENERGY_ONSITE_CURR_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste burned for energy recovery onsite during the calendar year (January 1 - December 31) for which the report was submitted. This includes only the amount of the toxic chemical actually combusted in the unit, not the total amount of the toxic chemical in the wastestream sent for energy recovery. This also does not include quantities of the toxic chemical that are combusted for energy recovery onsite as the result of a catastrophic event,remedial action or other, one-time event not associated with production.', 'TREATED_ONSITE_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated onsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'TREATED_ONSITE_PREV_YR_QTY': 'The total amount (in pounds) of the toxic chemical treated onsite during the calendar year (January 1 - December 31) prior to the year for which the report was submitted. This includes only the amount of the toxic chemical actually treated (destroyed) by processes at the facility, not the total amount of the toxic chemical present in wastestreams sent to those processes. This amount does not include quantities of the toxic chemical that were treated for destruction onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81A_PREV_YR_QTY': 'The total amount of the toxic chemical released on-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). This total does not include on-site releases or disposal due to catastrophic events.', 'TREATED_ONSITE_FOLL_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be treated onsite during the calendar year (January 1 - December 31) following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be treated for destruction onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'REL_81C_PREV_YR_QTY': 'The total amount of the toxic chemical released off-site due to production related events by the facility to Class I Underground Injection Wells, RCRA Subtitle C landfills, and other landfills during the prior calendar year (January 1 - December 31). This total does not include off-site releases or disposal due to catastrophic events.', 'RECYC_ONSITE_FOLL_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the recycled on-site following year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'TREATED_ONSITE_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical expected to be treated onsite during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This amount does not include quantities of the toxic chemical that will be treated for destruction onsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.', 'TREATED_OFFSITE_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the treated offsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_ONSITE_PREV_YR_NA': "Indicates if '0' (zero) or 'NA' ('not applicable') was entered for the energy recovery onsite previous year quantity. Values: 1 = 'NA', 0 = '0' (zero) or not 'NA'.", 'ENERGY_OFFSITE_SECD_YR_QTY': 'The total amount (in pounds) of the toxic chemical in waste expected to be sent offsite to be burned for energy recovery during the calendar year (January 1 - December 31) two years following the year for which the report was submitted. This does not include quantities of the toxic chemical that will be combusted for energy recovery offsite as the result of a catastrophic event, remedial action or other, one-time event not associated with production.'}, 'TRI_RELEASE_QTY': {'RELEASE_BASIS_EST_CODE': "The code representing the technique used to develop theestimate of releases reported in the 'Total Release' box (TOTAL_RELEASE). Thevalues are as follows:", 'WATER_SEQUENCE_NUM': 'Sequence in which a release to water is reported on a Form R submission.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'TOTAL_RELEASE': 'The total amount (in pounds) of the toxic chemical released to air, water, land, and underground injection wells during the calendar year (January 1 - December 31). Release amounts may be reported as specific numbers or as ranges (RELEASE_RANGE_CODE). Descriptions by Form R Section number for each environmental medium follow.', 'RELEASE_NA': "Indicates whether 'NA' (Not Applicable) was entered on Form R for the release estimate. Values: 1 = 'Yes', 0 = 'No'. Descriptions by Form R Section number for each environmental medium follow.", 'RELEASE_RANGE_CODE': "The code that corresponds to the amount of toxic chemical released annually by the reporting facility, reported as a range for releases less than 1,000 pounds. When a facility uses a range code, the amount reported to TRI is the midpoint of the range. On Form R, letter codes are used to represent ranges: A = 1-10 pounds, B = 11-499 pounds, and C = 500-999 pounds. The letters are converted to numbers for storage in the TRIS database where '1' represents range 'A', '3' represents range 'B', and '4' represents range 'C'. The historical value '2' = 1-499 pounds.", 'ENVIRONMENTAL_MEDIUM': 'Code indicating the environmental medium to which the toxic chemical is released from the facility.'}, 'TRI_ONSITE_WASTESTREAM': {'OPERATING_DATA_IND': "Indicates if the waste treatment efficiency estimate (TREATMENT_EFFCIENCY_EST) is based on actual operating data, such as monitoring influent and effluent toxic chemical levels in the waste stream; or, indicates if TREATMENT_EFFCIENCY_EST is not based on actual operating or monitoring data, but rather some other technique, such as published data for similar processes or the equipment supplier's literature. Values: 1 = 'Yes', 0 = 'No'', 2 = blank or not entered.", 'WASTESTREAM_CODE': 'Indicates the general waste stream type containing the toxic chemical. The four codes used to indicate the general waste stream types are: A = Gaseous (gases, vapors, airborne particles), W = Wastewater (aqueous waste), L = Liquid (non-aqueous, liquid waste), and S = Solid (including sludges and slurries).', 'WASTESTREAM_SEQ_NUM': 'Sequence in which an on-site waste treatment process is reported on a Form R submission.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'INFLUENT_CONC_RANGE': 'Indicates the range of concentration of the toxic chemical in the waste stream as it typically enters the waste treatment step or sequence. The concentration is based on the amount or mass of the toxic chemical in the waste stream as compared to the total amount or mass of the waste stream and is determined prior to the application of any waste management methods. Facilities report using one of the following five codes:', 'TREATMENT_EFFICIENCY_EST_NA': "Indicates whether 'NA' (Not Applicable) was entered on Form R for the waste treatment efficiency estimate. Values: 1 = 'Yes', 0 = 'No'.", 'SEQUENTIAL_TREAT_87_90': 'Indicator that shows whether treatment steps were used in sequence, for Reporting Years 1987 through 1990, to estimate treatment efficiency of the overall treatment process.', 'TREATMENT_EFFICIENCY_EST': 'The percentage of the toxic chemical removed from the waste stream through destruction, biological degradation, chemical conversion, or physical removal. This estimate represents the overall percentage of the toxic chemical destroyed or removed (based on amount or mass) throughout all waste management methods, not merely changes in volume or concentration and not merely the efficiency of one method in a sequence of activities. This also does not represent the waste treatment efficiency for the entire waste stream but only the removal or destruction of this specific toxic chemical in that waste stream. This does not include energy recovery or recycling activities. Energy recovery and recycling activities are reported in sections 7B and 7C, respectively. The value is calculated as follows: ((I - E)/1) * 100, where I equals the amount of toxic chemical in the influent waste stream, and E equals the amount of the toxic chemical in the effluent waste stream.', 'EFFICIENCY_RANGE_CODE': 'The range code representing the percentage of the toxic chemical removed from the waste stream through destruction, biological degradation, chemical conversion, or physical removal. This range code represents the overall percentage of the toxic chemical destroyed or removed (based on amount or mass) throughout all waste management methods, not merely changes in volume or concentration and not merely the efficiency of one method in a sequence of activities. This also does not represent the waste treatment efficiency for the entire waste stream but only the removal or destruction of this specific toxic chemical in that waste stream. This does not include energy recovery or recycling activities. Energy recovery and recycling activities are reported in sections 7B and 7C, respectively. '}, 'TRI_FACILITY_RCRA': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ASGN_RCRA_IND': "Indicates that the associated RCRA_NUM represents the principal RCRA Identification Number as assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'RCRA_NUM': 'The number assigned to the facility by EPA for purposes of the Resource Conservation and Recovery Act (RCRA). Not all facilities will have a RCRA Identification Number. A facility will only have a RCRA Identification Number if it manages RCRA regulated hazardous waste. Some facilities may have more than one RCRA Identification Number.'}, 'TRI_FACILITY_DB_HISTORY': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'ASGN_DB_IND': "Indicates that the associated DB_NUM represents the principal Dun & Bradstreet number assigned to the facility by TRI from Form R or Form A submissions. Values: 1 = 'Yes', 0 = 'No'.", 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.', 'DB_NUM': 'The number or numbers which have been assigned to the facility by Dun & Bradstreet. Dun & Bradstreet is a private financial tracking and accounting firm. Not all facilities will have Dun & Bradstreet numbers.'}, 'TRI_FACILITY_SIC': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'SIC_CODE': 'The Standard Industrial Classification (SIC) code or codes which best describes the activities conducted at the facility. SIC codes are 4 digit numbers used by the Bureau of Census as part of a system to categorize and track the types of business activities conducted in the United States. The first two digits of the code represent the major industry group (e.g., SIC code 25XX indicates Furniture and Fixtures) and the second two digits represent the specific subset of that group (e.g., 2511 indicates wood household furniture). EPA instructs facilities to enter their primary SIC code first. Many facilities do not report their primary SIC code first.', 'PRIMARY_IND': "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'."}, 'TRI_ONSITE_WASTE_TREATMENT_MET': {'WASTESTREAM_SEQ_NUM': 'Sequence in which an on-site waste treatment process is reported on a Form R submission.', 'DOC_CTRL_NUM': 'DOC_CTRL_NUM is a unique identification number assigned to each submission. The format is TTYYNNNNNNNNN, where TT = document type, YY = reporting year, and NNNNNNNNN = assigned number with a check digit.', 'TREATMENT_METHOD_CODE': 'The on-site waste treatment activity that is applied to the waste stream containing the toxic chemical. This includes all waste treatment methods through which the toxic chemical passes as part of that waste stream, regardless of whether or not the method has, or is intended to have, any effect on the toxic chemical. If the waste stream moves through a series of waste treatment activities, each method will be listed sequentially.', 'TREATMENT_SEQUENCE': 'Sequence in which a TREATMENT_METHOD_CODE is entered on a Form R submission, and indicates the on-site order of treatment.'}, 'TRI_FACILITY_SIC_HISTORY': {'TRI_FACILITY_ID': 'The unique number assigned to each facility for purposes of the TRI program. Usually, only one number is assigned to each facility and the number is for the entire facility. One company may have multiple TRI Facility Identification (ID) numbers if they have multiple facilities. One facility with many establishments will usually have only one TRI Facility ID number. They will then use this number for all of their Form Rs even if they are submitting a Form R for different establishments with different names. In a few instances different establishments of the same facility will have different TRI Facility ID numbers. The format is ZZZZZNNNNNSSSSS, where ZZZZZ = ZIP code, NNNNN = the first 5 consonants of the name, and SSSSS = the first 5 non-blank non-special characters in the street address.', 'REPORTING_YEAR': 'The year for which the form was submitted. This is not the year in which the form was filed but rather it is the calendar year (January 1 - December 31) during which the toxic chemical was, manufactured, processed and/or otherwise used and released or otherwise managed as a waste.', 'SIC_CODE': 'The Standard Industrial Classification (SIC) code or codes which best describes the activities conducted at the facility. SIC codes are 4 digit numbers used by the Bureau of Census as part of a system to categorize and track the types of business activities conducted in the United States. The first two digits of the code represent the major industry group (e.g., SIC code 25XX indicates Furniture and Fixtures) and the second two digits represent the specific subset of that group (e.g., 2511 indicates wood household furniture). EPA instructs facilities to enter their primary SIC code first. Many facilities do not report their primary SIC code first.', 'PRIMARY_IND': "Indicates whether the associated SIC_CODE/NAICS_CODE represents the facility's primary business activity as entered by the submitter. EPA instructs facilities to enter their primary SIC/NAICS on the Form R or Form A in part I, section 4.5, box a. Values: 1 = 'Yes', 0 = 'No'."}}
#Write a function that takes a two-dimensional list (list of lists) of numbers as argument and returns a list #which includes the sum of each row. You can assume that the number of columns in each row is the same. def sum_of_two_lists_row(list2d): final_list = [] for list_numbers in list2d: sum_list = 0 for number in list_numbers: sum_list += number final_list.append(sum_list) return final_list print(sum_of_two_lists([[1,2],[3,4]]))
def sum_of_two_lists_row(list2d): final_list = [] for list_numbers in list2d: sum_list = 0 for number in list_numbers: sum_list += number final_list.append(sum_list) return final_list print(sum_of_two_lists([[1, 2], [3, 4]]))
def count_words(input_str): return len(input_str.split()) print(count_words('this is a string')) demo_str = 'hellow world' print(count_words(demo_str)) def find_min(num_list): min_item = num_list[0] for num in num_list: if type(num) is not str: if min_item>= num: min_item=num return(min_item) # print(find_min([1,2,3,])) demo_list=[1,2,3,4,5,6] print(find_min(demo_list)) mix_list=[1,2,3,'a',5,6] print(find_min(mix_list))
def count_words(input_str): return len(input_str.split()) print(count_words('this is a string')) demo_str = 'hellow world' print(count_words(demo_str)) def find_min(num_list): min_item = num_list[0] for num in num_list: if type(num) is not str: if min_item >= num: min_item = num return min_item demo_list = [1, 2, 3, 4, 5, 6] print(find_min(demo_list)) mix_list = [1, 2, 3, 'a', 5, 6] print(find_min(mix_list))
def find_minimum_number_of_moves(rows, cols, start_row, start_col, end_row, end_col): # row_low = start_row if start_row < end_row else end_row # row_high = start_row if start_row > end_row else end_row # col_low = start_col if start_col < end_col else end_col # col_high = start_col if start_col > end_col else end_col deltas = [(-2, -1), (-2, +1), (+2, -1), (+2, +1), (-1, -2), (-1, +2), (+1, -2), (+1, +2)] def getAllValidMoves(y0, x0): validPositions = [] for (x, y) in deltas: xCandidate = x0 + x yCandidate = y0 + y if 0 <= xCandidate < end_col and 0 <= yCandidate < end_row: validPositions.append([yCandidate, xCandidate]) return validPositions q = [(start_row, start_col, 0)] while q: row, col, level = q.pop(0) if row == end_row and col == end_col: return level for move in getAllValidMoves(row, col): # if move[1] >= row_low and move[1] <= row_high or move[0] >= col_low and move[0] <= col_high: q.append((move[0], move[1], level + 1)) return -1
def find_minimum_number_of_moves(rows, cols, start_row, start_col, end_row, end_col): deltas = [(-2, -1), (-2, +1), (+2, -1), (+2, +1), (-1, -2), (-1, +2), (+1, -2), (+1, +2)] def get_all_valid_moves(y0, x0): valid_positions = [] for (x, y) in deltas: x_candidate = x0 + x y_candidate = y0 + y if 0 <= xCandidate < end_col and 0 <= yCandidate < end_row: validPositions.append([yCandidate, xCandidate]) return validPositions q = [(start_row, start_col, 0)] while q: (row, col, level) = q.pop(0) if row == end_row and col == end_col: return level for move in get_all_valid_moves(row, col): q.append((move[0], move[1], level + 1)) return -1
# # subtag.py # ========= # # Python-3 module for loading and parsing the Language Subtag Registry # from IANA. # # A current copy of the registry can be downloaded from IANA at the # following address: # # https://www.iana.org/assignments/ # language-subtag-registry/language-subtag-registry # # The format of this registry file is defined in RFC 5646 "Tags for # Identifying Languages" # # To use this module, import subtag and then call subtag.parse() with # the path to the IANA data file. If this is successful, the result # will be placed in the subtag.rec variable. # # # Exceptions # ---------- # # Each exception overloads the __str__ operator so that it can be # printed as a user-friendly error message. The error message includes # line number information if relevant. It has punctuation at the end, # but it does NOT have a line break at the end. # # All exceptions defined by this module are subclasses of SubtagError. # class SubtagError(Exception): def __str__(self): return 'Unknown subtag parsing error!' class BadContinueLine(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Invalid location for continuation line!' else: return 'Invalid location for continuation line!' class BadDataFile(SubtagError): def __str__(self): return 'Subtag data file has invalid UTF-8 encoding!' class BadExtlangRemap(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'extlang record has improper remap!' else: return 'extlang record has improper remap!' class BadExtlangSubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'extlang subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid extlang subtag!' else: return 'Record has invalid extlang subtag!' class BadLanguageSubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Language subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid language subtag!' else: return 'Record has invalid language subtag!' class BadPrefix(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Prefix ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid prefix!' else: return 'Record has invalid prefix!' class BadRecordType(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record type ' + self.m_tname + ' is unrecognized!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has unrecognized type!' else: return 'Record has unrecognized type!' class BadRegionSubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Region subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid region subtag!' else: return 'Record has invalid region subtag!' class BadScriptSubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Script subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid script subtag!' else: return 'Record has invalid script subtag!' class BadScriptSuppress(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Script suppression ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid script suppression!' else: return 'Record has invalid script suppression!' class BadTagFormat(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Tag ' + self.m_tname + ' has invalid format!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid tag format!' else: return 'Record has invalid tag format!' class BadVariantSubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if (self.m_line is not None) and (self.m_tname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Variant subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid variant subtag!' else: return 'Record has invalid variant subtag!' class EmptyFieldName(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'One of the record field names is empty!' else: return 'One of the record field names is empty!' class InvalidFieldName(SubtagError): def __init__(self, line=None, fname=None): self.m_line = line self.m_fname = fname def __str__(self): if (self.m_line is not None) and (self.m_fname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record field ' + self.m_fname + ' has invalid field name!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has invalid field name!' else: return 'Record has invalid field name!' class LogicError(SubtagError): def __str__(self): return 'Internal logic error within subtag module!' class MissingKeyError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has broken foreign key!' else: return 'Record has broken foreign key!' class MissingTypeError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record is missing a Type field!' else: return 'Record is missing a Type field!' class MultiFieldError(SubtagError): def __init__(self, line=None, fname=None): self.m_line = line self.m_fname = fname def __str__(self): if (self.m_line is not None) and (self.m_fname is not None): return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record field ' + self.m_fname + ' is defined more than once!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has redefined field!' else: return 'Record has redefined field!' class NoColonError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + \ 'Record has line without colon!' else: return 'Record has line without colon!' class NoDataFileError(SubtagError): def __init__(self, fpath=None): self.m_fpath = fpath def __str__(self): if self.m_fpath is not None: return 'Can\'t find subtag data file ' + self.m_fpath else: return 'Can\'t find subtag data file!' class PrefixContextError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Prefix field can\'t be used with this kind of record!' else: return 'Prefix field can\'t be used with this kind of record!' class PrefixMultiError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Multiple prefixes can\'t be used on this kind of record!' else: return 'Multiple prefixes can\'t be used on this kind of record!' class RecursiveMappingError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Record has recursive remapping!' else: return 'Record has recursive remapping!' class RedefinitionError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Record redefines key from previous record!' else: return 'Record redefines key from previous record!' class ScriptContextError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Script suppression can\'t be used on this kind of record!' else: return 'Script suppression can\'t be used on this kind of record!' class WrongTagTypeError(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + \ 'Record has wrong type of tag data!' else: return 'Record has wrong type of tag data!' # # Module-level variables # ---------------------- # # The module-level variable that stores the result of parsing the data # file, or None if the file hasn't been parsed yet. # # Use the parse() function to set this variable. Once it is set # successfully, it will be a list of zero or more records, stored in the # order they appear in the data file. However, the first record in the # file will NOT be included in this list, so the first element in this # list is actually the second record in the file. This is because the # first record in the file is an exceptional record that simply provides # a timestamp for when the data file was generated. # # Each record is a tuple with two elements. The first element is an # integer that stores the line number of the first line of the record in # the data file. The second element is a dictionary that maps field # names to field values. # # The field names are the same as the field names given in the data # file, except that they are converted to lowercase so that they are # case insensitive. Field names do NOT include the colon. # # The field values are the same as the field values given in the data # file. Continuation lines have been assembled so that a field value # that appears across multiple lines in the input data file will be a # single line in the value here, with each line break replaced by a # single space character. The value will be trimmed of leading and # trailing spaces, tabs, and line breaks. # # The fields named 'description' 'comments' and 'prefix' are special # because multiple instances of the field is allowed in a single record. # To handle this, the parsed field values of these fields will be a list # of strings. If there is just one instance of the field, there will be # a one-element list. This only applies to these three special field # values. All other field values will be strings. # rec = None # # Local functions # --------------- # # Check whether the given parameter is a string that contains a single # lowercase ASCII letter. # # Parameters: # # c : str | mixed - the value to check # # Return: # # True if c is a lowercase ASCII letter, False otherwise # def is_lower_letter(c): if not isinstance(c, str): return False if len(c) != 1: return False c = ord(c) if (c >= ord('a')) and (c <= ord('z')): return True else: return False # Check whether the given parameter is a string that contains a single # uppercase ASCII letter. # # Parameters: # # c : str | mixed - the value to check # # Return: # # True if c is a uppercase ASCII letter, False otherwise # def is_upper_letter(c): if not isinstance(c, str): return False if len(c) != 1: return False c = ord(c) if (c >= ord('A')) and (c <= ord('Z')): return True else: return False # Check whether the given parameter is a string that contains a single # ASCII decimal digit. # # Parameters: # # c : str | mixed - the value to check # # Return: # # True if c is an ASCII decimal digit, False otherwise # def is_digit(c): if not isinstance(c, str): return False if len(c) != 1: return False c = ord(c) if (c >= ord('0')) and (c <= ord('9')): return True else: return False # Check whether the given parameter is a string that contains a validly # formatted tag. # # Parameters: # # t : str | mixed - the value to check # # Return: # # True if t is a validly formatted tag, False otherwise # def is_format_tag(t): # Check that t is a string if not isinstance(t, str): return False # Check that t is not empty if len(t) < 1: return False # Check that t contains only ASCII alphanumerics and hyphens, and # furthermore that hyphen is neither first nor last character, nor # does a hyphen ever occur immediately after another hyphen tl = len(t) for x in range(0, tl): c = t[x] if (not is_upper_letter(c)) and \ (not is_lower_letter(c)) and \ (not is_digit(c)) and \ (c != '-'): return False if c == '-': if (x < 1) or (x >= tl - 1): return False if t[x - 1] == '-': return False # Split the tag into subtags using hyphen as separator ta = t.split('-') # Check subtag formatting first_tag = True found_singleton = False for tg in ta: # If this is the first tag, then just check that it doesn't have any # uppercase letters, clear first_tag, set found_singleton if the # first tag is only one character, and skip rest of checks if first_tag: first_tag = False for c in tg: if is_upper_letter(c): return False if len(tg) <= 1: found_singleton = True continue # If we've encountered a singleton, then just make sure there are no # uppercase letters and skip rest of checks if found_singleton: for c in tg: if is_upper_letter(c): return False continue # Different handling depending on length of subtag if len(tg) < 2: # Found a singleton, so set found_singleton flag and make sure not # an uppercase letter if is_upper_letter(tg): return False found_singleton = True elif len(tg) == 2: # Two-character subtag that is not first subtag and not after a # singleton, so must not have lowercase letters for c in tg: if is_lower_letter(c): return False elif len(tg) == 4: # Four-character subtag that is not first subtag and not after a # singleton, so first character must not be lowercase and rest of # characters must not be uppercase if is_lower_letter(tg[0]) or \ is_upper_letter(tg[1]) or \ is_upper_letter(tg[2]) or \ is_upper_letter(tg[3]): return False else: # In all other cases, do not allow uppercase letters for c in tg: if is_upper_letter(c): return False # If we got all the way here, tag checks out return True # Check whether the given parameter is a string that contains a validly # formatted tag, without extensions or private-use or grandfathered # formats. # # Parameters: # # t : str | mixed - the value to check # # Return: # # True if t is a validly formatted core tag, False otherwise # def is_core_tag(t): # If not a formatted tag, then return False if not is_format_tag(t): return False # Split the tag into subtags using hyphen as separator ta = t.split('-') # Make sure there are no singletons or private use flags for tg in ta: if len(tg) < 2: return False # If we got here, tag checks out return True # Check whether the given parameter is a string that is a case-sensitive # match for one of the valid category names. # # Parameters: # # cname : str | mixed - the value to check # # Return: # # True if value is a string that is recognized, False otherwise # def valid_category(cname): if not isinstance(cname, str): return False if (cname == 'language') or (cname == 'extlang') or \ (cname =='script') or (cname == 'region') or \ (cname == 'variant') or (cname == 'grandfathered') or \ (cname == 'redundant'): return True else: return False # Check whether the given string value has leading or trailing padding. # # This returns True if the first or last character is a space, tab, or # line break. Otherwise, it returns False. Empty strings return False. # Non-strings cause an exception. # # Parameters: # # s : str - the string value to check # # Return: # # True if value is padded, False if not # def has_padding(s): # Check parameter if not isinstance(s, str): raise LogicError() # Empty strings return False if len(s) < 1: return False # Check first and last character for x in range(0, 2): # Get appropriate character c = None if x == 0: c = s[0] elif x == 1: c = s[-1] else: raise LogicError() # shouldn't happen # Check that character is not space, tab, or line break if (c == ' ') or (c == '\t') or (c == '\n'): return True # If we got here, string is not padded return False # Check that a parsed record conforms to various expectations. # # Exceptions are thrown if there are problems with the record. The # LogicError exception is used for situations that should never be # possible from any input data. # # Parameters: # # lnum : int - a line number, greater than zero, at which the record # starts, which is used for error reporting # # f : dict - maps lowercased record field names to their values # def check_record(lnum, f): # Check parameters if not isinstance(lnum, int): raise LogicError() if lnum < 1: raise LogicError() if not isinstance(f, dict): raise LogicError() # Main check of all keys and values in dictionary for k in list(f): # Each key must be a string if not isinstance(k, str): raise LogicError() # Each key should be non-empty if len(k) < 1: raise EmptyFieldName(lnum) # Each key must be non-padded if has_padding(k): raise LogicError() # Each key must be only in lowercase and have at least one lowercase # letter if not k.islower(): raise InvalidFieldName(lnum, k) # Each value must be a string without padding, except that # "description" "comments" and "prefix" field values must be # non-empty lists of strings without padding val = f[k] if (k == 'description') or (k == 'comments') or (k == 'prefix'): # Value must be non-empty list of strings without padding if not isinstance(val, list): raise LogicError() if len(val) < 1: raise LogicError() for e in val: if not isinstance(e, str): raise LogicError() if has_padding(e): raise LogicError() else: # Value must be string without padding if not isinstance(val, str): raise LogicError() if has_padding(val): raise LogicError() # All records must have a "type" field that is one of the recognized # categories if 'type' not in f: raise MissingTypeError(lnum) if not valid_category(f['type']): raise BadRecordType(lnum, f['type']) # Grandfathered or redundant records must have a "tag" field but not a # "subtag" field, while all other records must have a "subtag" field # but not a "tag" field if (f['type'] == 'grandfathered') or (f['type'] == 'redundant'): # Must have tag field but not subtag if ('tag' not in f) or ('subtag' in f): raise WrongTagTypeError(lnum) else: # Must have subtag field but not tag if ('subtag' not in f) or ('tag' in f): raise WrongTagTypeError(lnum) # If this is a subtag record, check the subtag value format if 'subtag' in f: ft = f['type'] sv = f['subtag'] if ft == 'language': # Languages must be two or three lowercase ASCII letters (language # tags that are longer are not used in practice); the only # exception is 8-character language ranges where the first three # chars are lowercase letters, the last three chars are lowercase # letters, and the middle two chars are ".." if ((len(sv) < 2) or (len(sv) > 3)) and (len(sv) != 8): raise BadLanguageSubtag(lnum, sv) if len(sv) == 8: if (not is_lower_letter(sv[0])) or \ (not is_lower_letter(sv[1])) or \ (not is_lower_letter(sv[2])) or \ (sv[3] != '.') or (sv[4] != '.') or \ (not is_lower_letter(sv[5])) or \ (not is_lower_letter(sv[6])) or \ (not is_lower_letter(sv[7])): raise BadLanguageSubtag(lnum, sv) else: for c in sv: if not is_lower_letter(c): raise BadLanguageSubtag(lnum, sv) elif ft == 'extlang': # extlang subtags must be three lowercase ASCII letters if len(sv) != 3: raise BadExtlangSubtag(lnum, sv) for c in sv: if not is_lower_letter(c): raise BadExtlangSubtag(lnum, sv) elif ft == 'script': # Script subtags must be four ASCII letters, the first of which is # uppercase and the rest of which are lowercase; the only # exception is 10-character script subtag ranges, where the first # four letters are a valid script tag, the last four letters are a # valid script subtag, and the middle two characters are ".." if len(sv) == 4: if (not is_upper_letter(sv[0])) or \ (not is_lower_letter(sv[1])) or \ (not is_lower_letter(sv[2])) or \ (not is_lower_letter(sv[3])): raise BadScriptSubtag(lnum, sv) elif len(sv) == 10: if (not is_upper_letter(sv[0])) or \ (not is_lower_letter(sv[1])) or \ (not is_lower_letter(sv[2])) or \ (not is_lower_letter(sv[3])) or \ (sv[4] != '.') or (sv[5] != '.') or \ (not is_upper_letter(sv[6])) or \ (not is_lower_letter(sv[7])) or \ (not is_lower_letter(sv[8])) or \ (not is_lower_letter(sv[9])): raise BadScriptSubtag(lnum, sv) else: raise BadScriptSubtag(lnum, sv) elif ft == 'region': # Region subtags must be two uppercase ASCII letters or three # ASCII digits or they must be a range if len(sv) == 2: if (not is_upper_letter(sv[0])) or (not is_upper_letter(sv[1])): raise BadRegionSubtag(lnum, sv) elif len(sv) == 3: for c in sv: if not is_digit(c): raise BadRegionSubtag(lnum, sv) elif len(sv) == 6: if (not is_upper_letter(sv[0])) or \ (not is_upper_letter(sv[1])) or \ (sv[2] != '.') or (sv[3] != '.') or \ (not is_upper_letter(sv[4])) or \ (not is_upper_letter(sv[5])): raise BadRegionSubtag(lnum, sv) else: raise BadRegionSubtag(lnum, sv) elif ft == 'variant': # Variants must either be four lowercase ASCII alphanumerics and # begin with a digit, or 5-8 lowercase ASCII alphanumerics if (len(sv) < 4) or (len(sv) > 8): raise BadVariantSubtag(lnum, sv) if len(sv) == 4: if not is_digit(sv[0]): raise BadVariantSubtag(lnum, sv) for c in sv: if (not is_lower_letter(c)) and (not is_digit(c)): raise BadVariantSubtag(lnum, sv) else: raise LogicError() # shouldn't happen # If this is a tag record, check tag format if 'tag' in f: if not is_format_tag(f['tag']): raise BadTagFormat(lnum, f['tag']) # If this record has prefixes, additional checks if 'prefix' in f: # Prefixes only possible on extlang and variant records if (f['type'] != 'extlang') and (f['type'] != 'variant'): raise PrefixContextError(lnum) # If this is an extlang record, no more than one prefix allowed if f['type'] == 'extlang': if len(f['prefix']) > 1: raise PrefixMultiError(lnum) # All prefix values must be two or three lowercase letters for # extlang prefixes if f['type'] == 'extlang': for p in f['prefix']: if (len(p) < 2) or (len(p) > 3): raise BadPrefix(lnum, p) for c in p: if not is_lower_letter(c): raise BadPrefix(lnum, p) # All prefix values must be core tags for variant records if f['type'] == 'variant': for p in f['prefix']: if not is_core_tag(p): raise BadPrefix(lnum, p) # If this record has a suppress-script, additional checks if 'suppress-script' in f: # Script suppression only possible on language and extlang records if (f['type'] != 'language') and (f['type'] != 'extlang'): raise ScriptContextError(lnum) # Script name must be four characters, first uppercase letter and # the rest lowercase letters sn = f['suppress-script'] if len(sn) != 4: raise BadScriptSuppress(lnum, sn) if (not is_upper_letter(sn[0])) or \ (not is_lower_letter(sn[1])) or \ (not is_lower_letter(sn[2])) or \ (not is_lower_letter(sn[3])): raise BadScriptSuppress(lnum, sn) # Function that processes a raw record. # # A raw record requires an array of record lines. Trailing whitespace # and line breaks should have been stripped from these lines already. # Furthermore, continuation lines should be assembled so that the lines # here are logical record lines rather than the physical record lines # that occur in the file. # # The module-level rec variable must already be defined as a list. If # successful, this function adds the parsed record on to the list. # # Parameters: # # lnum : int - a line number, greater than zero, at which the record # starts, which is used for error reporting # # lines : list of strings - the logical lines of the record # def raw_record(lnum, lines): global rec # Check state if not isinstance(rec, list): raise LogicError() # Check parameters if not isinstance(lnum, int): raise LogicError() if lnum < 1: raise LogicError() if not isinstance(lines, list): raise LogicError() for e in lines: if not isinstance(e, str): raise LogicError() # Convert each logical line into a mapping of field names in lowercase # to field values rp = dict() for e in lines: # Find the location of the first : character, which must be present ci = e.find(':') if ci < 0: raise NoColonError(lnum) # Split into a field name and a field value around the colon fname = '' fval = '' if ci > 0: fname = e[0:ci] if ci < len(e) - 1: fval = e[ci + 1:] # Trim field name and field value of leading and trailing space fname = fname.strip(' \t\n') fval = fval.strip(' \t\n') # Convert field name to lowercase fname = fname.lower() # Different handling based on whether the field name is a special # field that can occur multiple times if (fname == 'description') or (fname == 'comments') or \ (fname == 'prefix'): # This field can occur multiple times, so check if already present # and handle differently if fname in rp: # We already have a previous instance of this field, so just add # the new value as another array element rp[fname].append(fval) else: # We don't have a previous instance of this field, so create a # new field entry with our value as the first element of a list rp[fname] = [fval] else: # This field can only occur once, so make sure it's not already # present if fname in rp: raise MultiFieldError(lnum, fname) # Add a mapping for this field name to value rp[fname] = fval # We got a mapping of field names to values, so check the record and # store the record as a pair with record line number and record fields check_record(lnum, rp) rec.append((lnum, rp)) # # Public functions # ---------------- # # Parse the given subtag data file and store the parsed result in the # module-level rec variable. # # See the module documentation and the documentation of the rec variable # for further information. # # If the rec value is already set, this function call will be ignored. # # If the function fails, the rec value will be set to None. # # Parameters: # # fpath : string - the path to the subtag data file # def parse(fpath): global rec # Ignore call if rec already set if rec is not None: return # Check parameter if not isinstance(fpath, str): rec = None raise LogicError() # Clear the records variable to an empty list rec = [] # Open the input file as a text file in UTF-8 encoding and parse all # the records try: with open(fpath, mode='rt', encoding='utf-8', errors='strict') as fin: # We have the input file open -- read line by line lbuf = [] # Buffers record lines line_num = 0 # Current line number rec_line = 1 # Line at start of current record for line in fin: # Update line count line_num = line_num + 1 # Trim trailing whitespace and linebreaks, but NOT leading # whitespace, which is significant in case of line continuations line = line.rstrip(' \t\n') # Filter out blank lines that are empty or contain only spaces, # tabs, and line breaks if len(line) < 1: continue # If this line is %% then handle end of record and continue to # next record if line == '%%': # If the record line of this record is 1, then just clear the # line buffer, update the record line, and continue to next # line without any further processing so that we skip the # special first record if rec_line <= 1: lbuf = [] rec_line = line_num + 1 continue # If we got here, we're not in the special case of the first # record, so we want to process the raw record raw_record(rec_line, lbuf) # Clear the line buffer and update the record line lbuf = [] rec_line = line_num + 1 # Continue on to next line continue # If the first character of this line is a tab or a space, then # we have a continuation line, so process that and continue to # next line fchar = line[0] if (fchar == ' ') or (fchar == '\t'): # Continuation line, so this must not be first line of record if len(lbuf) < 1: raise BadContinueLine(line_num) # Drop leading whitespace and replace with a single leading # space line = ' ' + line.lstrip(' \t') # Add this line to the end of the last line in the record line # buffer lbuf[-1] = lbuf[-1] + line # Continue on to next line continue # If we got here, we have a regular record line, so just add # that to the line buffer lbuf.append(line) # If after the loop will still have something in the record # buffer, flush this last record if len(lbuf) > 0: raw_record(rec_line, lbuf) lbuf = [] # All records have been read in and *individually* verified; now we # need to build indices of each record type so we can begin # validating table consistency across all records index_language = dict() index_extlang = dict() index_script = dict() index_region = dict() index_variant = dict() index_grandfathered = dict() index_redundant = dict() # Build the indices rlen = len(rec) for i in range(0, rlen): r = rec[i][1] vt = r['type'] if vt == 'language': vn = r['subtag'] if vn in index_language: raise RedefinitionError(rec[i][0]) index_language[vn] = i elif vt == 'extlang': vn = r['subtag'] if vn in index_extlang: raise RedefinitionError(rec[i][0]) index_extlang[vn] = i elif vt == 'script': vn = r['subtag'] if vn in index_script: raise RedefinitionError(rec[i][0]) index_script[vn] = i elif vt == 'region': vn = r['subtag'] if vn in index_region: raise RedefinitionError(rec[i][0]) index_region[vn] = i elif vt == 'variant': vn = r['subtag'] if vn in index_variant: raise RedefinitionError(rec[i][0]) index_variant[vn] = i elif vt == 'grandfathered': vn = r['tag'] if vn in index_grandfathered: raise RedefinitionError(rec[i][0]) index_grandfathered[vn] = i elif vt == 'redundant': vn = r['tag'] if vn in index_redundant: raise RedefinitionError(rec[i][0]) index_redundant[vn] = i else: raise LogicError() # Now we can verify the foreign keys in each record to finish # verifying the structural integrity of the data for rf in rec: r = rf[1] rt = r['type'] # If record has a suppress-script field, make sure that it # references an existing script if 'suppress-script' in r: if r['suppress-script'] not in index_script: raise MissingKeyError(rf[0]) # If we have a prefix in an extlang record, make sure it # references a language if ('prefix' in r) and (rt == 'extlang'): for p in r['prefix']: if p not in index_language: raise MissingKeyError(rf[0]) # If we have prefixes in a variant record, check their references if ('prefix' in r) and (rt == 'variant'): for p in r['prefix']: # Split prefix into components around the hyphens pa = p.split('-') # Make sure first component is a defined language if pa[0] not in index_language: raise MissingKeyError(rf[0]) # Start at next component (if there is one) and proceed until # all components checked i = 1 pt = 'extlang' while i < len(pa): if pt == 'extlang': # Check any extlang tags if (len(pa[i]) == 3) and is_lower_letter(pa[i][0]): if pa[i] in index_extlang: i = i + 1 pt = 'script' else: raise MissingKeyError(rf[0]) else: pt = 'script' elif pt == 'script': # Check any script tags if (len(pa[i]) == 4) and is_upper_letter(pa[i][0]): if pa[i] in index_script: i = i + 1 pt = 'region' else: raise MissingKeyError(rf[0]) else: pt = 'region' elif pt == 'region': # Check any region tags if (len(pa[i]) == 2) or \ ((len(pa[i]) == 3) and is_digit(pa[i][0])): if pa[i] in index_region: i = i + 1 pt = 'variant' else: raise MissingKeyError(rf[0]) else: pt = 'variant' elif pt == 'variant': # Check any variant tags if ((len(pa[i]) == 4) and is_digit(pa[i][0])) or \ (len(pa[i]) > 4): if pa[i] in index_variant: i = i + 1 else: raise MissingKeyError(rf[0]) else: raise MissingKeyError(rf[0]) else: raise LogicError() # If we have a preferred-value mapping, check that it references # a record, and that the referenced record does not itself have a # preferred value if 'preferred-value' in r: pv = r['preferred-value'] if rt == 'language': # Language must refer to an existing language if pv not in index_language: raise MissingKeyError(rf[0]) # Referenced language must not have preferred value if 'preferred-value' in rec[index_language[pv]][1]: raise RecursiveMappingError(rf[0]) elif rt == 'script': # Script must refer to an existing script if pv not in index_script: raise MissingKeyError(rf[0]) # Referenced script must not have preferred value if 'preferred-value' in rec[index_script[pv]][1]: raise RecursiveMappingError(rf[0]) elif rt == 'region': # Region must refer to an existing region if pv not in index_region: raise MissingKeyError(rf[0]) # Referenced region must not have preferred value if 'preferred-value' in rec[index_region[pv]][1]: raise RecursiveMappingError(rf[0]) elif rt == 'variant': # Variant must refer to an existing variant if pv not in index_variant: raise MissingKeyError(rf[0]) # Referenced variant must not have preferred value if 'preferred-value' in rec[index_variant[pv]][1]: raise RecursiveMappingError(rf[0]) elif rt == 'extlang': # extlang must refer to an existing language if pv not in index_language: raise MissingKeyError(rf[0]) # Referenced language must not have preferred value if 'preferred-value' in rec[index_language[pv]][1]: raise RecursiveMappingError(rf[0]) elif rt == 'grandfathered': # Grandfathered records must map to language that doesn't have # its own preferred mapping; the weird en-GB-oxendict # preferred value is an exception if pv in index_language: if 'preferred-value' in rec[index_language[pv]][1]: raise RecursiveMappingError(rf[0]) elif pv == 'en-GB-oxendict': if 'en' not in index_language: raise MissingKeyError(rf[0]) if 'GB' not in index_region: raise MissingKeyError(rf[0]) if 'oxendict' not in index_variant: raise MissingKeyError(rf[0]) if ('preferred-value' in rec[index_language['en']][1]) or \ ('preferred-value' in rec[index_region['GB']][1]) or \ ('preferred-value' in \ rec[index_variant['oxendict']][1]): raise RecursiveMappingError(rf[0]) else: raise MissingKeyError(rf[0]) elif rt == 'redundant': # Redundant mappings must refer to existing language that is # not itself remapped, except for cmn-Hans and cmn-Hant if pv in index_language: if 'preferred-value' in rec[index_language[pv]][1]: raise RecursiveMappingError(rf[0]) elif pv == 'cmn-Hans': if 'cmn' not in index_language: raise MissingKeyError(rf[0]) if 'Hans' not in index_script: raise MissingKeyError(rf[0]) if ('preferred-value' in rec[index_language['cmn']][1]) or \ ('preferred-value' in rec[index_script['Hans']][1]): raise RecursiveMappingError(rf[0]) elif pv == 'cmn-Hant': if 'cmn' not in index_language: raise MissingKeyError(rf[0]) if 'Hant' not in index_script: raise MissingKeyError(rf[0]) if ('preferred-value' in rec[index_language['cmn']][1]) or \ ('preferred-value' in rec[index_script['Hant']][1]): raise RecursiveMappingError(rf[0]) else: raise MissingKeyError(rf[0]) else: raise LogicError() # If record is for an extlang, make sure it has a preferred-value # and that the preferred-value (language) is equal to the extlang # subtag if rt == 'extlang': if 'preferred-value' not in r: raise BadExtlangRemap(rf[0]) if r['preferred-value'] != r['subtag']: raise BadExtlangRemap(rf[0]) except FileNotFoundError: rec = None raise NoDataFileError(fpath) except ValueError: rec = None raise BadDataFile() except SubtagError as se: rec = None raise se except Exception as exc: rec = None raise SubtagError() from exc
class Subtagerror(Exception): def __str__(self): return 'Unknown subtag parsing error!' class Badcontinueline(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + 'Invalid location for continuation line!' else: return 'Invalid location for continuation line!' class Baddatafile(SubtagError): def __str__(self): return 'Subtag data file has invalid UTF-8 encoding!' class Badextlangremap(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'extlang record has improper remap!' else: return 'extlang record has improper remap!' class Badextlangsubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'extlang subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid extlang subtag!' else: return 'Record has invalid extlang subtag!' class Badlanguagesubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Language subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid language subtag!' else: return 'Record has invalid language subtag!' class Badprefix(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Prefix ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid prefix!' else: return 'Record has invalid prefix!' class Badrecordtype(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record type ' + self.m_tname + ' is unrecognized!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has unrecognized type!' else: return 'Record has unrecognized type!' class Badregionsubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Region subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid region subtag!' else: return 'Record has invalid region subtag!' class Badscriptsubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Script subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid script subtag!' else: return 'Record has invalid script subtag!' class Badscriptsuppress(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Script suppression ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid script suppression!' else: return 'Record has invalid script suppression!' class Badtagformat(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Tag ' + self.m_tname + ' has invalid format!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid tag format!' else: return 'Record has invalid tag format!' class Badvariantsubtag(SubtagError): def __init__(self, line=None, tname=None): self.m_line = line self.m_tname = tname def __str__(self): if self.m_line is not None and self.m_tname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Variant subtag ' + self.m_tname + ' is invalid!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid variant subtag!' else: return 'Record has invalid variant subtag!' class Emptyfieldname(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'One of the record field names is empty!' else: return 'One of the record field names is empty!' class Invalidfieldname(SubtagError): def __init__(self, line=None, fname=None): self.m_line = line self.m_fname = fname def __str__(self): if self.m_line is not None and self.m_fname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record field ' + self.m_fname + ' has invalid field name!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has invalid field name!' else: return 'Record has invalid field name!' class Logicerror(SubtagError): def __str__(self): return 'Internal logic error within subtag module!' class Missingkeyerror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has broken foreign key!' else: return 'Record has broken foreign key!' class Missingtypeerror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record is missing a Type field!' else: return 'Record is missing a Type field!' class Multifielderror(SubtagError): def __init__(self, line=None, fname=None): self.m_line = line self.m_fname = fname def __str__(self): if self.m_line is not None and self.m_fname is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record field ' + self.m_fname + ' is defined more than once!' elif self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has redefined field!' else: return 'Record has redefined field!' class Nocolonerror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag record at line ' + str(self.m_line) + ': ' + 'Record has line without colon!' else: return 'Record has line without colon!' class Nodatafileerror(SubtagError): def __init__(self, fpath=None): self.m_fpath = fpath def __str__(self): if self.m_fpath is not None: return "Can't find subtag data file " + self.m_fpath else: return "Can't find subtag data file!" class Prefixcontexterror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + "Prefix field can't be used with this kind of record!" else: return "Prefix field can't be used with this kind of record!" class Prefixmultierror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + "Multiple prefixes can't be used on this kind of record!" else: return "Multiple prefixes can't be used on this kind of record!" class Recursivemappingerror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + 'Record has recursive remapping!' else: return 'Record has recursive remapping!' class Redefinitionerror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + 'Record redefines key from previous record!' else: return 'Record redefines key from previous record!' class Scriptcontexterror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + "Script suppression can't be used on this kind of record!" else: return "Script suppression can't be used on this kind of record!" class Wrongtagtypeerror(SubtagError): def __init__(self, line=None): self.m_line = line def __str__(self): if self.m_line is not None: return 'Subtag data line ' + str(self.m_line) + ': ' + 'Record has wrong type of tag data!' else: return 'Record has wrong type of tag data!' rec = None def is_lower_letter(c): if not isinstance(c, str): return False if len(c) != 1: return False c = ord(c) if c >= ord('a') and c <= ord('z'): return True else: return False def is_upper_letter(c): if not isinstance(c, str): return False if len(c) != 1: return False c = ord(c) if c >= ord('A') and c <= ord('Z'): return True else: return False def is_digit(c): if not isinstance(c, str): return False if len(c) != 1: return False c = ord(c) if c >= ord('0') and c <= ord('9'): return True else: return False def is_format_tag(t): if not isinstance(t, str): return False if len(t) < 1: return False tl = len(t) for x in range(0, tl): c = t[x] if not is_upper_letter(c) and (not is_lower_letter(c)) and (not is_digit(c)) and (c != '-'): return False if c == '-': if x < 1 or x >= tl - 1: return False if t[x - 1] == '-': return False ta = t.split('-') first_tag = True found_singleton = False for tg in ta: if first_tag: first_tag = False for c in tg: if is_upper_letter(c): return False if len(tg) <= 1: found_singleton = True continue if found_singleton: for c in tg: if is_upper_letter(c): return False continue if len(tg) < 2: if is_upper_letter(tg): return False found_singleton = True elif len(tg) == 2: for c in tg: if is_lower_letter(c): return False elif len(tg) == 4: if is_lower_letter(tg[0]) or is_upper_letter(tg[1]) or is_upper_letter(tg[2]) or is_upper_letter(tg[3]): return False else: for c in tg: if is_upper_letter(c): return False return True def is_core_tag(t): if not is_format_tag(t): return False ta = t.split('-') for tg in ta: if len(tg) < 2: return False return True def valid_category(cname): if not isinstance(cname, str): return False if cname == 'language' or cname == 'extlang' or cname == 'script' or (cname == 'region') or (cname == 'variant') or (cname == 'grandfathered') or (cname == 'redundant'): return True else: return False def has_padding(s): if not isinstance(s, str): raise logic_error() if len(s) < 1: return False for x in range(0, 2): c = None if x == 0: c = s[0] elif x == 1: c = s[-1] else: raise logic_error() if c == ' ' or c == '\t' or c == '\n': return True return False def check_record(lnum, f): if not isinstance(lnum, int): raise logic_error() if lnum < 1: raise logic_error() if not isinstance(f, dict): raise logic_error() for k in list(f): if not isinstance(k, str): raise logic_error() if len(k) < 1: raise empty_field_name(lnum) if has_padding(k): raise logic_error() if not k.islower(): raise invalid_field_name(lnum, k) val = f[k] if k == 'description' or k == 'comments' or k == 'prefix': if not isinstance(val, list): raise logic_error() if len(val) < 1: raise logic_error() for e in val: if not isinstance(e, str): raise logic_error() if has_padding(e): raise logic_error() else: if not isinstance(val, str): raise logic_error() if has_padding(val): raise logic_error() if 'type' not in f: raise missing_type_error(lnum) if not valid_category(f['type']): raise bad_record_type(lnum, f['type']) if f['type'] == 'grandfathered' or f['type'] == 'redundant': if 'tag' not in f or 'subtag' in f: raise wrong_tag_type_error(lnum) elif 'subtag' not in f or 'tag' in f: raise wrong_tag_type_error(lnum) if 'subtag' in f: ft = f['type'] sv = f['subtag'] if ft == 'language': if (len(sv) < 2 or len(sv) > 3) and len(sv) != 8: raise bad_language_subtag(lnum, sv) if len(sv) == 8: if not is_lower_letter(sv[0]) or not is_lower_letter(sv[1]) or (not is_lower_letter(sv[2])) or (sv[3] != '.') or (sv[4] != '.') or (not is_lower_letter(sv[5])) or (not is_lower_letter(sv[6])) or (not is_lower_letter(sv[7])): raise bad_language_subtag(lnum, sv) else: for c in sv: if not is_lower_letter(c): raise bad_language_subtag(lnum, sv) elif ft == 'extlang': if len(sv) != 3: raise bad_extlang_subtag(lnum, sv) for c in sv: if not is_lower_letter(c): raise bad_extlang_subtag(lnum, sv) elif ft == 'script': if len(sv) == 4: if not is_upper_letter(sv[0]) or not is_lower_letter(sv[1]) or (not is_lower_letter(sv[2])) or (not is_lower_letter(sv[3])): raise bad_script_subtag(lnum, sv) elif len(sv) == 10: if not is_upper_letter(sv[0]) or not is_lower_letter(sv[1]) or (not is_lower_letter(sv[2])) or (not is_lower_letter(sv[3])) or (sv[4] != '.') or (sv[5] != '.') or (not is_upper_letter(sv[6])) or (not is_lower_letter(sv[7])) or (not is_lower_letter(sv[8])) or (not is_lower_letter(sv[9])): raise bad_script_subtag(lnum, sv) else: raise bad_script_subtag(lnum, sv) elif ft == 'region': if len(sv) == 2: if not is_upper_letter(sv[0]) or not is_upper_letter(sv[1]): raise bad_region_subtag(lnum, sv) elif len(sv) == 3: for c in sv: if not is_digit(c): raise bad_region_subtag(lnum, sv) elif len(sv) == 6: if not is_upper_letter(sv[0]) or not is_upper_letter(sv[1]) or sv[2] != '.' or (sv[3] != '.') or (not is_upper_letter(sv[4])) or (not is_upper_letter(sv[5])): raise bad_region_subtag(lnum, sv) else: raise bad_region_subtag(lnum, sv) elif ft == 'variant': if len(sv) < 4 or len(sv) > 8: raise bad_variant_subtag(lnum, sv) if len(sv) == 4: if not is_digit(sv[0]): raise bad_variant_subtag(lnum, sv) for c in sv: if not is_lower_letter(c) and (not is_digit(c)): raise bad_variant_subtag(lnum, sv) else: raise logic_error() if 'tag' in f: if not is_format_tag(f['tag']): raise bad_tag_format(lnum, f['tag']) if 'prefix' in f: if f['type'] != 'extlang' and f['type'] != 'variant': raise prefix_context_error(lnum) if f['type'] == 'extlang': if len(f['prefix']) > 1: raise prefix_multi_error(lnum) if f['type'] == 'extlang': for p in f['prefix']: if len(p) < 2 or len(p) > 3: raise bad_prefix(lnum, p) for c in p: if not is_lower_letter(c): raise bad_prefix(lnum, p) if f['type'] == 'variant': for p in f['prefix']: if not is_core_tag(p): raise bad_prefix(lnum, p) if 'suppress-script' in f: if f['type'] != 'language' and f['type'] != 'extlang': raise script_context_error(lnum) sn = f['suppress-script'] if len(sn) != 4: raise bad_script_suppress(lnum, sn) if not is_upper_letter(sn[0]) or not is_lower_letter(sn[1]) or (not is_lower_letter(sn[2])) or (not is_lower_letter(sn[3])): raise bad_script_suppress(lnum, sn) def raw_record(lnum, lines): global rec if not isinstance(rec, list): raise logic_error() if not isinstance(lnum, int): raise logic_error() if lnum < 1: raise logic_error() if not isinstance(lines, list): raise logic_error() for e in lines: if not isinstance(e, str): raise logic_error() rp = dict() for e in lines: ci = e.find(':') if ci < 0: raise no_colon_error(lnum) fname = '' fval = '' if ci > 0: fname = e[0:ci] if ci < len(e) - 1: fval = e[ci + 1:] fname = fname.strip(' \t\n') fval = fval.strip(' \t\n') fname = fname.lower() if fname == 'description' or fname == 'comments' or fname == 'prefix': if fname in rp: rp[fname].append(fval) else: rp[fname] = [fval] else: if fname in rp: raise multi_field_error(lnum, fname) rp[fname] = fval check_record(lnum, rp) rec.append((lnum, rp)) def parse(fpath): global rec if rec is not None: return if not isinstance(fpath, str): rec = None raise logic_error() rec = [] try: with open(fpath, mode='rt', encoding='utf-8', errors='strict') as fin: lbuf = [] line_num = 0 rec_line = 1 for line in fin: line_num = line_num + 1 line = line.rstrip(' \t\n') if len(line) < 1: continue if line == '%%': if rec_line <= 1: lbuf = [] rec_line = line_num + 1 continue raw_record(rec_line, lbuf) lbuf = [] rec_line = line_num + 1 continue fchar = line[0] if fchar == ' ' or fchar == '\t': if len(lbuf) < 1: raise bad_continue_line(line_num) line = ' ' + line.lstrip(' \t') lbuf[-1] = lbuf[-1] + line continue lbuf.append(line) if len(lbuf) > 0: raw_record(rec_line, lbuf) lbuf = [] index_language = dict() index_extlang = dict() index_script = dict() index_region = dict() index_variant = dict() index_grandfathered = dict() index_redundant = dict() rlen = len(rec) for i in range(0, rlen): r = rec[i][1] vt = r['type'] if vt == 'language': vn = r['subtag'] if vn in index_language: raise redefinition_error(rec[i][0]) index_language[vn] = i elif vt == 'extlang': vn = r['subtag'] if vn in index_extlang: raise redefinition_error(rec[i][0]) index_extlang[vn] = i elif vt == 'script': vn = r['subtag'] if vn in index_script: raise redefinition_error(rec[i][0]) index_script[vn] = i elif vt == 'region': vn = r['subtag'] if vn in index_region: raise redefinition_error(rec[i][0]) index_region[vn] = i elif vt == 'variant': vn = r['subtag'] if vn in index_variant: raise redefinition_error(rec[i][0]) index_variant[vn] = i elif vt == 'grandfathered': vn = r['tag'] if vn in index_grandfathered: raise redefinition_error(rec[i][0]) index_grandfathered[vn] = i elif vt == 'redundant': vn = r['tag'] if vn in index_redundant: raise redefinition_error(rec[i][0]) index_redundant[vn] = i else: raise logic_error() for rf in rec: r = rf[1] rt = r['type'] if 'suppress-script' in r: if r['suppress-script'] not in index_script: raise missing_key_error(rf[0]) if 'prefix' in r and rt == 'extlang': for p in r['prefix']: if p not in index_language: raise missing_key_error(rf[0]) if 'prefix' in r and rt == 'variant': for p in r['prefix']: pa = p.split('-') if pa[0] not in index_language: raise missing_key_error(rf[0]) i = 1 pt = 'extlang' while i < len(pa): if pt == 'extlang': if len(pa[i]) == 3 and is_lower_letter(pa[i][0]): if pa[i] in index_extlang: i = i + 1 pt = 'script' else: raise missing_key_error(rf[0]) else: pt = 'script' elif pt == 'script': if len(pa[i]) == 4 and is_upper_letter(pa[i][0]): if pa[i] in index_script: i = i + 1 pt = 'region' else: raise missing_key_error(rf[0]) else: pt = 'region' elif pt == 'region': if len(pa[i]) == 2 or (len(pa[i]) == 3 and is_digit(pa[i][0])): if pa[i] in index_region: i = i + 1 pt = 'variant' else: raise missing_key_error(rf[0]) else: pt = 'variant' elif pt == 'variant': if len(pa[i]) == 4 and is_digit(pa[i][0]) or len(pa[i]) > 4: if pa[i] in index_variant: i = i + 1 else: raise missing_key_error(rf[0]) else: raise missing_key_error(rf[0]) else: raise logic_error() if 'preferred-value' in r: pv = r['preferred-value'] if rt == 'language': if pv not in index_language: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_language[pv]][1]: raise recursive_mapping_error(rf[0]) elif rt == 'script': if pv not in index_script: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_script[pv]][1]: raise recursive_mapping_error(rf[0]) elif rt == 'region': if pv not in index_region: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_region[pv]][1]: raise recursive_mapping_error(rf[0]) elif rt == 'variant': if pv not in index_variant: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_variant[pv]][1]: raise recursive_mapping_error(rf[0]) elif rt == 'extlang': if pv not in index_language: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_language[pv]][1]: raise recursive_mapping_error(rf[0]) elif rt == 'grandfathered': if pv in index_language: if 'preferred-value' in rec[index_language[pv]][1]: raise recursive_mapping_error(rf[0]) elif pv == 'en-GB-oxendict': if 'en' not in index_language: raise missing_key_error(rf[0]) if 'GB' not in index_region: raise missing_key_error(rf[0]) if 'oxendict' not in index_variant: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_language['en']][1] or 'preferred-value' in rec[index_region['GB']][1] or 'preferred-value' in rec[index_variant['oxendict']][1]: raise recursive_mapping_error(rf[0]) else: raise missing_key_error(rf[0]) elif rt == 'redundant': if pv in index_language: if 'preferred-value' in rec[index_language[pv]][1]: raise recursive_mapping_error(rf[0]) elif pv == 'cmn-Hans': if 'cmn' not in index_language: raise missing_key_error(rf[0]) if 'Hans' not in index_script: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_language['cmn']][1] or 'preferred-value' in rec[index_script['Hans']][1]: raise recursive_mapping_error(rf[0]) elif pv == 'cmn-Hant': if 'cmn' not in index_language: raise missing_key_error(rf[0]) if 'Hant' not in index_script: raise missing_key_error(rf[0]) if 'preferred-value' in rec[index_language['cmn']][1] or 'preferred-value' in rec[index_script['Hant']][1]: raise recursive_mapping_error(rf[0]) else: raise missing_key_error(rf[0]) else: raise logic_error() if rt == 'extlang': if 'preferred-value' not in r: raise bad_extlang_remap(rf[0]) if r['preferred-value'] != r['subtag']: raise bad_extlang_remap(rf[0]) except FileNotFoundError: rec = None raise no_data_file_error(fpath) except ValueError: rec = None raise bad_data_file() except SubtagError as se: rec = None raise se except Exception as exc: rec = None raise subtag_error() from exc
for _ in range(int(input())): p,n=input(),int(input()) x=input()[1:-1].split(',') pos,rpos,mode=0,n-1,0 error=False for i in p: if i=='R': mode=(mode+1)%2 else: if pos>rpos: print('error') error=True break if mode==0: pos+=1 else: rpos-=1 if error: continue print(end='[') if mode==0: for i in range(pos,rpos+1): print(end=x[i]) if i!=rpos: print(end=',') else: for i in range(rpos,pos-1,-1): print(end=x[i]) if i!=pos: print(end=',') print(']')
for _ in range(int(input())): (p, n) = (input(), int(input())) x = input()[1:-1].split(',') (pos, rpos, mode) = (0, n - 1, 0) error = False for i in p: if i == 'R': mode = (mode + 1) % 2 else: if pos > rpos: print('error') error = True break if mode == 0: pos += 1 else: rpos -= 1 if error: continue print(end='[') if mode == 0: for i in range(pos, rpos + 1): print(end=x[i]) if i != rpos: print(end=',') else: for i in range(rpos, pos - 1, -1): print(end=x[i]) if i != pos: print(end=',') print(']')
# -*- coding: utf-8 -*- # @Author: davidhansonc # @Date: 2021-01-19 10:22:34 # @Last Modified by: davidhansonc # @Last Modified time: 2021-01-19 10:56:52 my_string = 'abcde fgh' def reverse_string(string): rev_str = '' for i in range(len(string)-1, -1, -1): rev_str += string[i] return rev_str def reverse_string2(string): return string[::-1] print(reverse_string(my_string)) print(reverse_string2(my_string))
my_string = 'abcde fgh' def reverse_string(string): rev_str = '' for i in range(len(string) - 1, -1, -1): rev_str += string[i] return rev_str def reverse_string2(string): return string[::-1] print(reverse_string(my_string)) print(reverse_string2(my_string))
# Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def middleNode(self, head: ListNode) -> ListNode: d = 1 current = head.next middle = head while current: d += 1 if d % 2 == 0: middle = middle.next current = current.next return middle
class Solution: def middle_node(self, head: ListNode) -> ListNode: d = 1 current = head.next middle = head while current: d += 1 if d % 2 == 0: middle = middle.next current = current.next return middle
name = 'Sina' last = 'Bakhshandeh' age = 29 nationality = 'Iran' a = 'I am Sina Bakhshandeh 29 years old, from iran.' # print(a) # print('I am', name, last, age ,'years old, from ', nationality) b = 'I am {} {} {} years old, from {}.' print( b.format(name, last, age, nationality) )
name = 'Sina' last = 'Bakhshandeh' age = 29 nationality = 'Iran' a = 'I am Sina Bakhshandeh 29 years old, from iran.' b = 'I am {} {} {} years old, from {}.' print(b.format(name, last, age, nationality))
#!usr/bin/python3 with open('01/input.txt', 'r') as file: increases = 0 previous = file.readline() for line in file.readlines(): delta = int(line) - int(previous) if delta > 0: increases += 1 previous = line print(increases)
with open('01/input.txt', 'r') as file: increases = 0 previous = file.readline() for line in file.readlines(): delta = int(line) - int(previous) if delta > 0: increases += 1 previous = line print(increases)
# Basics 5 == 5 # True 5 == 4 # False 5 != 4 # True 5 > 3 # True 3 < 5 # True 5 >= 3 # True 5 >= 5 # True [1, 2, 4] > [1, 2, 3] # True 1 < 2 and 5 > 4 # True (1 < 2) and (5 > 4) # True 1 > 2 or 5 > 4 # True #Chainging x = 4 x > 3 and x < 5 # True 3 < x < 5 # True # isinstance isinstance("Will", str) # True isinstance("Will", int) # False isinstance(4.0, float) # True # is operator checks for exact match a = True b = True a is b # True, the id for a and b are the same x = [1, 2, 3] y = [1, 2, 3] x is y # False, the id for x and y are different # in x = [1, 2, 3] 3 in x # True 5 in x # False x = [1, 2, 3] for value in x: if (value == 2): print("Value is 2") # Value is 2 car = { "model": "chevy", "year": 1970, "color": "red" } if ("model" in car): print("This is a {0}".format(car["model"])) # This is a chevy
5 == 5 5 == 4 5 != 4 5 > 3 3 < 5 5 >= 3 5 >= 5 [1, 2, 4] > [1, 2, 3] 1 < 2 and 5 > 4 1 < 2 and 5 > 4 1 > 2 or 5 > 4 x = 4 x > 3 and x < 5 3 < x < 5 isinstance('Will', str) isinstance('Will', int) isinstance(4.0, float) a = True b = True a is b x = [1, 2, 3] y = [1, 2, 3] x is y x = [1, 2, 3] 3 in x 5 in x x = [1, 2, 3] for value in x: if value == 2: print('Value is 2') car = {'model': 'chevy', 'year': 1970, 'color': 'red'} if 'model' in car: print('This is a {0}'.format(car['model']))
# Region # VPC # Private Subnet # Public Subnet # Security Group # Availability Zone # AWS Step Functions Workflow # Elastic Beanstalk container # Auto Scaling Group # Server contents # EC2 instance contents # Spot Fleet groups = { 'AWS::AccountId': {'level': 0}, 'AWS::Region': {'level': 1}, 'AWS::IAM::': {'level': 2}, 'AWS::EC2::VPC': {'level': 3}, 'AvailabilityZone': {'level': 4}, 'AWS::EC2::SecurityGroup': {'level': 4}, 'AWS::EC2::Subnet': {'level': 5}, 'Default': {'level': 6} # e.g. EC2 instance } blacklist_resource_types = [ 'AWS::SSM::Parameter', 'AWS::Lambda::Permission', 'AWS::ApiGateway::Deployment', 'AWS::Lambda::Version', 'AWS::Lambda::LayerVersionPermission', 'AWS::IAM::ManagedPolicy', 'AWS::SQS::QueuePolicy' ] # https://aws.amazon.com/architecture/icons/ resource_type_image = { 'AWS::Serverless::Function': 'AWS-Lambda_Lambda-Function_light-bg@4x.png', 'AWS::Serverless::LayerVersion': 'AWS-Lambda@4x.png', # 'AWS::Lambda::LayerVersionPermission': '', 'AWS::Serverless::Api': 'Amazon-API-Gateway_Endpoint_light-bg@4x.png', 'AWS::IAM::Role': 'AWS-Identity-and-Access-Management-IAM_Role_light-bg@4x.png', 'AWS::ApiGateway::Account': 'Amazon-API-Gateway_Endpoint_light-bg@4x.png', 'AWS::Logs::LogGroup': 'Amazon-CloudWatch@4x.png', 'AWS::S3::Bucket': 'Amazon-Simple-Storage-Service-S3_Bucket_light-bg@4x.png', 'AWS::SNS::Topic': 'Amazon-Simple-Notification-Service-SNS_Topic_light-bg@4x.png', 'AWS::SQS::Queue': 'Amazon-Simple-Queue-Service-SQS_Queue_light-bg@4x.png', # 'AWS::SQS::QueuePolicy': '', 'AWS::SNS::Subscription': 'Amazon-Simple-Notification-Service-SNS_light-bg@4x.png', 'AWS::IAM::ManagedPolicy': 'AWS-Identity-and-Access-Management-IAM_Permissions_light-bg@4x.png', 'AWS::SSM::Parameter': 'AWS-Systems-Manager_Parameter-Store_light-bg@4x.png' }
groups = {'AWS::AccountId': {'level': 0}, 'AWS::Region': {'level': 1}, 'AWS::IAM::': {'level': 2}, 'AWS::EC2::VPC': {'level': 3}, 'AvailabilityZone': {'level': 4}, 'AWS::EC2::SecurityGroup': {'level': 4}, 'AWS::EC2::Subnet': {'level': 5}, 'Default': {'level': 6}} blacklist_resource_types = ['AWS::SSM::Parameter', 'AWS::Lambda::Permission', 'AWS::ApiGateway::Deployment', 'AWS::Lambda::Version', 'AWS::Lambda::LayerVersionPermission', 'AWS::IAM::ManagedPolicy', 'AWS::SQS::QueuePolicy'] resource_type_image = {'AWS::Serverless::Function': 'AWS-Lambda_Lambda-Function_light-bg@4x.png', 'AWS::Serverless::LayerVersion': 'AWS-Lambda@4x.png', 'AWS::Serverless::Api': 'Amazon-API-Gateway_Endpoint_light-bg@4x.png', 'AWS::IAM::Role': 'AWS-Identity-and-Access-Management-IAM_Role_light-bg@4x.png', 'AWS::ApiGateway::Account': 'Amazon-API-Gateway_Endpoint_light-bg@4x.png', 'AWS::Logs::LogGroup': 'Amazon-CloudWatch@4x.png', 'AWS::S3::Bucket': 'Amazon-Simple-Storage-Service-S3_Bucket_light-bg@4x.png', 'AWS::SNS::Topic': 'Amazon-Simple-Notification-Service-SNS_Topic_light-bg@4x.png', 'AWS::SQS::Queue': 'Amazon-Simple-Queue-Service-SQS_Queue_light-bg@4x.png', 'AWS::SNS::Subscription': 'Amazon-Simple-Notification-Service-SNS_light-bg@4x.png', 'AWS::IAM::ManagedPolicy': 'AWS-Identity-and-Access-Management-IAM_Permissions_light-bg@4x.png', 'AWS::SSM::Parameter': 'AWS-Systems-Manager_Parameter-Store_light-bg@4x.png'}
f = open('latin_text', 'w') for i in xrange(5000): text = "Lorem ipsum dolor sit amet, est malis molestiae no,\nrebum" \ "mediocrem vituperatoribus qui et. Quando intellegam ne mea," \ " utroque\n voluptua sensibus nam te. In duo accusam accusamus," \ " mea ad iriure detracto\nsigniferumque. Veri complectitur" \ " concludaturque te sed. Ad pri intellegam\ncomprehensam. " \ "Detracto pertinax pri ex, usu ne animal mandamus, sit ut\n" \ "delectus forensibus.\n\n" f.write(text) f.close()
f = open('latin_text', 'w') for i in xrange(5000): text = 'Lorem ipsum dolor sit amet, est malis molestiae no,\nrebummediocrem vituperatoribus qui et. Quando intellegam ne mea, utroque\n voluptua sensibus nam te. In duo accusam accusamus, mea ad iriure detracto\nsigniferumque. Veri complectitur concludaturque te sed. Ad pri intellegam\ncomprehensam. Detracto pertinax pri ex, usu ne animal mandamus, sit ut\ndelectus forensibus.\n\n' f.write(text) f.close()
def multi_inverse(b, n): r1 = n r2 = b t1 = 0 t2 = 1 while(r1 > 0): q = int(r1/r2) r = r1 - q * r2 r1 = r2 r2 = r t = t1 - q * t2 t1 = t2 t2 = t if(r1 == 1): inv_t = t1 break return inv_t
def multi_inverse(b, n): r1 = n r2 = b t1 = 0 t2 = 1 while r1 > 0: q = int(r1 / r2) r = r1 - q * r2 r1 = r2 r2 = r t = t1 - q * t2 t1 = t2 t2 = t if r1 == 1: inv_t = t1 break return inv_t
#Data : 2018-10-15 #Author : Fengyuan Zhang (Franklin) #Email : franklinzhang@foxmail.com class ModelDataHandler: def __init__(self, context): self.mContext = context self.mExecutionPath = '' self.mZipExecutionPath = '' self.mExecutionName = '' self.mSavePath = '' self.mSaveName = '' self.mReturnFileFullName = '' def connectDataMappingMethod(self, execName): self.mExecutionName = execName self.mZipExecutionPath = self.mContext.getMappingLibrary() if self.mZipExecutionPath[ : -1] != '\\': self.mZipExecutionPath = self.mZipExecutionPath + '\\' self.mExecutionPath = self.mContext.onGetModelAssembly(execName) # self.mContext.onPostMessageInfo(execName) if self.mExecutionPath[ : -1] != '\\': self.mExecutionPath = self.mExecutionPath + '\\' self.mSaveName = '' self.mSavePath = '' self.mReturnFileFullName = '' def configureWorkingDirection(self, savePath): if savePath == '': self.mSavePath = self.mContext.getModelInstanceDirectory() else : self.mSavePath = savePath if self.mSavePath[ : -1] != '\\': self.mSavePath = self.mSavePath + '\\' def conductUDXMapping(self, resultSaveName): pass def conductFileMapping(self, list_rawFiles): pass def getRealResultSaveName(self): pass def doRequestEvent_MappingData(self, resultSaveName, name, value, type): pass
class Modeldatahandler: def __init__(self, context): self.mContext = context self.mExecutionPath = '' self.mZipExecutionPath = '' self.mExecutionName = '' self.mSavePath = '' self.mSaveName = '' self.mReturnFileFullName = '' def connect_data_mapping_method(self, execName): self.mExecutionName = execName self.mZipExecutionPath = self.mContext.getMappingLibrary() if self.mZipExecutionPath[:-1] != '\\': self.mZipExecutionPath = self.mZipExecutionPath + '\\' self.mExecutionPath = self.mContext.onGetModelAssembly(execName) if self.mExecutionPath[:-1] != '\\': self.mExecutionPath = self.mExecutionPath + '\\' self.mSaveName = '' self.mSavePath = '' self.mReturnFileFullName = '' def configure_working_direction(self, savePath): if savePath == '': self.mSavePath = self.mContext.getModelInstanceDirectory() else: self.mSavePath = savePath if self.mSavePath[:-1] != '\\': self.mSavePath = self.mSavePath + '\\' def conduct_udx_mapping(self, resultSaveName): pass def conduct_file_mapping(self, list_rawFiles): pass def get_real_result_save_name(self): pass def do_request_event__mapping_data(self, resultSaveName, name, value, type): pass
class Solution: def trap(self, height: List[int]) -> int: if len(height) < 3: return 0 max_left = [0] * len(height) max_right = [0] * len(height) for i in range(1, len(height)): max_left[i] = max(height[i - 1], max_left[i - 1]) for i in range(len(height) - 2, 0, -1): max_right[i] = max(height[i + 1], max_right[i + 1]) res = 0 for i in range(1, len(height) - 1): min_height = min(max_left[i], max_right[i]) if min_height > height[i]: res += min_height - height[i] return res
class Solution: def trap(self, height: List[int]) -> int: if len(height) < 3: return 0 max_left = [0] * len(height) max_right = [0] * len(height) for i in range(1, len(height)): max_left[i] = max(height[i - 1], max_left[i - 1]) for i in range(len(height) - 2, 0, -1): max_right[i] = max(height[i + 1], max_right[i + 1]) res = 0 for i in range(1, len(height) - 1): min_height = min(max_left[i], max_right[i]) if min_height > height[i]: res += min_height - height[i] return res
__version__ = "0.2.2" __license__ = "MIT License" __website__ = "https://code.exrny.com/opensource/vulcan-builder/" __download_url__ = ('https://github.com/exrny/vulcan-builder/archive/' '{}.tar.gz'.format(__version__))
__version__ = '0.2.2' __license__ = 'MIT License' __website__ = 'https://code.exrny.com/opensource/vulcan-builder/' __download_url__ = 'https://github.com/exrny/vulcan-builder/archive/{}.tar.gz'.format(__version__)
''' Created on Mar 27, 2015 @author: maxz ''' def lim(x, perc=.1): r = x.max() - x.min() return x.min()-perc*r, x.max()+perc*r
""" Created on Mar 27, 2015 @author: maxz """ def lim(x, perc=0.1): r = x.max() - x.min() return (x.min() - perc * r, x.max() + perc * r)
# Copyright 2019 The go-python Authors. All rights reserved. # Use of this source code is governed by a BSD-style # license that can be found in the LICENSE file. # Benchmark adapted from https://github.com/d5/tengobench/ doc="fib tail call recursion test" def fib(n, a, b): if n == 0: return a elif n == 1: return b return fib(n-1, b, a+b) fib(35, 0, 1) doc="finished"
doc = 'fib tail call recursion test' def fib(n, a, b): if n == 0: return a elif n == 1: return b return fib(n - 1, b, a + b) fib(35, 0, 1) doc = 'finished'
class ParsingError(Exception): pass
class Parsingerror(Exception): pass
load("@bazelruby_rules_ruby//ruby:defs.bzl", "ruby_test") # `dir` is path from WORKSPACE root. def steep_check(name, bin, srcs, deps, dir = ".", rubyopt = []): ruby_test( name = name, srcs = srcs, deps = deps, main = bin, args = [ "check", "--steepfile={}/Steepfile".format(dir), "--steep-command={}/{}".format(dir, name), ], rubyopt = rubyopt, )
load('@bazelruby_rules_ruby//ruby:defs.bzl', 'ruby_test') def steep_check(name, bin, srcs, deps, dir='.', rubyopt=[]): ruby_test(name=name, srcs=srcs, deps=deps, main=bin, args=['check', '--steepfile={}/Steepfile'.format(dir), '--steep-command={}/{}'.format(dir, name)], rubyopt=rubyopt)
class Location: pass class DecimalLocation: pass class GridLocation: pass
class Location: pass class Decimallocation: pass class Gridlocation: pass
def make_complex1(*args): x, y = args return dict(**locals()) def make_complex2(x, y): return {'x': x, 'y': y} print(make_complex1(5, 6)) print(make_complex2(5, 6))
def make_complex1(*args): (x, y) = args return dict(**locals()) def make_complex2(x, y): return {'x': x, 'y': y} print(make_complex1(5, 6)) print(make_complex2(5, 6))
if __name__ == '__main__': def uninit_switch(*args): raise TypeError("executed a case stmt outside switch's context") class switch: @property def default(self): if self.finished: raise SyntaxError("multiple 'default' cases were provided") self.finished = True return True def __init__(self, target): self.__targ = target self.compare = uninit_switch def __iter__(self): self.islocked = True # when True, must test for equality on each self.finished = False # default has been evaluated def cmp_unlocked(targ): assert not self.islocked if self.finished: raise SyntaxError("switch continued after execution of default") return True def cmp_locked(targ, cmp=self.__targ.__eq__): assert self.islocked if self.islocked and cmp(targ): self.islocked = False self.compare = cmp_unlocked return True return False self.compare = cmp_locked yield self def __call__(self, comp): return self.compare(comp) def switch_demo(x): for case in switch(x): if case(-1): print('below zero') case(0); if case(1): print(1) if case(2): print(2) case.default print('default') switch_demo(1)
if __name__ == '__main__': def uninit_switch(*args): raise type_error("executed a case stmt outside switch's context") class Switch: @property def default(self): if self.finished: raise syntax_error("multiple 'default' cases were provided") self.finished = True return True def __init__(self, target): self.__targ = target self.compare = uninit_switch def __iter__(self): self.islocked = True self.finished = False def cmp_unlocked(targ): assert not self.islocked if self.finished: raise syntax_error('switch continued after execution of default') return True def cmp_locked(targ, cmp=self.__targ.__eq__): assert self.islocked if self.islocked and cmp(targ): self.islocked = False self.compare = cmp_unlocked return True return False self.compare = cmp_locked yield self def __call__(self, comp): return self.compare(comp) def switch_demo(x): for case in switch(x): if case(-1): print('below zero') case(0) if case(1): print(1) if case(2): print(2) case.default print('default') switch_demo(1)
stamina = 6 alive=False def report(stamina): if stamina > 8: print ("The alien is strong! It resists your pathetic attack!") elif stamina > 5: print ("With a loud grunt, the alien stands firm.") elif stamina > 3: print ("Your attack seems to be having an effect! The alien stumbles!") elif stamina > 0: print ("The alien is certain to fall soon! It staggers and reels!") else: print ("That's it! The alien is finished! ") def fight(stamina): while stamina > 0: response = input("> Enter a move 1.Hit 2.attack 3.fight 4.run--") if "hit" in response or "attack" in response: less = report(stamina-1) elif "fight" in response: print ("Fight how? You have no weapons, silly space traveler!") elif "run" in response: print ("Sadly, there is nowhere to run."), print ("The spaceship is not very big.") else: print ("The alien zaps you with its powerful ray gun!") return True stamina-=1 return False n=int(input("how many times to want play code--")) fight(n) print ("A threatening alien wants to fight you!\n")
stamina = 6 alive = False def report(stamina): if stamina > 8: print('The alien is strong! It resists your pathetic attack!') elif stamina > 5: print('With a loud grunt, the alien stands firm.') elif stamina > 3: print('Your attack seems to be having an effect! The alien stumbles!') elif stamina > 0: print('The alien is certain to fall soon! It staggers and reels!') else: print("That's it! The alien is finished! ") def fight(stamina): while stamina > 0: response = input('> Enter a move 1.Hit 2.attack 3.fight 4.run--') if 'hit' in response or 'attack' in response: less = report(stamina - 1) elif 'fight' in response: print('Fight how? You have no weapons, silly space traveler!') elif 'run' in response: (print('Sadly, there is nowhere to run.'),) print('The spaceship is not very big.') else: print('The alien zaps you with its powerful ray gun!') return True stamina -= 1 return False n = int(input('how many times to want play code--')) fight(n) print('A threatening alien wants to fight you!\n')
class EpisodeQuality: def __init__(self, title: str, url: str): self.title = title self.url = url
class Episodequality: def __init__(self, title: str, url: str): self.title = title self.url = url
# # PySNMP MIB module APSLB-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/APSLB-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:24:22 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) # acmepacketMgmt, = mibBuilder.importSymbols("ACMEPACKET-SMI", "acmepacketMgmt") ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint") InetAddress, InetAddressPrefixLength, InetVersion, InetZoneIndex, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressPrefixLength", "InetVersion", "InetZoneIndex", "InetAddressType") ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup") ObjectIdentity, TimeTicks, Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, Gauge32, IpAddress, iso, MibIdentifier, Bits, Counter64, NotificationType, Counter32, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "TimeTicks", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "Gauge32", "IpAddress", "iso", "MibIdentifier", "Bits", "Counter64", "NotificationType", "Counter32", "Unsigned32") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") apSLBModule = ModuleIdentity((1, 3, 6, 1, 4, 1, 9148, 3, 11)) if mibBuilder.loadTexts: apSLBModule.setLastUpdated('201103090000Z') if mibBuilder.loadTexts: apSLBModule.setOrganization('Acme Packet, Inc') if mibBuilder.loadTexts: apSLBModule.setContactInfo(' Customer Service Postal: Acme Packet, Inc 100 Crosby Drive Bedford, MA 01730 US Tel: 1-781-328-4400 E-mail: support@acmepacket.com') if mibBuilder.loadTexts: apSLBModule.setDescription('The Session Load Balancer MIB for Acme Packet.') apSLBMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1)) apSLBNotificationObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 2)) apSLBNotificationPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3)) apSLBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4)) apSLBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0)) apSLBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 1)) apSLBNotificationGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 2)) apSLBMIBGeneralObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1)) apSLBStatsEndpointsCurrent = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 1), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBStatsEndpointsCurrent.setStatus('current') if mibBuilder.loadTexts: apSLBStatsEndpointsCurrent.setDescription('Number of endpoints currently on the SLB.') apSLBStatsEndpointsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 2), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBStatsEndpointsDenied.setStatus('current') if mibBuilder.loadTexts: apSLBStatsEndpointsDenied.setDescription('Number of endpoints denied by the SLB because the system has reached the maximum endpoint capacity.') apSLBEndpointCapacity = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 3), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBEndpointCapacity.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacity.setDescription('The maximum number of endpoints allowed on the SLB. This value is based on the installed SLB license(s).') apSLBEndpointCapacityUpperThresh = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBEndpointCapacityUpperThresh.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityUpperThresh.setDescription('The configured endpoint capacity upper threshold percentage.') apSLBEndpointCapacityLowerThresh = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBEndpointCapacityLowerThresh.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityLowerThresh.setDescription('The configured endpoint capacity lower threshold percentage.') apSLBStatsUntrustedEndpointsCurrent = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 6), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsCurrent.setStatus('current') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsCurrent.setDescription('Number of untrusted endpoints currently on the SLB.') apSLBStatsTrustedEndpointsCurrent = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 7), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBStatsTrustedEndpointsCurrent.setStatus('current') if mibBuilder.loadTexts: apSLBStatsTrustedEndpointsCurrent.setDescription('Number of trusted endpoints currently on the SLB.') apSLBStatsUntrustedEndpointsDenied = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 8), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsDenied.setStatus('current') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsDenied.setDescription('The number of untrusted endpoints denied by the SLB due to the total number of untrusted endpoints exceeding the configured maximum allowed.') apSLBStatsUntrustedEndpointsAgedOut = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 9), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsAgedOut.setStatus('current') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsAgedOut.setDescription('The number of untrusted endpoints aged out of the system because they were not authenticated within the configured grace period.') apSLBUntrustedEndpointCapacity = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 10), Unsigned32()).setUnits('endpoints').setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacity.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacity.setDescription('The maximum number of untrusted endpoints allowed on the SLB. This value is a configured percentage of the maximum endpoint capacity of the system.') apSLBUntrustedEndpointCapacityUpperThresh = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityUpperThresh.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityUpperThresh.setDescription('The configured untrusted endpoint capacity upper threshold percentage.') apSLBUntrustedEndpointCapacityLowerThresh = MibScalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly") if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityLowerThresh.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityLowerThresh.setDescription('The configured untrusted endpoint capacity lower threshold percentage.') apSLBEndpointCapacityThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 1)).setObjects(("APSLB-MIB", "apSLBStatsEndpointsCurrent"), ("APSLB-MIB", "apSLBEndpointCapacity"), ("APSLB-MIB", "apSLBEndpointCapacityUpperThresh"), ("APSLB-MIB", "apSLBEndpointCapacityLowerThresh")) if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdTrap.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdTrap.setDescription('The trap will be generated when the number of endpoints on the SLB exceeds the configured threshold.') apSLBEndpointCapacityThresholdClearTrap = NotificationType((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 2)).setObjects(("APSLB-MIB", "apSLBStatsEndpointsCurrent"), ("APSLB-MIB", "apSLBEndpointCapacity"), ("APSLB-MIB", "apSLBEndpointCapacityUpperThresh"), ("APSLB-MIB", "apSLBEndpointCapacityLowerThresh")) if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdClearTrap.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdClearTrap.setDescription('The trap will be generated when the number of endpoints on the SLB falls below the configured threshold.') apSLBUntrustedEndpointCapacityThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 3)).setObjects(("APSLB-MIB", "apSLBStatsUntrustedEndpointsCurrent"), ("APSLB-MIB", "apSLBStatsUntrustedEndpointsDenied"), ("APSLB-MIB", "apSLBStatsUntrustedEndpointsAgedOut"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacity"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityUpperThresh"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityLowerThresh")) if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdTrap.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdTrap.setDescription('The trap will be generated when the number of untrusted endpoints on the SLB exceeds the configured threshold.') apSLBUntrustedEndpointCapacityThresholdClearTrap = NotificationType((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 4)).setObjects(("APSLB-MIB", "apSLBStatsUntrustedEndpointsCurrent"), ("APSLB-MIB", "apSLBStatsUntrustedEndpointsDenied"), ("APSLB-MIB", "apSLBStatsUntrustedEndpointsAgedOut"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacity"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityUpperThresh"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityLowerThresh")) if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdClearTrap.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdClearTrap.setDescription('The trap will be generated when the number of untrusted endpoints on the SLB falls below the configured threshold.') apSLBEndpointCapacityGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 1, 1)).setObjects(("APSLB-MIB", "apSLBStatsEndpointsCurrent"), ("APSLB-MIB", "apSLBStatsEndpointsDenied"), ("APSLB-MIB", "apSLBEndpointCapacity"), ("APSLB-MIB", "apSLBEndpointCapacityUpperThresh"), ("APSLB-MIB", "apSLBEndpointCapacityLowerThresh")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): apSLBEndpointCapacityGroup = apSLBEndpointCapacityGroup.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityGroup.setDescription('Objects for monitoring SLB endpoint capacity.') apSLBUntrustedEndpointCapacityGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 1, 2)).setObjects(("APSLB-MIB", "apSLBStatsUntrustedEndpointsCurrent"), ("APSLB-MIB", "apSLBStatsTrustedEndpointsCurrent"), ("APSLB-MIB", "apSLBStatsUntrustedEndpointsDenied"), ("APSLB-MIB", "apSLBStatsUntrustedEndpointsAgedOut"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacity"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityUpperThresh"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityLowerThresh")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): apSLBUntrustedEndpointCapacityGroup = apSLBUntrustedEndpointCapacityGroup.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityGroup.setDescription('Objects for monitoring SLB untrusted endpoint capacity.') apSLBEndpointCapacityNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 2, 1)).setObjects(("APSLB-MIB", "apSLBEndpointCapacityThresholdTrap"), ("APSLB-MIB", "apSLBEndpointCapacityThresholdClearTrap")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): apSLBEndpointCapacityNotificationsGroup = apSLBEndpointCapacityNotificationsGroup.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityNotificationsGroup.setDescription('Traps to monitor SLB endpoint capacity threshold crossings.') apSLBUntrustedEndpointCapacityNotificationsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 2, 2)).setObjects(("APSLB-MIB", "apSLBUntrustedEndpointCapacityThresholdTrap"), ("APSLB-MIB", "apSLBUntrustedEndpointCapacityThresholdClearTrap")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): apSLBUntrustedEndpointCapacityNotificationsGroup = apSLBUntrustedEndpointCapacityNotificationsGroup.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityNotificationsGroup.setDescription('Traps to monitor SLB untrusted endpoint capacity threshold crossings.') mibBuilder.exportSymbols("APSLB-MIB", apSLBEndpointCapacityNotificationsGroup=apSLBEndpointCapacityNotificationsGroup, apSLBEndpointCapacityLowerThresh=apSLBEndpointCapacityLowerThresh, apSLBUntrustedEndpointCapacityLowerThresh=apSLBUntrustedEndpointCapacityLowerThresh, apSLBStatsUntrustedEndpointsAgedOut=apSLBStatsUntrustedEndpointsAgedOut, apSLBEndpointCapacityThresholdTrap=apSLBEndpointCapacityThresholdTrap, apSLBUntrustedEndpointCapacityGroup=apSLBUntrustedEndpointCapacityGroup, apSLBUntrustedEndpointCapacity=apSLBUntrustedEndpointCapacity, apSLBUntrustedEndpointCapacityThresholdTrap=apSLBUntrustedEndpointCapacityThresholdTrap, apSLBStatsUntrustedEndpointsCurrent=apSLBStatsUntrustedEndpointsCurrent, apSLBNotifications=apSLBNotifications, apSLBModule=apSLBModule, apSLBNotificationPrefix=apSLBNotificationPrefix, apSLBConformance=apSLBConformance, apSLBMIBObjects=apSLBMIBObjects, apSLBGroups=apSLBGroups, apSLBMIBGeneralObjects=apSLBMIBGeneralObjects, apSLBStatsEndpointsCurrent=apSLBStatsEndpointsCurrent, apSLBUntrustedEndpointCapacityUpperThresh=apSLBUntrustedEndpointCapacityUpperThresh, apSLBEndpointCapacity=apSLBEndpointCapacity, apSLBStatsTrustedEndpointsCurrent=apSLBStatsTrustedEndpointsCurrent, apSLBUntrustedEndpointCapacityNotificationsGroup=apSLBUntrustedEndpointCapacityNotificationsGroup, apSLBStatsUntrustedEndpointsDenied=apSLBStatsUntrustedEndpointsDenied, apSLBNotificationGroups=apSLBNotificationGroups, PYSNMP_MODULE_ID=apSLBModule, apSLBEndpointCapacityThresholdClearTrap=apSLBEndpointCapacityThresholdClearTrap, apSLBUntrustedEndpointCapacityThresholdClearTrap=apSLBUntrustedEndpointCapacityThresholdClearTrap, apSLBStatsEndpointsDenied=apSLBStatsEndpointsDenied, apSLBNotificationObjects=apSLBNotificationObjects, apSLBEndpointCapacityGroup=apSLBEndpointCapacityGroup, apSLBEndpointCapacityUpperThresh=apSLBEndpointCapacityUpperThresh)
(acmepacket_mgmt,) = mibBuilder.importSymbols('ACMEPACKET-SMI', 'acmepacketMgmt') (object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (single_value_constraint, constraints_intersection, value_size_constraint, constraints_union, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ConstraintsUnion', 'ValueRangeConstraint') (inet_address, inet_address_prefix_length, inet_version, inet_zone_index, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressPrefixLength', 'InetVersion', 'InetZoneIndex', 'InetAddressType') (module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup') (object_identity, time_ticks, integer32, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, gauge32, ip_address, iso, mib_identifier, bits, counter64, notification_type, counter32, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'TimeTicks', 'Integer32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'Gauge32', 'IpAddress', 'iso', 'MibIdentifier', 'Bits', 'Counter64', 'NotificationType', 'Counter32', 'Unsigned32') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') ap_slb_module = module_identity((1, 3, 6, 1, 4, 1, 9148, 3, 11)) if mibBuilder.loadTexts: apSLBModule.setLastUpdated('201103090000Z') if mibBuilder.loadTexts: apSLBModule.setOrganization('Acme Packet, Inc') if mibBuilder.loadTexts: apSLBModule.setContactInfo(' Customer Service Postal: Acme Packet, Inc 100 Crosby Drive Bedford, MA 01730 US Tel: 1-781-328-4400 E-mail: support@acmepacket.com') if mibBuilder.loadTexts: apSLBModule.setDescription('The Session Load Balancer MIB for Acme Packet.') ap_slbmib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1)) ap_slb_notification_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 2)) ap_slb_notification_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3)) ap_slb_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4)) ap_slb_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0)) ap_slb_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 1)) ap_slb_notification_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 2)) ap_slbmib_general_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1)) ap_slb_stats_endpoints_current = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 1), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBStatsEndpointsCurrent.setStatus('current') if mibBuilder.loadTexts: apSLBStatsEndpointsCurrent.setDescription('Number of endpoints currently on the SLB.') ap_slb_stats_endpoints_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 2), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBStatsEndpointsDenied.setStatus('current') if mibBuilder.loadTexts: apSLBStatsEndpointsDenied.setDescription('Number of endpoints denied by the SLB because the system has reached the maximum endpoint capacity.') ap_slb_endpoint_capacity = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 3), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBEndpointCapacity.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacity.setDescription('The maximum number of endpoints allowed on the SLB. This value is based on the installed SLB license(s).') ap_slb_endpoint_capacity_upper_thresh = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBEndpointCapacityUpperThresh.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityUpperThresh.setDescription('The configured endpoint capacity upper threshold percentage.') ap_slb_endpoint_capacity_lower_thresh = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBEndpointCapacityLowerThresh.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityLowerThresh.setDescription('The configured endpoint capacity lower threshold percentage.') ap_slb_stats_untrusted_endpoints_current = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 6), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsCurrent.setStatus('current') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsCurrent.setDescription('Number of untrusted endpoints currently on the SLB.') ap_slb_stats_trusted_endpoints_current = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 7), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBStatsTrustedEndpointsCurrent.setStatus('current') if mibBuilder.loadTexts: apSLBStatsTrustedEndpointsCurrent.setDescription('Number of trusted endpoints currently on the SLB.') ap_slb_stats_untrusted_endpoints_denied = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 8), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsDenied.setStatus('current') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsDenied.setDescription('The number of untrusted endpoints denied by the SLB due to the total number of untrusted endpoints exceeding the configured maximum allowed.') ap_slb_stats_untrusted_endpoints_aged_out = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 9), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsAgedOut.setStatus('current') if mibBuilder.loadTexts: apSLBStatsUntrustedEndpointsAgedOut.setDescription('The number of untrusted endpoints aged out of the system because they were not authenticated within the configured grace period.') ap_slb_untrusted_endpoint_capacity = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 10), unsigned32()).setUnits('endpoints').setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacity.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacity.setDescription('The maximum number of untrusted endpoints allowed on the SLB. This value is a configured percentage of the maximum endpoint capacity of the system.') ap_slb_untrusted_endpoint_capacity_upper_thresh = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityUpperThresh.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityUpperThresh.setDescription('The configured untrusted endpoint capacity upper threshold percentage.') ap_slb_untrusted_endpoint_capacity_lower_thresh = mib_scalar((1, 3, 6, 1, 4, 1, 9148, 3, 11, 1, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityLowerThresh.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityLowerThresh.setDescription('The configured untrusted endpoint capacity lower threshold percentage.') ap_slb_endpoint_capacity_threshold_trap = notification_type((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 1)).setObjects(('APSLB-MIB', 'apSLBStatsEndpointsCurrent'), ('APSLB-MIB', 'apSLBEndpointCapacity'), ('APSLB-MIB', 'apSLBEndpointCapacityUpperThresh'), ('APSLB-MIB', 'apSLBEndpointCapacityLowerThresh')) if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdTrap.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdTrap.setDescription('The trap will be generated when the number of endpoints on the SLB exceeds the configured threshold.') ap_slb_endpoint_capacity_threshold_clear_trap = notification_type((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 2)).setObjects(('APSLB-MIB', 'apSLBStatsEndpointsCurrent'), ('APSLB-MIB', 'apSLBEndpointCapacity'), ('APSLB-MIB', 'apSLBEndpointCapacityUpperThresh'), ('APSLB-MIB', 'apSLBEndpointCapacityLowerThresh')) if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdClearTrap.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityThresholdClearTrap.setDescription('The trap will be generated when the number of endpoints on the SLB falls below the configured threshold.') ap_slb_untrusted_endpoint_capacity_threshold_trap = notification_type((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 3)).setObjects(('APSLB-MIB', 'apSLBStatsUntrustedEndpointsCurrent'), ('APSLB-MIB', 'apSLBStatsUntrustedEndpointsDenied'), ('APSLB-MIB', 'apSLBStatsUntrustedEndpointsAgedOut'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacity'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityUpperThresh'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityLowerThresh')) if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdTrap.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdTrap.setDescription('The trap will be generated when the number of untrusted endpoints on the SLB exceeds the configured threshold.') ap_slb_untrusted_endpoint_capacity_threshold_clear_trap = notification_type((1, 3, 6, 1, 4, 1, 9148, 3, 11, 3, 0, 4)).setObjects(('APSLB-MIB', 'apSLBStatsUntrustedEndpointsCurrent'), ('APSLB-MIB', 'apSLBStatsUntrustedEndpointsDenied'), ('APSLB-MIB', 'apSLBStatsUntrustedEndpointsAgedOut'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacity'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityUpperThresh'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityLowerThresh')) if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdClearTrap.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityThresholdClearTrap.setDescription('The trap will be generated when the number of untrusted endpoints on the SLB falls below the configured threshold.') ap_slb_endpoint_capacity_group = object_group((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 1, 1)).setObjects(('APSLB-MIB', 'apSLBStatsEndpointsCurrent'), ('APSLB-MIB', 'apSLBStatsEndpointsDenied'), ('APSLB-MIB', 'apSLBEndpointCapacity'), ('APSLB-MIB', 'apSLBEndpointCapacityUpperThresh'), ('APSLB-MIB', 'apSLBEndpointCapacityLowerThresh')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ap_slb_endpoint_capacity_group = apSLBEndpointCapacityGroup.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityGroup.setDescription('Objects for monitoring SLB endpoint capacity.') ap_slb_untrusted_endpoint_capacity_group = object_group((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 1, 2)).setObjects(('APSLB-MIB', 'apSLBStatsUntrustedEndpointsCurrent'), ('APSLB-MIB', 'apSLBStatsTrustedEndpointsCurrent'), ('APSLB-MIB', 'apSLBStatsUntrustedEndpointsDenied'), ('APSLB-MIB', 'apSLBStatsUntrustedEndpointsAgedOut'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacity'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityUpperThresh'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityLowerThresh')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ap_slb_untrusted_endpoint_capacity_group = apSLBUntrustedEndpointCapacityGroup.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityGroup.setDescription('Objects for monitoring SLB untrusted endpoint capacity.') ap_slb_endpoint_capacity_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 2, 1)).setObjects(('APSLB-MIB', 'apSLBEndpointCapacityThresholdTrap'), ('APSLB-MIB', 'apSLBEndpointCapacityThresholdClearTrap')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ap_slb_endpoint_capacity_notifications_group = apSLBEndpointCapacityNotificationsGroup.setStatus('current') if mibBuilder.loadTexts: apSLBEndpointCapacityNotificationsGroup.setDescription('Traps to monitor SLB endpoint capacity threshold crossings.') ap_slb_untrusted_endpoint_capacity_notifications_group = notification_group((1, 3, 6, 1, 4, 1, 9148, 3, 11, 4, 2, 2)).setObjects(('APSLB-MIB', 'apSLBUntrustedEndpointCapacityThresholdTrap'), ('APSLB-MIB', 'apSLBUntrustedEndpointCapacityThresholdClearTrap')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ap_slb_untrusted_endpoint_capacity_notifications_group = apSLBUntrustedEndpointCapacityNotificationsGroup.setStatus('current') if mibBuilder.loadTexts: apSLBUntrustedEndpointCapacityNotificationsGroup.setDescription('Traps to monitor SLB untrusted endpoint capacity threshold crossings.') mibBuilder.exportSymbols('APSLB-MIB', apSLBEndpointCapacityNotificationsGroup=apSLBEndpointCapacityNotificationsGroup, apSLBEndpointCapacityLowerThresh=apSLBEndpointCapacityLowerThresh, apSLBUntrustedEndpointCapacityLowerThresh=apSLBUntrustedEndpointCapacityLowerThresh, apSLBStatsUntrustedEndpointsAgedOut=apSLBStatsUntrustedEndpointsAgedOut, apSLBEndpointCapacityThresholdTrap=apSLBEndpointCapacityThresholdTrap, apSLBUntrustedEndpointCapacityGroup=apSLBUntrustedEndpointCapacityGroup, apSLBUntrustedEndpointCapacity=apSLBUntrustedEndpointCapacity, apSLBUntrustedEndpointCapacityThresholdTrap=apSLBUntrustedEndpointCapacityThresholdTrap, apSLBStatsUntrustedEndpointsCurrent=apSLBStatsUntrustedEndpointsCurrent, apSLBNotifications=apSLBNotifications, apSLBModule=apSLBModule, apSLBNotificationPrefix=apSLBNotificationPrefix, apSLBConformance=apSLBConformance, apSLBMIBObjects=apSLBMIBObjects, apSLBGroups=apSLBGroups, apSLBMIBGeneralObjects=apSLBMIBGeneralObjects, apSLBStatsEndpointsCurrent=apSLBStatsEndpointsCurrent, apSLBUntrustedEndpointCapacityUpperThresh=apSLBUntrustedEndpointCapacityUpperThresh, apSLBEndpointCapacity=apSLBEndpointCapacity, apSLBStatsTrustedEndpointsCurrent=apSLBStatsTrustedEndpointsCurrent, apSLBUntrustedEndpointCapacityNotificationsGroup=apSLBUntrustedEndpointCapacityNotificationsGroup, apSLBStatsUntrustedEndpointsDenied=apSLBStatsUntrustedEndpointsDenied, apSLBNotificationGroups=apSLBNotificationGroups, PYSNMP_MODULE_ID=apSLBModule, apSLBEndpointCapacityThresholdClearTrap=apSLBEndpointCapacityThresholdClearTrap, apSLBUntrustedEndpointCapacityThresholdClearTrap=apSLBUntrustedEndpointCapacityThresholdClearTrap, apSLBStatsEndpointsDenied=apSLBStatsEndpointsDenied, apSLBNotificationObjects=apSLBNotificationObjects, apSLBEndpointCapacityGroup=apSLBEndpointCapacityGroup, apSLBEndpointCapacityUpperThresh=apSLBEndpointCapacityUpperThresh)
#i'm an idiot, this algoritm is fucking useless, the FB and LR notation is literally binary notation. def ticketCheck(line): rowMin = 0 rowMax = 127 colMin = 0 colMax = 7 for i in range (7): if line[i] == 'F': rowMax = rowMin + abs(int((rowMax - rowMin)/2)) else: rowMin = rowMax - abs(int((rowMax - rowMin)/2)) for i in range(3): if line[7+i] == 'L': colMax = colMin + abs(int((colMax - colMin)/2)) else: colMin = colMax - abs(int((colMax - colMin)/2)) ID = rowMax*8 + colMax return(rowMax, colMax,ID) iDs=[] rows=[] cols=[] with open('marcomole00/5/input.txt') as f: for line in f: line = line.strip('\n') tempRow,tempCol, tempId = ticketCheck(line) rows.append(tempRow) cols.append(tempCol) iDs.append( tempId) iDs.sort() for i in range(len(iDs)-1): if (iDs[i+1] - iDs[i])==2 and ((iDs[i] +1 ) not in iDs): print('my ID is :', iDs[i]+1) print(max(iDs)) #this is a simple visualization of the data, just to check that there is only a 'hole' of ids for row in range(128): print(f'{row})', end='') for col in range(8): if (row*8 +col) in iDs: print ('x', end='') else: print('o',end = '') print('')
def ticket_check(line): row_min = 0 row_max = 127 col_min = 0 col_max = 7 for i in range(7): if line[i] == 'F': row_max = rowMin + abs(int((rowMax - rowMin) / 2)) else: row_min = rowMax - abs(int((rowMax - rowMin) / 2)) for i in range(3): if line[7 + i] == 'L': col_max = colMin + abs(int((colMax - colMin) / 2)) else: col_min = colMax - abs(int((colMax - colMin) / 2)) id = rowMax * 8 + colMax return (rowMax, colMax, ID) i_ds = [] rows = [] cols = [] with open('marcomole00/5/input.txt') as f: for line in f: line = line.strip('\n') (temp_row, temp_col, temp_id) = ticket_check(line) rows.append(tempRow) cols.append(tempCol) iDs.append(tempId) iDs.sort() for i in range(len(iDs) - 1): if iDs[i + 1] - iDs[i] == 2 and iDs[i] + 1 not in iDs: print('my ID is :', iDs[i] + 1) print(max(iDs)) for row in range(128): print(f'{row})', end='') for col in range(8): if row * 8 + col in iDs: print('x', end='') else: print('o', end='') print('')
list = [50,100,150,200,250,300] mininumber = list[0] for x in list: if mininumber > x: mininumber = x print("mininumber is ",mininumber)
list = [50, 100, 150, 200, 250, 300] mininumber = list[0] for x in list: if mininumber > x: mininumber = x print('mininumber is ', mininumber)
# File: config.py # Author: Qian Ge <geqian1001@gmail.com> # directory of pre-trained vgg parameters vgg_dir = '../../data/pretrain/vgg/vgg19.npy' # directory of training data data_dir = '../../data/dataset/256_ObjectCategories/' # directory of testing data test_data_dir = '../data/' # directory of inference data infer_data_dir = '../data/' # directory for saving inference data infer_dir = '../../data/tmp/' # directory for saving summary summary_dir = '../../data/tmp/' # directory for saving checkpoint checkpoint_dir = '../../data/tmp/' # directory for restoring checkpoint model_dir = '../../data/tmp/' # directory for saving prediction results result_dir = '../../data/tmp/'
vgg_dir = '../../data/pretrain/vgg/vgg19.npy' data_dir = '../../data/dataset/256_ObjectCategories/' test_data_dir = '../data/' infer_data_dir = '../data/' infer_dir = '../../data/tmp/' summary_dir = '../../data/tmp/' checkpoint_dir = '../../data/tmp/' model_dir = '../../data/tmp/' result_dir = '../../data/tmp/'
# Solution 1 # O(n^2) time | O(n) space def longestIncreasingSubsequence(array): if len(array) <= 1: return array sequences = [None for _ in range(len(array))] lengths = [1 for _ in range(len(array))] maxLenIdx = 0 for i in range(len(array)): curNum = array[i] for j in range(i): otherNum = array[j] if otherNum < curNum and lengths[i] < lengths[j] + 1: lengths[i] = lengths[j] + 1 sequences[i] = j maxLenIdx = i print("--------------") print("lengths: ", lengths) print("sequences: ", sequences) print("maxLenIdx: ", maxLenIdx) print("") return buildSequence(array, sequences, maxLenIdx) def buildSequence(nums, sequences, maxLenIdx): result = [nums[maxLenIdx]] while sequences[maxLenIdx] is not None: maxLenIdx = sequences[maxLenIdx] result.append(nums[maxLenIdx]) return list(reversed(result))
def longest_increasing_subsequence(array): if len(array) <= 1: return array sequences = [None for _ in range(len(array))] lengths = [1 for _ in range(len(array))] max_len_idx = 0 for i in range(len(array)): cur_num = array[i] for j in range(i): other_num = array[j] if otherNum < curNum and lengths[i] < lengths[j] + 1: lengths[i] = lengths[j] + 1 sequences[i] = j max_len_idx = i print('--------------') print('lengths: ', lengths) print('sequences: ', sequences) print('maxLenIdx: ', maxLenIdx) print('') return build_sequence(array, sequences, maxLenIdx) def build_sequence(nums, sequences, maxLenIdx): result = [nums[maxLenIdx]] while sequences[maxLenIdx] is not None: max_len_idx = sequences[maxLenIdx] result.append(nums[maxLenIdx]) return list(reversed(result))
class Auth: class general: token = None # Token for general authentication class live: result = None # JSON result of the Live Auth request; class Me(object): def __init__(self): self.id = None self.username = None self.auth = Auth class HTTP_Request: class Login: uri = "https://social.triller.co/v1.5/user/auth" headers = { "origin": "https://triller.co", "user-agent": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/98.0.4758.82 Safari/537.36" } class Live: uri = "https://api.live.triller.co/_ah/api/halogen/v1/auth/triller" base_uri = "https://social.triller.co"
class Auth: class General: token = None class Live: result = None class Me(object): def __init__(self): self.id = None self.username = None self.auth = Auth class Http_Request: class Login: uri = 'https://social.triller.co/v1.5/user/auth' headers = {'origin': 'https://triller.co', 'user-agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/98.0.4758.82 Safari/537.36'} class Live: uri = 'https://api.live.triller.co/_ah/api/halogen/v1/auth/triller' base_uri = 'https://social.triller.co'
# MIT License # # Copyright (c) 2020 Evgeny Medvedev, evge.medvedev@gmail.com # # Permission is hereby granted, free of charge, to any person obtaining a copy # of this software and associated documentation files (the "Software"), to deal # in the Software without restriction, including without limitation the rights # to use, copy, modify, merge, publish, distribute, sublicense, and/or sell # copies of the Software, and to permit persons to whom the Software is # furnished to do so, subject to the following conditions: # # The above copyright notice and this permission notice shall be included in all # copies or substantial portions of the Software. # # THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, # FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE # AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER # LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE # SOFTWARE. class AttesterSlashing(object): def __init__(self): self.attestation_1_attesting_indices = [] self.attestation_1_slot = None self.attestation_1_index = None self.attestation_1_beacon_block_root = None self.attestation_1_source_epoch = None self.attestation_1_source_root = None self.attestation_1_target_epoch = None self.attestation_1_target_root = None self.attestation_1_signature = None self.attestation_2_attesting_indices = [] self.attestation_2_slot = None self.attestation_2_index = None self.attestation_2_beacon_block_root = None self.attestation_2_source_epoch = None self.attestation_2_source_root = None self.attestation_2_target_epoch = None self.attestation_2_target_root = None self.attestation_2_signature = None
class Attesterslashing(object): def __init__(self): self.attestation_1_attesting_indices = [] self.attestation_1_slot = None self.attestation_1_index = None self.attestation_1_beacon_block_root = None self.attestation_1_source_epoch = None self.attestation_1_source_root = None self.attestation_1_target_epoch = None self.attestation_1_target_root = None self.attestation_1_signature = None self.attestation_2_attesting_indices = [] self.attestation_2_slot = None self.attestation_2_index = None self.attestation_2_beacon_block_root = None self.attestation_2_source_epoch = None self.attestation_2_source_root = None self.attestation_2_target_epoch = None self.attestation_2_target_root = None self.attestation_2_signature = None
def pytrades(): pass def DiffEvol(): pass def PyPolyChord(): pass def PolyChord(): pass def celerite(): pass def ttvfast(): pass def george(): pass def batman(): pass def dynesty(): pass ## absurd workaround to fix the lack of celerite in the system def Celerite_QuasiPeriodicActivity(): pass class dummy_one: def __init__(self): self.terms = dummy_two() class dummy_two: def __init__(self): self.Term = dummy_three(0, 0, 0, 0) #def Term(self): # return class dummy_three: def __init__(self, a, b, c, d): self.Term = 0
def pytrades(): pass def diff_evol(): pass def py_poly_chord(): pass def poly_chord(): pass def celerite(): pass def ttvfast(): pass def george(): pass def batman(): pass def dynesty(): pass def celerite__quasi_periodic_activity(): pass class Dummy_One: def __init__(self): self.terms = dummy_two() class Dummy_Two: def __init__(self): self.Term = dummy_three(0, 0, 0, 0) class Dummy_Three: def __init__(self, a, b, c, d): self.Term = 0
NO_ROLE_CODE = '' TRUSTEE_CODE = '0' STEWARD_CODE = '2' TGB_CODE = '100' TRUST_ANCHOR_CODE = '101'
no_role_code = '' trustee_code = '0' steward_code = '2' tgb_code = '100' trust_anchor_code = '101'
class PartialCumulativeClass: ''' the concept: ''' def __init__(self, conf, shared): self.conf = conf self.shared = shared self.sharedAnalysis = None # define data source / destination # define data source / destination self.dataSourceFilePath = '' self.dataSourceFileName = '' self.saveAnomaliesFilePath = self.conf.transactionsDataResultsPath + 'time_periods/' self.saveAnomaliesFileName = 'part_cumulCAT.tsv' # test purposes :: -1 == full analysis # test purposes :: -1 == full analysis self.test_limit_rows = -1 # storage vars # storage vars self.transactionsData = {} self.transactionsDataSums = {} self.transactionsDataSumsWeights = {} self.transactionsDataSumsClassified = {} self.transactionsDataSumsWeightsClassified = {} self.transactionsDataSumsPartial = {} self.transactionsDataSumsPartialClassified = {} self.transactionsDataSumsPartialTransposed = {} self.transactionsDataSumsPartialTransposedClassified = {} self.weightsComparedTransposed = {} self.weightsComparedTransposedClassified = {} self.transactionDataTimeFrameCluster = 3 # analysis variables # analysis variables self._transactions_av_window_size = 5 self._transactions_av_std_dev = 1.5 # anomalies storage variables # anomalies storage variables self.exceptionsDict = {} self.exceptionsClassifiedDict = {} def findAnomaliesThroughPartialCumulation(self): # get transactions # get transactions fullDataPathSource = self.dataSourceFilePath + self.dataSourceFileName self.transactionsData = self.conf.sharedCommon.readAndOrganizeTransactions2Dict(fullDataPathSource, '\t', self.test_limit_rows) # working area: # - create partial sums by summing self._transactionDataWindowSum consecutive transactions # - self.createTransactionTimeFrameSums() ''' # working area; for every transaction list between two entities: # - calculate derivative # - average derivative # - identify anomalies # - add identified anomalies on two lists: (i) cumuylative anomaly list (ii) full anomalies list :: retain company classificatyion for classificator, transactionDict in self.transactionsData['data'].items(): for companyIds, transactionList in transactionDict.items(): companyIdList = companyIds.split('-') companyIdPublic = companyIdList[0] companyIdAny = companyIdList[1] # initialize # initialize if classificator not in self.exceptionsClassifiedDict: self.exceptionsClassifiedDict[classificator] = [0] * (len(transactionList) + 1) self.exceptionsClassifiedCompaniesDict[classificator] = [{} for _ in range(len(transactionList))] if len(self.exceptionsCumulatedList) == 0: self.exceptionsCumulatedList = [0] * (len(transactionList) + 1) self.exceptionsCumulatedCompaniesList = [{} for _ in range(len(transactionList))] # execute calculations # execute calculations tmp_derivatives = self.shared.getDerivatives(transactionList) tmp_derivatives_av = self.shared.getAveragedList(tmp_derivatives, self._transactions_av_window_size) tmp_exceptions = self.shared.getExceptionsLocal(tmp_derivatives, tmp_derivatives_av, self._transactions_av_std_dev) # add exceptions to cumulative and classified dictionary # add exceptions to cumulative and classified dictionary for index in tmp_exceptions: self.exceptionsClassifiedDict[classificator][index] = self.exceptionsClassifiedDict[classificator][ index] + 1 self.exceptionsCumulatedList[index] = self.exceptionsCumulatedList[index] + 1 # associate companies to exceptions classification # associate companies to exceptions classification if companyIdAny not in self.exceptionsClassifiedCompaniesDict[classificator][index]: self.exceptionsClassifiedCompaniesDict[classificator][index][companyIdAny] = 1 else: self.exceptionsClassifiedCompaniesDict[classificator][index][companyIdAny] = \ self.exceptionsClassifiedCompaniesDict[classificator][index][companyIdAny] + 1 if companyIdAny not in self.exceptionsCumulatedCompaniesList[index]: self.exceptionsCumulatedCompaniesList[index][companyIdAny] = 1 else: self.exceptionsCumulatedCompaniesList[index][companyIdAny] = \ self.exceptionsCumulatedCompaniesList[index][companyIdAny] + 1 if (plotSingleDerivativesGraph): # self.conf.plt.plot(data_av, color='red') self.conf.plt.plot(tmp_derivatives_av, color='orange') self.conf.plt.plot(tmp_derivatives, 'k.') self.conf.plt.plot(transactionList, 'k.', color='green') # add anomalies anomalies_x = tmp_exceptions.keys() anomalies_y = tmp_exceptions.values() self.conf.plt.scatter(anomalies_x, anomalies_y) #for brk in breaks: # self.conf.plt.axvline(x=brk) self.conf.plt.show() # find maximums and associate company ids to it # find maximums and associate company ids to it maxList, self.anomaliesList = self.shared.extractDataFromListMaximums(self.exceptionsCumulatedList, self.exceptionsCumulatedCompaniesList, self._transactions_av_window_size, self._breaks_maximum_window_dev) for classificator in self.exceptionsClassifiedDict: self.anomaliesClassifiedDict[classificator] = [] maxList, self.anomaliesClassifiedDict[classificator] = self.shared.extractDataFromListMaximums( self.exceptionsClassifiedDict[classificator], self.exceptionsClassifiedCompaniesDict[classificator], self._transactions_av_window_size, self._breaks_maximum_window_dev) ''' return None def createTransactionTimeFrameSums(self): ''' Function takes transaction data transactionsData and creates a list of sums of self.transactionDataTimeFrameCluster consecutive transactions. Result is stored in self.transactionsDataPartialSums Function creates a list of full sums stored in self.transactionsDataSums. :return: 0 ''' # list through classifiers # list through classifiers for classifier in self.transactionsData['data']: # init transactions sum dictionary # init transactions sum dictionary if classifier not in self.transactionsDataSumsClassified: self.transactionsDataSumsClassified[classifier] = {} self.transactionsDataSumsPartialClassified[classifier] = {} self.transactionsDataSumsPartialTransposedClassified[classifier] = [] self.weightsComparedTransposedClassified[classifier] = [] # list relations # list relations for companyIds in self.transactionsData['data'][classifier]: #if(companyIds == '5065402000-5486815000'): # print(len(self.transactionsData['data'][classifier][companyIds]), companyIds, self.transactionsData['data'][classifier][companyIds]) tmp_sum = 0.0 tmp_sum_part = 0.0 tmp_frame_index = 0 tmp_sum_part_index = 0 if companyIds not in self.transactionsDataSumsPartial: numOfslots = int(len(self.transactionsData['data'][classifier][companyIds]) / self.transactionDataTimeFrameCluster) + 1 self.transactionsDataSumsPartial[companyIds] = [0.0] * numOfslots self.transactionsDataSumsPartialClassified[classifier][companyIds] = [0.0] * numOfslots if len(self.transactionsDataSumsPartialTransposedClassified[classifier]) == 0: self.transactionsDataSumsPartialTransposedClassified[classifier] = [{} for _ in range(numOfslots)] if len(self.transactionsDataSumsPartialTransposed) == 0: self.transactionsDataSumsPartialTransposed = [{} for _ in range(numOfslots)] # data vars for storing compared weights if len(self.weightsComparedTransposedClassified[classifier]) == 0: self.weightsComparedTransposedClassified[classifier] = [{} for _ in range(numOfslots)] if len(self.weightsComparedTransposed) == 0: self.weightsComparedTransposed = [{} for _ in range(numOfslots)] # list individual transactions # list individual transactions for trans in self.transactionsData['data'][classifier][companyIds]: tmp_sum = tmp_sum + float(trans) tmp_sum_part = tmp_sum_part + float(trans) tmp_frame_index = tmp_frame_index + 1 if tmp_frame_index >= self.transactionDataTimeFrameCluster: # save in a "natural" form self.transactionsDataSumsPartial[companyIds][tmp_sum_part_index] = tmp_sum_part self.transactionsDataSumsPartialClassified[classifier][companyIds][tmp_sum_part_index] = tmp_sum_part # save in a "transposed" form self.transactionsDataSumsPartialTransposed[tmp_sum_part_index][companyIds] = tmp_sum_part self.transactionsDataSumsPartialTransposedClassified[classifier][tmp_sum_part_index][companyIds] = tmp_sum_part tmp_sum_part = 0.0 tmp_frame_index = 0 tmp_sum_part_index = tmp_sum_part_index + 1 # save trailing data # save trailing data if(tmp_frame_index > 0 and tmp_frame_index < self.transactionDataTimeFrameCluster): # normal data self.transactionsDataSumsPartial[companyIds][tmp_sum_part_index] = tmp_sum_part self.transactionsDataSumsPartialClassified[classifier][companyIds][tmp_sum_part_index] = tmp_sum_part # transposed data self.transactionsDataSumsPartialTransposed[tmp_sum_part_index][companyIds] = tmp_sum_part self.transactionsDataSumsPartialTransposedClassified[classifier][tmp_sum_part_index][companyIds] = tmp_sum_part self.transactionsDataSums[companyIds] = tmp_sum self.transactionsDataSumsClassified[classifier][companyIds] = tmp_sum # get base transaction weights # get base transaction weights self.transactionsDataSumsWeights = self.convertTransactions2Weights(self.transactionsDataSums) for classifier in self.transactionsDataSumsClassified: self.transactionsDataSumsWeightsClassified[classifier] = self.convertTransactions2Weights(self.transactionsDataSumsClassified[classifier]) # compare partial transaction weights to base weights # compare partial transaction weights to base weights self.exceptionsDict = self.identifyAnomalies(self.transactionsDataSumsPartialTransposed, self.transactionsDataSumsWeights) # print(self.exceptionsDict) for classifier in self.transactionsDataSumsPartialTransposedClassified: self.exceptionsClassifiedDict[classifier] = self.identifyAnomalies(self.transactionsDataSumsPartialTransposedClassified[classifier], self.transactionsDataSumsWeightsClassified[classifier]) #print(self.exceptionsClassifiedDict[classifier]) return None def convertTransactions2Weights(self, dataDict): weightsList = {} data_sum = sum(dataDict.values()) if data_sum == 0.0: return weightsList for ids,value in dataDict.items(): weightsList[ids] = value / data_sum return weightsList def identifyAnomalies(self, partialTransactionSumsTransposed, transactionSumWeights): anomalyDict = {} for partialDataSet in partialTransactionSumsTransposed: tmp_partialWeights = self.convertTransactions2Weights(partialDataSet) # get comparative weights # get comparative weights tmp_comparedWeights = {} for ids in tmp_partialWeights: if transactionSumWeights[ids] > 0.0 and tmp_partialWeights[ids] > 0.0: tmp_comparedWeights[ids] = self.conf.numpy.log10(tmp_partialWeights[ids] / transactionSumWeights[ids]) # tmp_comparedWeights[ids] = tmp_partialWeights[ids] / transactionSumWeights[ids] ''' # plot histogram # plot histogram plotHistogram = False if plotHistogram: self.conf.plt.plot(list(tmp_comparedWeights.values()), 'k.') self.conf.plt.show() self.conf.plt.close() self.conf.plt.figure(figsize=(8, 6)) self.conf.plt.style.use('seaborn-poster') ''' # average comparative weights and look identify anomalies # average comparative weights and look identify anomalies # requiring minimum amount of data # requiring minimum amount of data if len(tmp_comparedWeights) < self._transactions_av_window_size: continue tmp_comparedWeights_av = self.shared.getAveragedList(list(tmp_comparedWeights.values()), self._transactions_av_window_size) anomaliesDetected = self.shared.getExceptionsLocal(list(tmp_comparedWeights.values()), tmp_comparedWeights_av, self._transactions_av_std_dev) idsList = list(tmp_comparedWeights.keys()) for index, value in enumerate(anomaliesDetected): maticnaList = idsList[index].split('-') if index not in anomalyDict: anomalyDict[maticnaList[1]] = float(value) else: anomalyDict[maticnaList[1]] = anomalyDict[maticnaList[1]] + float(value) # add anomalies onto a main datasotre variable # add anomalies onto a main datasotre variable ''' plotAnomalies = False if plotAnomalies: self.conf.plt.plot(tmp_comparedWeights_av, color='red') self.conf.plt.plot(list(tmp_comparedWeights.values()), 'k.') # self.conf.plt.hist(list(tmp_comparedWeights.values()), 1000) # add anomalies anomalies_x = anomaliesDetected.keys() anomalies_y = anomaliesDetected.values() self.conf.plt.scatter(anomalies_x, anomalies_y) # for brk in breaks: # self.conf.plt.axvline(x=brk) self.conf.plt.show() self.conf.plt.close() self.conf.plt.figure(figsize=(8, 6)) self.conf.plt.style.use('seaborn-poster') ''' return sorted(anomalyDict.items(), key=lambda kv: kv[1], reverse=True) # print results # print results def saveAnomalies2File(self): ''' function saves anomnalies into file :return: None ''' # set dictionary in correct format # set dictionary in correct format finalDataDict = {} finalDataDict['head'] = ["maticna", "score"] finalDataDict['data'] = [] for row in self.exceptionsDict: tmp_row = [str(row[0]), str(row[1])] finalDataDict['data'].append(tmp_row) # enrich data # enrich data fieldsDict = {'maticna': 'company_name'} finalDataDict = self.sharedAnalysis.appendAjpesOrganizationNames2Dict(finalDataDict, fieldsDict) fileName = self.saveAnomaliesFileName.replace('CAT', '') fullFileName = self.saveAnomaliesFilePath + fileName self.conf.sharedCommon.sendDict2Output(finalDataDict, fullFileName) # repeat for every company group, classified by their field of interest # repeat for every company group, classified by their field of interest for classificator in self.exceptionsClassifiedDict: # skip finalDataDict = {} finalDataDict['head'] = ["maticna", "score"] finalDataDict['data'] = [] for row in self.exceptionsClassifiedDict[classificator]: tmp_row = [str(row[0]), str(row[1])] finalDataDict['data'].append(tmp_row) # enrich data # enrich data fieldsDict = {'maticna': 'company_name'} finalDataDict = self.sharedAnalysis.appendAjpesOrganizationNames2Dict(finalDataDict, fieldsDict) # save data # save data fileName = self.saveAnomaliesFileName.replace('CAT', classificator) fullFileName = self.saveAnomaliesFilePath + fileName self.conf.sharedCommon.sendDict2Output(finalDataDict, fullFileName) return None
class Partialcumulativeclass: """ the concept: """ def __init__(self, conf, shared): self.conf = conf self.shared = shared self.sharedAnalysis = None self.dataSourceFilePath = '' self.dataSourceFileName = '' self.saveAnomaliesFilePath = self.conf.transactionsDataResultsPath + 'time_periods/' self.saveAnomaliesFileName = 'part_cumulCAT.tsv' self.test_limit_rows = -1 self.transactionsData = {} self.transactionsDataSums = {} self.transactionsDataSumsWeights = {} self.transactionsDataSumsClassified = {} self.transactionsDataSumsWeightsClassified = {} self.transactionsDataSumsPartial = {} self.transactionsDataSumsPartialClassified = {} self.transactionsDataSumsPartialTransposed = {} self.transactionsDataSumsPartialTransposedClassified = {} self.weightsComparedTransposed = {} self.weightsComparedTransposedClassified = {} self.transactionDataTimeFrameCluster = 3 self._transactions_av_window_size = 5 self._transactions_av_std_dev = 1.5 self.exceptionsDict = {} self.exceptionsClassifiedDict = {} def find_anomalies_through_partial_cumulation(self): full_data_path_source = self.dataSourceFilePath + self.dataSourceFileName self.transactionsData = self.conf.sharedCommon.readAndOrganizeTransactions2Dict(fullDataPathSource, '\t', self.test_limit_rows) self.createTransactionTimeFrameSums() "\n # working area; for every transaction list between two entities:\n # - calculate derivative\n # - average derivative\n # - identify anomalies\n # - add identified anomalies on two lists: (i) cumuylative anomaly list (ii) full anomalies list :: retain company classificatyion\n\n for classificator, transactionDict in self.transactionsData['data'].items():\n for companyIds, transactionList in transactionDict.items():\n\n companyIdList = companyIds.split('-')\n companyIdPublic = companyIdList[0]\n companyIdAny = companyIdList[1]\n\n # initialize\n # initialize\n\n if classificator not in self.exceptionsClassifiedDict:\n self.exceptionsClassifiedDict[classificator] = [0] * (len(transactionList) + 1)\n self.exceptionsClassifiedCompaniesDict[classificator] = [{} for _ in range(len(transactionList))]\n if len(self.exceptionsCumulatedList) == 0:\n self.exceptionsCumulatedList = [0] * (len(transactionList) + 1)\n self.exceptionsCumulatedCompaniesList = [{} for _ in range(len(transactionList))]\n\n # execute calculations\n # execute calculations\n\n tmp_derivatives = self.shared.getDerivatives(transactionList)\n tmp_derivatives_av = self.shared.getAveragedList(tmp_derivatives, self._transactions_av_window_size)\n tmp_exceptions = self.shared.getExceptionsLocal(tmp_derivatives, tmp_derivatives_av,\n self._transactions_av_std_dev)\n\n # add exceptions to cumulative and classified dictionary\n # add exceptions to cumulative and classified dictionary\n\n for index in tmp_exceptions:\n self.exceptionsClassifiedDict[classificator][index] = self.exceptionsClassifiedDict[classificator][\n index] + 1\n self.exceptionsCumulatedList[index] = self.exceptionsCumulatedList[index] + 1\n\n # associate companies to exceptions classification\n # associate companies to exceptions classification\n\n if companyIdAny not in self.exceptionsClassifiedCompaniesDict[classificator][index]:\n self.exceptionsClassifiedCompaniesDict[classificator][index][companyIdAny] = 1\n else:\n self.exceptionsClassifiedCompaniesDict[classificator][index][companyIdAny] = self.exceptionsClassifiedCompaniesDict[classificator][index][companyIdAny] + 1\n if companyIdAny not in self.exceptionsCumulatedCompaniesList[index]:\n self.exceptionsCumulatedCompaniesList[index][companyIdAny] = 1\n else:\n self.exceptionsCumulatedCompaniesList[index][companyIdAny] = self.exceptionsCumulatedCompaniesList[index][companyIdAny] + 1\n\n if (plotSingleDerivativesGraph):\n # self.conf.plt.plot(data_av, color='red')\n self.conf.plt.plot(tmp_derivatives_av, color='orange')\n self.conf.plt.plot(tmp_derivatives, 'k.')\n self.conf.plt.plot(transactionList, 'k.', color='green')\n # add anomalies\n anomalies_x = tmp_exceptions.keys()\n anomalies_y = tmp_exceptions.values()\n self.conf.plt.scatter(anomalies_x, anomalies_y)\n \n #for brk in breaks:\n # self.conf.plt.axvline(x=brk)\n\n self.conf.plt.show()\n\n # find maximums and associate company ids to it\n # find maximums and associate company ids to it\n\n maxList, self.anomaliesList = self.shared.extractDataFromListMaximums(self.exceptionsCumulatedList,\n self.exceptionsCumulatedCompaniesList,\n self._transactions_av_window_size,\n self._breaks_maximum_window_dev)\n for classificator in self.exceptionsClassifiedDict:\n self.anomaliesClassifiedDict[classificator] = []\n maxList, self.anomaliesClassifiedDict[classificator] = self.shared.extractDataFromListMaximums(\n self.exceptionsClassifiedDict[classificator], self.exceptionsClassifiedCompaniesDict[classificator],\n self._transactions_av_window_size, self._breaks_maximum_window_dev)\n\n " return None def create_transaction_time_frame_sums(self): """ Function takes transaction data transactionsData and creates a list of sums of self.transactionDataTimeFrameCluster consecutive transactions. Result is stored in self.transactionsDataPartialSums Function creates a list of full sums stored in self.transactionsDataSums. :return: 0 """ for classifier in self.transactionsData['data']: if classifier not in self.transactionsDataSumsClassified: self.transactionsDataSumsClassified[classifier] = {} self.transactionsDataSumsPartialClassified[classifier] = {} self.transactionsDataSumsPartialTransposedClassified[classifier] = [] self.weightsComparedTransposedClassified[classifier] = [] for company_ids in self.transactionsData['data'][classifier]: tmp_sum = 0.0 tmp_sum_part = 0.0 tmp_frame_index = 0 tmp_sum_part_index = 0 if companyIds not in self.transactionsDataSumsPartial: num_ofslots = int(len(self.transactionsData['data'][classifier][companyIds]) / self.transactionDataTimeFrameCluster) + 1 self.transactionsDataSumsPartial[companyIds] = [0.0] * numOfslots self.transactionsDataSumsPartialClassified[classifier][companyIds] = [0.0] * numOfslots if len(self.transactionsDataSumsPartialTransposedClassified[classifier]) == 0: self.transactionsDataSumsPartialTransposedClassified[classifier] = [{} for _ in range(numOfslots)] if len(self.transactionsDataSumsPartialTransposed) == 0: self.transactionsDataSumsPartialTransposed = [{} for _ in range(numOfslots)] if len(self.weightsComparedTransposedClassified[classifier]) == 0: self.weightsComparedTransposedClassified[classifier] = [{} for _ in range(numOfslots)] if len(self.weightsComparedTransposed) == 0: self.weightsComparedTransposed = [{} for _ in range(numOfslots)] for trans in self.transactionsData['data'][classifier][companyIds]: tmp_sum = tmp_sum + float(trans) tmp_sum_part = tmp_sum_part + float(trans) tmp_frame_index = tmp_frame_index + 1 if tmp_frame_index >= self.transactionDataTimeFrameCluster: self.transactionsDataSumsPartial[companyIds][tmp_sum_part_index] = tmp_sum_part self.transactionsDataSumsPartialClassified[classifier][companyIds][tmp_sum_part_index] = tmp_sum_part self.transactionsDataSumsPartialTransposed[tmp_sum_part_index][companyIds] = tmp_sum_part self.transactionsDataSumsPartialTransposedClassified[classifier][tmp_sum_part_index][companyIds] = tmp_sum_part tmp_sum_part = 0.0 tmp_frame_index = 0 tmp_sum_part_index = tmp_sum_part_index + 1 if tmp_frame_index > 0 and tmp_frame_index < self.transactionDataTimeFrameCluster: self.transactionsDataSumsPartial[companyIds][tmp_sum_part_index] = tmp_sum_part self.transactionsDataSumsPartialClassified[classifier][companyIds][tmp_sum_part_index] = tmp_sum_part self.transactionsDataSumsPartialTransposed[tmp_sum_part_index][companyIds] = tmp_sum_part self.transactionsDataSumsPartialTransposedClassified[classifier][tmp_sum_part_index][companyIds] = tmp_sum_part self.transactionsDataSums[companyIds] = tmp_sum self.transactionsDataSumsClassified[classifier][companyIds] = tmp_sum self.transactionsDataSumsWeights = self.convertTransactions2Weights(self.transactionsDataSums) for classifier in self.transactionsDataSumsClassified: self.transactionsDataSumsWeightsClassified[classifier] = self.convertTransactions2Weights(self.transactionsDataSumsClassified[classifier]) self.exceptionsDict = self.identifyAnomalies(self.transactionsDataSumsPartialTransposed, self.transactionsDataSumsWeights) for classifier in self.transactionsDataSumsPartialTransposedClassified: self.exceptionsClassifiedDict[classifier] = self.identifyAnomalies(self.transactionsDataSumsPartialTransposedClassified[classifier], self.transactionsDataSumsWeightsClassified[classifier]) return None def convert_transactions2_weights(self, dataDict): weights_list = {} data_sum = sum(dataDict.values()) if data_sum == 0.0: return weightsList for (ids, value) in dataDict.items(): weightsList[ids] = value / data_sum return weightsList def identify_anomalies(self, partialTransactionSumsTransposed, transactionSumWeights): anomaly_dict = {} for partial_data_set in partialTransactionSumsTransposed: tmp_partial_weights = self.convertTransactions2Weights(partialDataSet) tmp_compared_weights = {} for ids in tmp_partialWeights: if transactionSumWeights[ids] > 0.0 and tmp_partialWeights[ids] > 0.0: tmp_comparedWeights[ids] = self.conf.numpy.log10(tmp_partialWeights[ids] / transactionSumWeights[ids]) "\n # plot histogram\n # plot histogram\n\n plotHistogram = False\n if plotHistogram:\n self.conf.plt.plot(list(tmp_comparedWeights.values()), 'k.')\n self.conf.plt.show()\n self.conf.plt.close()\n self.conf.plt.figure(figsize=(8, 6))\n self.conf.plt.style.use('seaborn-poster')\n " if len(tmp_comparedWeights) < self._transactions_av_window_size: continue tmp_compared_weights_av = self.shared.getAveragedList(list(tmp_comparedWeights.values()), self._transactions_av_window_size) anomalies_detected = self.shared.getExceptionsLocal(list(tmp_comparedWeights.values()), tmp_comparedWeights_av, self._transactions_av_std_dev) ids_list = list(tmp_comparedWeights.keys()) for (index, value) in enumerate(anomaliesDetected): maticna_list = idsList[index].split('-') if index not in anomalyDict: anomalyDict[maticnaList[1]] = float(value) else: anomalyDict[maticnaList[1]] = anomalyDict[maticnaList[1]] + float(value) "\n plotAnomalies = False\n if plotAnomalies:\n self.conf.plt.plot(tmp_comparedWeights_av, color='red')\n self.conf.plt.plot(list(tmp_comparedWeights.values()), 'k.')\n # self.conf.plt.hist(list(tmp_comparedWeights.values()), 1000)\n # add anomalies\n anomalies_x = anomaliesDetected.keys()\n anomalies_y = anomaliesDetected.values()\n self.conf.plt.scatter(anomalies_x, anomalies_y)\n # for brk in breaks:\n # self.conf.plt.axvline(x=brk)\n self.conf.plt.show()\n self.conf.plt.close()\n self.conf.plt.figure(figsize=(8, 6))\n self.conf.plt.style.use('seaborn-poster')\n " return sorted(anomalyDict.items(), key=lambda kv: kv[1], reverse=True) def save_anomalies2_file(self): """ function saves anomnalies into file :return: None """ final_data_dict = {} finalDataDict['head'] = ['maticna', 'score'] finalDataDict['data'] = [] for row in self.exceptionsDict: tmp_row = [str(row[0]), str(row[1])] finalDataDict['data'].append(tmp_row) fields_dict = {'maticna': 'company_name'} final_data_dict = self.sharedAnalysis.appendAjpesOrganizationNames2Dict(finalDataDict, fieldsDict) file_name = self.saveAnomaliesFileName.replace('CAT', '') full_file_name = self.saveAnomaliesFilePath + fileName self.conf.sharedCommon.sendDict2Output(finalDataDict, fullFileName) for classificator in self.exceptionsClassifiedDict: final_data_dict = {} finalDataDict['head'] = ['maticna', 'score'] finalDataDict['data'] = [] for row in self.exceptionsClassifiedDict[classificator]: tmp_row = [str(row[0]), str(row[1])] finalDataDict['data'].append(tmp_row) fields_dict = {'maticna': 'company_name'} final_data_dict = self.sharedAnalysis.appendAjpesOrganizationNames2Dict(finalDataDict, fieldsDict) file_name = self.saveAnomaliesFileName.replace('CAT', classificator) full_file_name = self.saveAnomaliesFilePath + fileName self.conf.sharedCommon.sendDict2Output(finalDataDict, fullFileName) return None
''' You are given an integer array nums sorted in non-decreasing order. Build and return an integer array result with the same length as nums such that result[i] is equal to the summation of absolute differences between nums[i] and all the other elements in the array. In other words, result[i] is equal to sum(|nums[i]-nums[j]|) where 0 <= j < nums.length and j != i (0-indexed). Example: Input: nums = [2,3,5] Output: [4,3,5] Explanation: Assuming the arrays are 0-indexed, then result[0] = |2-2| + |2-3| + |2-5| = 0 + 1 + 3 = 4, result[1] = |3-2| + |3-3| + |3-5| = 1 + 0 + 2 = 3, result[2] = |5-2| + |5-3| + |5-5| = 3 + 2 + 0 = 5. Example: Input: nums = [1,4,6,8,10] Output: [24,15,13,15,21] Constraints: - 2 <= nums.length <= 10^5 - 1 <= nums[i] <= nums[i + 1] <= 10^4 ''' #Difficulty:Medium #59 / 59 test cases passed. #Runtime: 956 ms #Memory Usage: 29.7 MB #Runtime: 956 ms, faster than 25.00% of Python3 online submissions for Sum of Absolute Differences in a Sorted Array. #Memory Usage: 29.7 MB, less than 50.00% of Python3 online submissions for Sum of Absolute Differences in a Sorted Array. class Solution: def getSumAbsoluteDifferences(self, nums: List[int]) -> List[int]: left = 0 right = sum(nums) length = len(nums) result = [] for index, num in enumerate(nums): right -= num value = abs(num*index - left) + abs(num*(length-index-1) - right) result.append(value) left += num return result
""" You are given an integer array nums sorted in non-decreasing order. Build and return an integer array result with the same length as nums such that result[i] is equal to the summation of absolute differences between nums[i] and all the other elements in the array. In other words, result[i] is equal to sum(|nums[i]-nums[j]|) where 0 <= j < nums.length and j != i (0-indexed). Example: Input: nums = [2,3,5] Output: [4,3,5] Explanation: Assuming the arrays are 0-indexed, then result[0] = |2-2| + |2-3| + |2-5| = 0 + 1 + 3 = 4, result[1] = |3-2| + |3-3| + |3-5| = 1 + 0 + 2 = 3, result[2] = |5-2| + |5-3| + |5-5| = 3 + 2 + 0 = 5. Example: Input: nums = [1,4,6,8,10] Output: [24,15,13,15,21] Constraints: - 2 <= nums.length <= 10^5 - 1 <= nums[i] <= nums[i + 1] <= 10^4 """ class Solution: def get_sum_absolute_differences(self, nums: List[int]) -> List[int]: left = 0 right = sum(nums) length = len(nums) result = [] for (index, num) in enumerate(nums): right -= num value = abs(num * index - left) + abs(num * (length - index - 1) - right) result.append(value) left += num return result
#Servo test e1 = Entry(root) e1.grid(row=0, column=1) def cal(): global dc deg = abs(float(deg1)) dc = 0.056*deg + 2.5 p.ChangeDutyCycle(dc) print(deg, dc)
e1 = entry(root) e1.grid(row=0, column=1) def cal(): global dc deg = abs(float(deg1)) dc = 0.056 * deg + 2.5 p.ChangeDutyCycle(dc) print(deg, dc)
# Weight converter weight = float(input("Weight?")) unit = input("(L)bs or (K)g?") if unit.upper() == "K": print(weight*2.2) elif unit.upper() == "L": print(weight*0.45) else: print("Error, please verify your input")
weight = float(input('Weight?')) unit = input('(L)bs or (K)g?') if unit.upper() == 'K': print(weight * 2.2) elif unit.upper() == 'L': print(weight * 0.45) else: print('Error, please verify your input')
def stair_ways(n): ways = [0] * n ways[0] = 1 if n > 1: ways[1] = 1 if n > 2: ways[2] = 1 for p in range(0, n): if p + 1 < n: ways[p+1] += ways[p] if p + 2 < n: ways[p+2] += ways[p] if p + 3 < n: ways[p+3] += ways[p] return ways[n-1] def test_stair_ways(): assert 1 == stair_ways(1) assert 2 == stair_ways(2) assert 4 == stair_ways(3) if __name__ == "__main__": print(stair_ways(30))
def stair_ways(n): ways = [0] * n ways[0] = 1 if n > 1: ways[1] = 1 if n > 2: ways[2] = 1 for p in range(0, n): if p + 1 < n: ways[p + 1] += ways[p] if p + 2 < n: ways[p + 2] += ways[p] if p + 3 < n: ways[p + 3] += ways[p] return ways[n - 1] def test_stair_ways(): assert 1 == stair_ways(1) assert 2 == stair_ways(2) assert 4 == stair_ways(3) if __name__ == '__main__': print(stair_ways(30))
#!/usr/bin/env python a = 0 b = 1 while b < 100: print(b) a,b = b,a+b
a = 0 b = 1 while b < 100: print(b) (a, b) = (b, a + b)
class state: def __init__(self, name, population, area, capital): self.name = name self.population = population self.area = area self.capital = capital def calc_density(self): return self.area/self.population state_1 = state('guj', 50000000, 40000000, 'gandhinagar') state_2 = state('maharashtra', 80000000, 100000000, 'mumbai') print(state_1.name) print(state_2.calc_density())
class State: def __init__(self, name, population, area, capital): self.name = name self.population = population self.area = area self.capital = capital def calc_density(self): return self.area / self.population state_1 = state('guj', 50000000, 40000000, 'gandhinagar') state_2 = state('maharashtra', 80000000, 100000000, 'mumbai') print(state_1.name) print(state_2.calc_density())
puffRstring = ''' impute_zeros <- function(x, y, bw){ k <- ksmooth(x=x, y=y, bandwidth=bw) y[y == 0] <- k$y[y == 0] return(y) } mednorm <- function(x){x/median(x)} mednorm.ksmooth <-function(x,y,bw){mednorm(ksmooth(x=x,y=y,bandwidth = bw)$y)} mednorm.ksmooth.norm <-function(x,y,bw,norm.y){mednorm.ksmooth(x,y,bw)/mednorm.ksmooth(x,norm.y,bw)} inner.quant.mean.norm <- function(x, inner=c(0.4,0.6)){ innerq <- quantile(x=x, probs = inner) x/mean(x[x >= innerq[1] & x <= innerq[2]]) } slope <- function(x1,x2,y1,y2){ (y2-y1)/(x2-x1) } prob.data <- function(Forward){ num.emits <- dim(Forward)[2] return(sum(Forward[,num.emits])) } # HMM Functions viterbi.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal", logprobs=FALSE){ ## logprobs = whether or not transition and initial matrices are logged yet, assumes false if(!(logprobs)){ initial = log(initial) transitions = log(transitions) } num.states <- length(states) num.emits <- length(emitted.data) ## need to add log_probs instead of multiply probs to prevent underflow ## write.table(emissions, file="del1") ## write.table(transitions, file="del2") ## write.table(initial,file="del3") ## write.table(num.states, file="del4") ## write.table(num.emits, file="del5") if (emodel == "normal"){ V=viterbi.normal(emissions, transitions, initial, emitted.data, num.states, num.emits) } else if (emodel == "poisson"){ V=viterbi.poisson(emissions, transitions, initial, emitted.data, num.states, num.emits) } else if (emodel == "exponential"){ ## NOTE: emission_prob_means that would otherwise be used for normal or poissoin are inversed (1/mu) for exponential and geometric emissions[1,] <- 1/emissions[1,] V=viterbi.exponential(emissions, transitions, initial, emitted.data, num.states, num.emits) } else if (emodel == "geometric"){ ## NOTE: emission_prob_means that would otherwise be used for normal or poissoin are inversed (1/mu) for exponential and geometric emissions[1,] <- 1/emissions[1,] V=viterbi.geometric(emissions, transitions, initial, emitted.data, num.states, num.emits) } else if (emodel == "gamma"){ params <- emissions ## Estimate shape params[1,] <- emissions[1,]^2 / emissions[2,]^2 ## Estimate scale params[2,] <- emissions[2,]^2 / emissions[1,] ## Stay calm and carry on V=viterbi.gamma(params, transitions, initial, emitted.data, num.states, num.emits) } else if (emodel == "discrete"){ V=viterbi.discrete(emissions, transitions, initial, emitted.data, num.states, num.emits) } viterbi_path <- matrix(data = rep(0, num.emits), nrow = 1) viterbi_path[num.emits] <- which.max(V$Viterbi[,num.emits]); viterbi_prob <- V$Viterbi[viterbi_path[num.emits], num.emits] for (j in num.emits:2){ viterbi_path[j-1] <- V$pointer[j,viterbi_path[j]] } return(list(viterbi_path=viterbi_path, viterbi_prob=viterbi_prob)) } ##NORMAL viterbi.normal <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){ pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits) Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) Viterbi[ ,1] <- initial + dnorm(emitted.data[1], mean = emissions[1, ], sd = emissions[2, ], log = TRUE) pointer[1, ] <- 1 f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))} for (j in 2:num.emits){ selection <- Viterbi[,j-1] + transitions for (i in 1:num.states){ maxstate <- which.max(selection[,i]) Viterbi[i,j] <- dnorm(emitted.data[j], mean = emissions[1, i], sd = emissions[2, i], log = TRUE) + selection[maxstate,i] pointer[j,i] <- maxstate } } return(list(Viterbi=Viterbi, pointer=pointer)) } ##POISSON viterbi.poisson <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){ ## rounds floats to integers pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits) Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) Viterbi[ ,1] <- initial + dpois(round(emitted.data[1]), lambda = emissions[1, ], log=TRUE) pointer[1, ] <- 1 f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))} for (j in 2:num.emits){ selection <- Viterbi[,j-1] + transitions for (i in 1:num.states){ maxstate <- which.max(selection[,i]) Viterbi[i,j] <- dpois(round(emitted.data[j]), lambda = emissions[1, i], log = TRUE) + selection[maxstate,i] pointer[j,i] <- maxstate } } return(list(Viterbi=Viterbi, pointer=pointer)) } ## EXPONENTIAL viterbi.exponential <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){ pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits) Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) Viterbi[ ,1] <- initial + dexp(emitted.data[1], rate = emissions[1, ], log=TRUE) pointer[1, ] <- 1 f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))} for (j in 2:num.emits){ selection <- Viterbi[,j-1] + transitions for (i in 1:num.states){ maxstate <- which.max(selection[,i]) Viterbi[i,j] <- dexp(emitted.data[j], rate = emissions[1, i], log = TRUE) + selection[maxstate,i] pointer[j,i] <- maxstate } } return(list(Viterbi=Viterbi, pointer=pointer)) } ## GEOMETRIC viterbi.geometric <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){ ## rounds floats to integers pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits) Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) Viterbi[ ,1] <- initial + dgeom(round(emitted.data[1]), prob = emissions[1, ], log=TRUE) pointer[1, ] <- 1 f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))} for (j in 2:num.emits){ selection <- Viterbi[,j-1] + transitions for (i in 1:num.states){ maxstate <- which.max(selection[,i]) Viterbi[i,j] <- dgeom(round(emitted.data[j]), prob = emissions[1, i], log = TRUE) + selection[maxstate,i] pointer[j,i] <- maxstate } } return(list(Viterbi=Viterbi, pointer=pointer)) } ## GAMMA viterbi.gamma <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){ pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits) Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) Viterbi[ ,1] <- initial + dgamma(emitted.data[1], shape = emissions[1, ], scale =emissions[2, ], log=TRUE) pointer[1, ] <- 1 f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))} for (j in 2:num.emits){ selection <- Viterbi[,j-1] + transitions for (i in 1:num.states){ maxstate <- which.max(selection[,i]) Viterbi[i,j] <- dgamma(emitted.data[j], shape = emissions[1, i], scale = emissions[2, i], log = TRUE) + selection[maxstate,i] pointer[j,i] <- maxstate } } return(list(Viterbi=Viterbi, pointer=pointer)) } ##DISCRETE viterbi.discrete <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){ ## "emissions" = numstates x numsymbols matrix (rows sum to 1) ## rounds floats to integers pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits) Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) ## INITIALIZE AND GO Viterbi[ ,1] <- initial + log( emissions[ , emitted.data[1]] ) pointer[1, ] <- 1 f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))} for (j in 2:num.emits){ selection <- Viterbi[,j-1] + transitions for (i in 1:num.states){ maxstate <- which.max(selection[,i]) Viterbi[i,j] <- log( emissions[ i, emitted.data[j]] ) + selection[maxstate,i] pointer[j,i] <- maxstate } } return(list(Viterbi=Viterbi, pointer=pointer)) } #### VECTORIZED FORWARDS ######## forward.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal"){ num.states <- length(states) num.emits <- length(emitted.data) Forward <- matrix(data = rep(0, num.states*num.emits), nrow = num.states) scalefactors <- matrix(data = rep(0, num.emits*2), nrow = 2) #model if (emodel == "normal"){emodel.fxn <- puff.normal} else if (emodel == "exponential"){ emissions[1,] <- 1/emissions[1,] emodel.fxn <- puff.exponential } else if (emodel == "poisson"){emodel.fxn <- puff.poisson} else if (emodel == "geometric"){ emissions[1,] <- 1/emissions[1,] emodel.fxn <- puff.geometric } else if (emodel == "gamma") { params <- emissions ## Estimate shape params[1,] <- emissions[1,]^2 / emissions[2,]^2 ## Estimate scale params[2,] <- emissions[2,]^2 / emissions[1,] ## Stay calm and carry on emissions <- params emodel.fxn <- puff.gamma } ## initial Forward[, 1] <- initial*emodel.fxn(emitted.data[1], emissions) ## scale to prevent underflow -- keep track of scaling scalefactors[1,1] <- sum(Forward[, 1]) scalefactors[2,1] <- log(scalefactors[1,1]) Forward[,1] <- Forward[,1]/scalefactors[1,1] ## iterate for(k in 2:num.emits){ emit <- emodel.fxn(emitted.data[k], emissions) Forward[, k] <- emit* Forward[,k-1] %*% transitions ## same as emit* Forward[,k-1] * colSums(transitions) scalefactors[1,k] <- sum(Forward[, k]) scalefactors[2,k] <- log(scalefactors[1,k]) + scalefactors[2,k-1] Forward[,k] <- Forward[,k]/scalefactors[1,k] } return(list(forward=Forward, scales=scalefactors)) ## mutiply forward column by row2,samecol in scale factors OR by exp(row3,samecol in scalfactors) to get actual value for forward ## update: OR actually I think multiply fwd column by product of [row1,1:samecol] in scale factors ## I must have at one point taken out row2 of scale factors (when row3 was logs of row2) } #### VECTORIZED BACKWARDS ######## backward.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal"){ num.states <- length(states) num.emits <- length(emitted.data) Backward = matrix(data = rep(0, num.states*num.emits), nrow = num.states) scalefactors <- matrix(data = rep(0, num.emits*2), nrow = 2) #model if (emodel == "normal"){emodel.fxn <- puff.normal} else if (emodel == "exponential"){ emissions[1,] <- 1/emissions[1,] emodel.fxn <- puff.exponential } else if (emodel == "poisson"){emodel.fxn <- puff.poisson} else if (emodel == "geometric"){ emissions[1,] <- 1/emissions[1,] emodel.fxn <- puff.geometric } else if (emodel == "gamma"){ params <- emissions ## Estimate shape params[1,] <- emissions[1,]^2 / emissions[2,]^2 ## Estimate scale params[2,] <- emissions[2,]^2 / emissions[1,] ## Stay calm and carry on emissions <- params emodel.fxn <- puff.gamma } ## initial Backward[ , num.emits] <- 1 ## scale to prevent underflow -- keep track of scaling scalefactors[1,num.emits] <- sum(Backward[, num.emits]) scalefactors[2,num.emits] <- log(scalefactors[1,num.emits]) Backward[,num.emits] <- Backward[,num.emits]/scalefactors[1,num.emits] ## iterate for(k in (num.emits-1):1){ # emit <- matrix(dnorm(emitted.data[k+1], mean = emissions[1, ], sd = emissions[2, ])) emit <- matrix(emodel.fxn(emitted.data[k+1], emissions)) # print(Backward[, k+1] * emit) Backward [, k] <- transitions %*% (Backward[, k+1] * emit) scalefactors[1,k] <- sum(Backward[, k]) scalefactors[2,k] <- log(scalefactors[1,k]) + scalefactors[2,k+1] Backward[,k] <- Backward[,k]/scalefactors[1,k] } return(list(backward=Backward, scales=scalefactors)) } puff.normal <- function(x, emissions){ dnorm(x, mean = emissions[1, ], sd = emissions[2, ], log=FALSE) } puff.exponential <- function(x, emissions){ dexp(x = x, rate = emissions[1, ], log = FALSE) } puff.poisson <- function(x, emissions){ dpois(x = round(x), lambda = emissions[1, ], log = FALSE) } puff.geometric <- function(x, emissions){ dgeom(x = round(x), prob = emissions[1, ], log = FALSE) } puff.gamma <- function(x, emissions){ dgamma(x = x, shape = emissions[1, ], scale = emissions[2, ], log=FALSE) } ### posterior <- function(Forward, Backward, states){ ## F and B matrices are from small sequence fxns -- not scaled num.states <- length(states) num.emits <- dim(Forward)[2] posterior.path <- matrix(data = rep(0, num.emits), nrow = 1) probs <- matrix(data = rep(0, num.emits), nrow = 1) pd <- prob.data(Forward = Forward) for (i in 1:num.emits){ fb <- Forward[,i]*Backward[,i] max.state <- which.max(fb) posterior.path[i] <- max.state # probs[i] <- max(fb)/pd ## should be divided by prob.data...? } return(list(posterior.path=posterior.path, probs=probs)) } compare.statepath <- function(sp1, sp2){ # where sp is a numeric vector or char vector with each state its own element -- not seq format total <- length(sp1) ident <- sum(sp1 == sp2) edit.dist <- total - ident return(list(edit.dist=edit.dist, identical.count=ident, pct.id=100*ident/total)) } baum.welch.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal"){ #model if (emodel == "normal"){emodel.fxn <- puff.normal} else if (emodel == "exponential"){emodel.fxn <- puff.exponential} else if (emodel == "poisson"){emodel.fxn <- puff.poisson} else if (emodel == "geometric"){emodel.fxn <- puff.geometric} # emissions, transitions, and initial probs given are "best guesses" (or randomly chosen) # calculate log-likelihood of model n.states <- length(states) n.emits <- length(emitted.data) c <- 0.00001 new.L <- 0 old.L <- 100 #arbitrary number producing difference > c while (abs(new.L - old.L > c)){ old.L <- new.L # emissions, transitions, and initial probs given are "best guesses" (or randomly chosen) # calculate log-likelihood of model # Get fwd, backward, and prob(data) fwd <- forward.puff(emissions, transitions, initial, states, emitted.data, emodel) bck <- backward.puff(emissions, transitions, initial, states, emitted.data, emodel) p <- prob.data(Forward = fwd$forward) new.L <- log10(p) #update initial, transition, emissions # calc new log likelihood of model # calc difference between new and old log likelihood # if diff > cutoff, return to fwd/bck/p step; else done TRANS <- update.transitions(n.states, n.emits, fwd, bck, transitions, emissions) EMIS <- update.emissions() } } # update.transitions <- function(n.states, n.emits, fwd, bck, transitions, emissions){ # TRANS <- matrix(rep(0, n.states*n.states), nrow=n.states) # for (i in 1:n.states){ # for (k in 1:n.states){ # for (m in 1:(n.emits-1)){ # TRANS[i,k] <- TRANS[i,k] + fwd[i,m] * transitions[i,k] * ##TODO#emissions[k,emitted.data[1,m+1]## * bck[k,m+1] # } # } # } # return(TRANS) # } # update.emissions <- function(n.states, n.emits){ # EMIS <- matrix(rep(0, n.states*n.emits), nrow=n.states) # for (i in 1:n.states){ # for (k in 1:) # } # } ## if took N=10 backsamples -- ie. N state paths ## could get mean and std dev (emission dist) for each state by simple count stats ## could also get transition probs by simple count stats backsample.puff <- function(Forward, transitions, n.states=NA, states=NA, n.emits=NA){ ## TODO vectorize -- e.g. eliminate for loop if(is.na(n.states) || is.na(states) || is.na(n.emits)){ dim.fwd <- dim(Forward) n.states <- dim.fwd[1] states <- 1:n.states n.emits <- dim.fwd[2] } #initialization b.sample <- rep(0, n.emits) # Randomly sample a state for Sn according to: P(Sn=sn|X1:n) = P(Sn=sn,X1:n)/P(X1:n) ## p(data) not nec since it scales all by same number and all proportionally the same b.sample[n.emits] <- sample(x = states, size = 1, prob = Forward[,n.emits]) #/p) ## Iterate for k in n.emits-1 to 1 ## Randomly sample a state for Sk according to: P(Sk=sk|Sk+1=sk+1, X1:n) ## = P(Sk=sk, X1:k)*P(Sk+1=sk+1|Sk=sk)/ [sum(Sk) P(Sk, X1:k)*P(Sk+1=sk+1|Sk)] ## = fwd_k(Sk=sk) * trans(Sk+1=sk+1 | Sk=sk) / sum(all states using numerator terms) for (k in (n.emits-1):1){ b.sample[k] <- sample(x = states, size = 1, prob = Forward[,k]*transitions[,b.sample[k+1]]) # no need to re-scale fwd values since they would still be proportionally same } return(b.sample) } n.backsamples <- function(Forward, transitions, N=1000){ #Forward is Forward matrix (not list object with F and scales) # transitions is trans prob matrix ## TODO vectorize -- e.g. can pick N states for each at once dim.fwd <- dim(Forward) n.states <- dim.fwd[1] states <- 1:n.states n.emits <- dim.fwd[2] b.samples <- matrix(rep(0, N*n.emits), nrow = N) for(i in 1:N){ b.samples[i,] <- backsample.puff(Forward, transitions, n.states=n.states, states=states, n.emits=n.emits) } return(b.samples) } backsample.state.freq <- function(b.samples, n.states, states, N=NA, n.emits=NA){ #b.samples is a n.bsamples x n.emits matrix output from n.backsamples if(is.na(N) || is.na(n.emits)){ d <- dim(b.samples) N <- d[1] n.emits <- d[2] } freq <- matrix(rep(0, n.states*n.emits), nrow = n.states) for(i in 1:n.emits){ freq[,i] <- table(c(states,b.samples[,i]))-1 #adding all states in to ensure all levels are represented followed by subtracting 1 from all counts } return(freq) } backsample.max.freq.path <- function(freq){ apply(X = freq, MARGIN = 2, FUN = which.max) } ##params for 3state ##initial <- matrix(c(1,1,1)/3, nrow=1) emissions <- matrix(rep(0, 6), nrow=2) emissions[1,] <- c(-0.5,0,0.5) emissions[2,] <- c(0.5,0.5,0.5) ##transitions <- matrix(rep(0,9),nrow=3) ##transitions[1,] <- c(0.99, 0.005, 0.005) ##transitions[2,] <- c(0.005,0.99,0.005) ##transitions[3,] <- c(0.005,0.005,0.99) # initial <- matrix(c(0.006,0.988,0.006), nrow=1) transitions <- matrix(rep(0,9),nrow=3) transitions[1,] <- c(0.99998, 0.00001, 0.00001) transitions[2,] <- c(0.000000125,0.99999975,0.000000125) transitions[3,] <- c(0.00001,0.00001,0.99998) ## params for 7state ##initial7 <- matrix(rep(1,7)/7, nrow=1) initial7 <- matrix(c(0.997,rep(0.0005,6)), nrow=1) s <- c(1,sqrt(2),2,sqrt(8),4,sqrt(32),8) m <- c(1,2,4,8,16,32,64) ##For exponential and geometric ###m <- 1/m emissions7 <- matrix(rep(0, 14), nrow=2) emissions7[1,] <- m emissions7[2,] <- s transitions7 <- matrix(rep(0,49),nrow=7) for(i in 1:7){ transitions7[i,1:7] <- 0.001 #0.000001 transitions7[i,i] <- 0.999 #0.999999 ## transitions7[i,1:7] <- 0.000001 ## transitions7[i,i] <- 0.999999 # if(i>1){transitions7[i,i-1] <- 0.000005} # if(i<7){transitions7[i,i+1] <- 0.000005} transitions7[i,] <- transitions7[i,]/sum(transitions7[i,]) } ##transitions7 <- matrix(rep(0,49),nrow=7) ##for(i in 1:7){ ## transitions7[i,1:7] <- 0.0001 ## transitions7[i,i] <- 0.9999 ## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,]) ##} ##transitions7 <- matrix(rep(0,49),nrow=7) ##for(i in 1:7){ ## if(i>1){ ## for (j in 1:(i-1)){transitions7[i,(i-j)] <- 0.0001/j} ## } ## if (i<7){ ## for (j in 1:(7-i)){transitions7[i,(i+j)] <- 0.0001/j} ## } ## transitions7[i,i] <- 0.9999 ## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,]) ##} ##transitions7 <- matrix(rep(0,49),nrow=7) ##for(i in 1:7){ ## if(i>1){ ## for (j in 1:(i-1)){transitions7[i,(i-j)] <- 0.0001/j^3} ## } ## if (i<7){ ## for (j in 1:(7-i)){transitions7[i,(i+j)] <- 0.0001/j^3} ## } ## transitions7[i,i] <- 0.9999 ## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,]) ##} ##transitions7 <- matrix(rep(0,49),nrow=7) ##for(i in 1:7){ ## if(i>1){ ## for (j in 1:(i-1)){transitions7[i,(i-j)] <- 0.001/j^3} ## } ## if (i<7){ ## for (j in 1:(7-i)){transitions7[i,(i+j)] <- 0.001/j^3} ## } ## transitions7[i,i] <- 0.999 ## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,]) ##} generate.normal <- function(n, mu, sig){ rnorm(n, mean = mu, sd = sig) } generate.exponential <- function(n, mu, sig){ ## assumes mu already 1/mu_given ## sig is just dummy var rexp(n, rate=mu) } generate.poisson <- function(n, mu, sig){ ## mu is rounded rpois(n, lambda = round(mu)) } generate.geometric <- function(n, mu, sig){ ## assumes mu is 1/mu_given ## sig is just dummy var rgeom(n, prob = mu) } ##generate_statepath <- function(transitions, initial, states, len=10){ ## statenums <- 1:length(states) ## statepath <- vector(mode="integer", length=len) ## # INITIAL ## statepath[1] <- sample(statenums, size = 1, prob = initial) ## ## TRANSITIONS ## for (i in 2:len){ ## statepath[i] <- sample(statenums, size=1, prob = transitions[statepath[i-1], ]) ## } ## return(statepath) ##} ## ##generate_emitted_data <- function(emissions, statepath, emodel = 'normal'){ ## #model ## if (emodel == "normal"){emodel.fxn <- generate.normal} ## else if (emodel == "exponential"){emodel.fxn <- generate.exponential} ## else if (emodel == "poisson"){emodel.fxn <- generate.poisson} ## else if (emodel == "geometric"){emodel.fxn <- generate.geometric} ## ## statepathlen = length(statepath) ## emitted_data <- vector(mode='numeric', length=statepathlen) ## for (i in 1:statepathlen){ ## emitted_data[i] <- emodel.fxn(n=1, mu=emissions[1, statepath[i]], sig=emissions[2, statepath[i]]) ## } ## return(emitted_data) ##} generate <- function(emissions, transitions, initial, states, statepathlen=10, emodel="normal"){ #model if (emodel == "normal"){emodel.fxn <- generate.normal} else if (emodel == "exponential"){emodel.fxn <- generate.exponential} else if (emodel == "poisson"){emodel.fxn <- generate.poisson} else if (emodel == "geometric"){emodel.fxn <- generate.geometric} ## Ensure states are indexes statenums <- 1:length(states) statepath <- vector(mode="integer", length=statepathlen) emitted_data <- vector(mode='numeric', length=statepathlen) # INITIAL statepath[1] <- sample(statenums, size = 1, prob = initial) emitted_data[1] <- emodel.fxn(n=1, mu=emissions[1, statepath[1]], sig=emissions[2, statepath[1]]) ## TRANSITIONS for (i in 2:statepathlen){ statepath[i] <- sample(statenums, size=1, prob = transitions[statepath[i-1], ]) emitted_data[i] <- emodel.fxn(n=1, mu=emissions[1, statepath[i]], sig=emissions[2, statepath[i]]) } return(list(statepath, emitted_data)) } '''
puff_rstring = '\nimpute_zeros <- function(x, y, bw){\n k <- ksmooth(x=x, y=y, bandwidth=bw)\n y[y == 0] <- k$y[y == 0]\n return(y)\n}\nmednorm <- function(x){x/median(x)}\nmednorm.ksmooth <-function(x,y,bw){mednorm(ksmooth(x=x,y=y,bandwidth = bw)$y)}\nmednorm.ksmooth.norm <-function(x,y,bw,norm.y){mednorm.ksmooth(x,y,bw)/mednorm.ksmooth(x,norm.y,bw)}\ninner.quant.mean.norm <- function(x, inner=c(0.4,0.6)){\n innerq <- quantile(x=x, probs = inner)\n x/mean(x[x >= innerq[1] & x <= innerq[2]])\n}\n\nslope <- function(x1,x2,y1,y2){\n (y2-y1)/(x2-x1)\n}\n\n\n\nprob.data <- function(Forward){\n num.emits <- dim(Forward)[2]\n return(sum(Forward[,num.emits]))\n}\n\n\n\n\n# HMM Functions\nviterbi.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal", logprobs=FALSE){\n ## logprobs = whether or not transition and initial matrices are logged yet, assumes false\n if(!(logprobs)){\n initial = log(initial)\n transitions = log(transitions)\n }\n num.states <- length(states)\n num.emits <- length(emitted.data) \n ## need to add log_probs instead of multiply probs to prevent underflow\n## write.table(emissions, file="del1")\n## write.table(transitions, file="del2")\n## write.table(initial,file="del3")\n## write.table(num.states, file="del4")\n## write.table(num.emits, file="del5")\n if (emodel == "normal"){\n V=viterbi.normal(emissions, transitions, initial, emitted.data, num.states, num.emits)\n } else if (emodel == "poisson"){\n V=viterbi.poisson(emissions, transitions, initial, emitted.data, num.states, num.emits)\n } else if (emodel == "exponential"){\n ## NOTE: emission_prob_means that would otherwise be used for normal or poissoin are inversed (1/mu) for exponential and geometric\n emissions[1,] <- 1/emissions[1,]\n V=viterbi.exponential(emissions, transitions, initial, emitted.data, num.states, num.emits)\n } else if (emodel == "geometric"){\n ## NOTE: emission_prob_means that would otherwise be used for normal or poissoin are inversed (1/mu) for exponential and geometric\n emissions[1,] <- 1/emissions[1,]\n V=viterbi.geometric(emissions, transitions, initial, emitted.data, num.states, num.emits)\n } else if (emodel == "gamma"){\n params <- emissions\n ## Estimate shape\n params[1,] <- emissions[1,]^2 / emissions[2,]^2\n ## Estimate scale\n params[2,] <- emissions[2,]^2 / emissions[1,]\n ## Stay calm and carry on\n V=viterbi.gamma(params, transitions, initial, emitted.data, num.states, num.emits)\n } else if (emodel == "discrete"){\n V=viterbi.discrete(emissions, transitions, initial, emitted.data, num.states, num.emits)\n }\n \n viterbi_path <- matrix(data = rep(0, num.emits), nrow = 1)\n viterbi_path[num.emits] <- which.max(V$Viterbi[,num.emits]); \n viterbi_prob <- V$Viterbi[viterbi_path[num.emits], num.emits]\n \n for (j in num.emits:2){\n viterbi_path[j-1] <- V$pointer[j,viterbi_path[j]]\n }\n\n return(list(viterbi_path=viterbi_path, viterbi_prob=viterbi_prob))\n}\n\n##NORMAL\nviterbi.normal <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){\n pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits)\n Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) \n Viterbi[ ,1] <- initial + dnorm(emitted.data[1], mean = emissions[1, ], sd = emissions[2, ], log = TRUE)\n pointer[1, ] <- 1\n f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))}\n for (j in 2:num.emits){\n selection <- Viterbi[,j-1] + transitions\n for (i in 1:num.states){\n maxstate <- which.max(selection[,i])\n Viterbi[i,j] <- dnorm(emitted.data[j], mean = emissions[1, i], sd = emissions[2, i], log = TRUE) + selection[maxstate,i]\n pointer[j,i] <- maxstate \n }\n } \n return(list(Viterbi=Viterbi, pointer=pointer))\n}\n\n##POISSON\nviterbi.poisson <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){\n ## rounds floats to integers\n pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits)\n Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) \n Viterbi[ ,1] <- initial + dpois(round(emitted.data[1]), lambda = emissions[1, ], log=TRUE)\n pointer[1, ] <- 1\n f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))}\n for (j in 2:num.emits){\n selection <- Viterbi[,j-1] + transitions\n for (i in 1:num.states){\n maxstate <- which.max(selection[,i])\n Viterbi[i,j] <- dpois(round(emitted.data[j]), lambda = emissions[1, i], log = TRUE) + selection[maxstate,i]\n pointer[j,i] <- maxstate \n }\n } \n return(list(Viterbi=Viterbi, pointer=pointer))\n}\n\n## EXPONENTIAL\nviterbi.exponential <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){\n pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits)\n Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) \n Viterbi[ ,1] <- initial + dexp(emitted.data[1], rate = emissions[1, ], log=TRUE)\n pointer[1, ] <- 1\n f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))}\n for (j in 2:num.emits){\n selection <- Viterbi[,j-1] + transitions\n for (i in 1:num.states){\n maxstate <- which.max(selection[,i])\n Viterbi[i,j] <- dexp(emitted.data[j], rate = emissions[1, i], log = TRUE) + selection[maxstate,i]\n pointer[j,i] <- maxstate \n }\n } \n return(list(Viterbi=Viterbi, pointer=pointer))\n}\n\n\n## GEOMETRIC\nviterbi.geometric <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){\n ## rounds floats to integers\n pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits)\n Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) \n Viterbi[ ,1] <- initial + dgeom(round(emitted.data[1]), prob = emissions[1, ], log=TRUE)\n pointer[1, ] <- 1\n f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))}\n for (j in 2:num.emits){\n selection <- Viterbi[,j-1] + transitions\n for (i in 1:num.states){\n maxstate <- which.max(selection[,i])\n Viterbi[i,j] <- dgeom(round(emitted.data[j]), prob = emissions[1, i], log = TRUE) + selection[maxstate,i]\n pointer[j,i] <- maxstate \n }\n } \n return(list(Viterbi=Viterbi, pointer=pointer))\n}\n\n## GAMMA\nviterbi.gamma <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){\n pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits)\n Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states) \n Viterbi[ ,1] <- initial + dgamma(emitted.data[1], shape = emissions[1, ], scale =emissions[2, ], log=TRUE)\n pointer[1, ] <- 1\n f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))}\n for (j in 2:num.emits){\n selection <- Viterbi[,j-1] + transitions\n for (i in 1:num.states){\n maxstate <- which.max(selection[,i])\n Viterbi[i,j] <- dgamma(emitted.data[j], shape = emissions[1, i], scale = emissions[2, i], log = TRUE) + selection[maxstate,i]\n pointer[j,i] <- maxstate \n }\n } \n return(list(Viterbi=Viterbi, pointer=pointer))\n}\n\n\n##DISCRETE\nviterbi.discrete <- function(emissions, transitions, initial, emitted.data, num.states, num.emits){\n ## "emissions" = numstates x numsymbols matrix (rows sum to 1)\n ## rounds floats to integers\n pointer <- matrix(rep(0, num.emits*num.states), nrow = num.emits)\n Viterbi <- matrix(rep(0, num.states*num.emits), nrow = num.states)\n\n ## INITIALIZE AND GO\n Viterbi[ ,1] <- initial + log( emissions[ , emitted.data[1]] )\n pointer[1, ] <- 1\n f <- function(x){i <- which.max(x); y <- x[i]; return(c(i,y))}\n for (j in 2:num.emits){\n selection <- Viterbi[,j-1] + transitions\n for (i in 1:num.states){\n maxstate <- which.max(selection[,i])\n Viterbi[i,j] <- log( emissions[ i, emitted.data[j]] ) + selection[maxstate,i]\n pointer[j,i] <- maxstate \n }\n } \n return(list(Viterbi=Viterbi, pointer=pointer))\n}\n\n\n#### VECTORIZED FORWARDS ########\nforward.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal"){\n num.states <- length(states)\n num.emits <- length(emitted.data)\n Forward <- matrix(data = rep(0, num.states*num.emits), nrow = num.states)\n scalefactors <- matrix(data = rep(0, num.emits*2), nrow = 2)\n \n #model\n if (emodel == "normal"){emodel.fxn <- puff.normal}\n else if (emodel == "exponential"){\n emissions[1,] <- 1/emissions[1,]\n emodel.fxn <- puff.exponential\n } else if (emodel == "poisson"){emodel.fxn <- puff.poisson}\n else if (emodel == "geometric"){\n emissions[1,] <- 1/emissions[1,]\n emodel.fxn <- puff.geometric\n } else if (emodel == "gamma") {\n params <- emissions\n ## Estimate shape\n params[1,] <- emissions[1,]^2 / emissions[2,]^2\n ## Estimate scale\n params[2,] <- emissions[2,]^2 / emissions[1,]\n ## Stay calm and carry on\n emissions <- params\n emodel.fxn <- puff.gamma\n }\n \n ## initial\n Forward[, 1] <- initial*emodel.fxn(emitted.data[1], emissions)\n ## scale to prevent underflow -- keep track of scaling\n scalefactors[1,1] <- sum(Forward[, 1])\n scalefactors[2,1] <- log(scalefactors[1,1])\n Forward[,1] <- Forward[,1]/scalefactors[1,1]\n \n ## iterate\n for(k in 2:num.emits){\n emit <- emodel.fxn(emitted.data[k], emissions)\n Forward[, k] <- emit* Forward[,k-1] %*% transitions ## same as emit* Forward[,k-1] * colSums(transitions)\n scalefactors[1,k] <- sum(Forward[, k])\n scalefactors[2,k] <- log(scalefactors[1,k]) + scalefactors[2,k-1]\n Forward[,k] <- Forward[,k]/scalefactors[1,k]\n }\n \n return(list(forward=Forward, scales=scalefactors))\n ## mutiply forward column by row2,samecol in scale factors OR by exp(row3,samecol in scalfactors) to get actual value for forward\n ## update: OR actually I think multiply fwd column by product of [row1,1:samecol] in scale factors\n ## I must have at one point taken out row2 of scale factors (when row3 was logs of row2)\n}\n\n\n\n\n#### VECTORIZED BACKWARDS ########\nbackward.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal"){\n num.states <- length(states)\n num.emits <- length(emitted.data)\n Backward = matrix(data = rep(0, num.states*num.emits), nrow = num.states)\n scalefactors <- matrix(data = rep(0, num.emits*2), nrow = 2)\n \n #model\n if (emodel == "normal"){emodel.fxn <- puff.normal}\n else if (emodel == "exponential"){\n emissions[1,] <- 1/emissions[1,]\n emodel.fxn <- puff.exponential\n }\n else if (emodel == "poisson"){emodel.fxn <- puff.poisson}\n else if (emodel == "geometric"){\n emissions[1,] <- 1/emissions[1,]\n emodel.fxn <- puff.geometric\n }\n else if (emodel == "gamma"){\n params <- emissions\n ## Estimate shape\n params[1,] <- emissions[1,]^2 / emissions[2,]^2\n ## Estimate scale\n params[2,] <- emissions[2,]^2 / emissions[1,]\n ## Stay calm and carry on\n emissions <- params\n emodel.fxn <- puff.gamma\n }\n \n ## initial\n Backward[ , num.emits] <- 1\n \n ## scale to prevent underflow -- keep track of scaling\n scalefactors[1,num.emits] <- sum(Backward[, num.emits])\n scalefactors[2,num.emits] <- log(scalefactors[1,num.emits])\n Backward[,num.emits] <- Backward[,num.emits]/scalefactors[1,num.emits]\n \n ## iterate\n for(k in (num.emits-1):1){\n # emit <- matrix(dnorm(emitted.data[k+1], mean = emissions[1, ], sd = emissions[2, ]))\n emit <- matrix(emodel.fxn(emitted.data[k+1], emissions))\n # print(Backward[, k+1] * emit)\n Backward [, k] <- transitions %*% (Backward[, k+1] * emit)\n scalefactors[1,k] <- sum(Backward[, k])\n scalefactors[2,k] <- log(scalefactors[1,k]) + scalefactors[2,k+1]\n Backward[,k] <- Backward[,k]/scalefactors[1,k]\n }\n return(list(backward=Backward, scales=scalefactors))\n}\n\n\npuff.normal <- function(x, emissions){\n dnorm(x, mean = emissions[1, ], sd = emissions[2, ], log=FALSE)\n}\n\npuff.exponential <- function(x, emissions){\n dexp(x = x, rate = emissions[1, ], log = FALSE)\n}\n\npuff.poisson <- function(x, emissions){\n dpois(x = round(x), lambda = emissions[1, ], log = FALSE)\n}\n\npuff.geometric <- function(x, emissions){\n dgeom(x = round(x), prob = emissions[1, ], log = FALSE)\n}\n\n\npuff.gamma <- function(x, emissions){\n dgamma(x = x, shape = emissions[1, ], scale = emissions[2, ], log=FALSE)\n}\n\n###\nposterior <- function(Forward, Backward, states){\n ## F and B matrices are from small sequence fxns -- not scaled\n num.states <- length(states)\n num.emits <- dim(Forward)[2]\n posterior.path <- matrix(data = rep(0, num.emits), nrow = 1)\n probs <- matrix(data = rep(0, num.emits), nrow = 1)\n pd <- prob.data(Forward = Forward)\n for (i in 1:num.emits){\n fb <- Forward[,i]*Backward[,i]\n max.state <- which.max(fb)\n posterior.path[i] <- max.state\n # probs[i] <- max(fb)/pd ## should be divided by prob.data...?\n }\n return(list(posterior.path=posterior.path, probs=probs)) \n}\n\ncompare.statepath <- function(sp1, sp2){\n # where sp is a numeric vector or char vector with each state its own element -- not seq format\n total <- length(sp1)\n ident <- sum(sp1 == sp2)\n edit.dist <- total - ident\n return(list(edit.dist=edit.dist, identical.count=ident, pct.id=100*ident/total))\n}\n\n\nbaum.welch.puff <- function(emissions, transitions, initial, states, emitted.data, emodel="normal"){\n #model\n if (emodel == "normal"){emodel.fxn <- puff.normal}\n else if (emodel == "exponential"){emodel.fxn <- puff.exponential}\n else if (emodel == "poisson"){emodel.fxn <- puff.poisson}\n else if (emodel == "geometric"){emodel.fxn <- puff.geometric}\n # emissions, transitions, and initial probs given are "best guesses" (or randomly chosen)\n # calculate log-likelihood of model\n n.states <- length(states)\n n.emits <- length(emitted.data)\n c <- 0.00001\n new.L <- 0\n old.L <- 100 #arbitrary number producing difference > c\n while (abs(new.L - old.L > c)){\n old.L <- new.L\n # emissions, transitions, and initial probs given are "best guesses" (or randomly chosen)\n # calculate log-likelihood of model\n # Get fwd, backward, and prob(data)\n fwd <- forward.puff(emissions, transitions, initial, states, emitted.data, emodel)\n bck <- backward.puff(emissions, transitions, initial, states, emitted.data, emodel)\n p <- prob.data(Forward = fwd$forward)\n new.L <- log10(p)\n #update initial, transition, emissions\n # calc new log likelihood of model\n # calc difference between new and old log likelihood\n # if diff > cutoff, return to fwd/bck/p step; else done \n TRANS <- update.transitions(n.states, n.emits, fwd, bck, transitions, emissions)\n EMIS <- update.emissions()\n }\n}\n\n\n# update.transitions <- function(n.states, n.emits, fwd, bck, transitions, emissions){\n# TRANS <- matrix(rep(0, n.states*n.states), nrow=n.states)\n# for (i in 1:n.states){\n# for (k in 1:n.states){\n# for (m in 1:(n.emits-1)){\n# TRANS[i,k] <- TRANS[i,k] + fwd[i,m] * transitions[i,k] * ##TODO#emissions[k,emitted.data[1,m+1]## * bck[k,m+1]\n# }\n# }\n# }\n# return(TRANS)\n# }\n\n# update.emissions <- function(n.states, n.emits){\n# EMIS <- matrix(rep(0, n.states*n.emits), nrow=n.states)\n# for (i in 1:n.states){\n# for (k in 1:)\n# }\n# }\n## if took N=10 backsamples -- ie. N state paths\n## could get mean and std dev (emission dist) for each state by simple count stats\n## could also get transition probs by simple count stats\n\nbacksample.puff <- function(Forward, transitions, n.states=NA, states=NA, n.emits=NA){\n ## TODO vectorize -- e.g. eliminate for loop\n if(is.na(n.states) || is.na(states) || is.na(n.emits)){\n dim.fwd <- dim(Forward)\n n.states <- dim.fwd[1]\n states <- 1:n.states\n n.emits <- dim.fwd[2] \n }\n #initialization\n b.sample <- rep(0, n.emits)\n # Randomly sample a state for Sn according to: P(Sn=sn|X1:n) = P(Sn=sn,X1:n)/P(X1:n)\n ## p(data) not nec since it scales all by same number and all proportionally the same\n b.sample[n.emits] <- sample(x = states, size = 1, prob = Forward[,n.emits]) #/p)\n \n ## Iterate for k in n.emits-1 to 1\n ## Randomly sample a state for Sk according to: P(Sk=sk|Sk+1=sk+1, X1:n) \n ## = P(Sk=sk, X1:k)*P(Sk+1=sk+1|Sk=sk)/ [sum(Sk) P(Sk, X1:k)*P(Sk+1=sk+1|Sk)]\n ## = fwd_k(Sk=sk) * trans(Sk+1=sk+1 | Sk=sk) / sum(all states using numerator terms)\n for (k in (n.emits-1):1){\n b.sample[k] <- sample(x = states, size = 1, prob = Forward[,k]*transitions[,b.sample[k+1]]) # no need to re-scale fwd values since they would still be proportionally same\n }\n \n return(b.sample)\n}\n\nn.backsamples <- function(Forward, transitions, N=1000){\n #Forward is Forward matrix (not list object with F and scales)\n # transitions is trans prob matrix\n ## TODO vectorize -- e.g. can pick N states for each at once\n dim.fwd <- dim(Forward)\n n.states <- dim.fwd[1]\n states <- 1:n.states\n n.emits <- dim.fwd[2]\n b.samples <- matrix(rep(0, N*n.emits), nrow = N)\n for(i in 1:N){\n b.samples[i,] <- backsample.puff(Forward, transitions, n.states=n.states, states=states, n.emits=n.emits)\n }\n return(b.samples)\n}\n\nbacksample.state.freq <- function(b.samples, n.states, states, N=NA, n.emits=NA){\n #b.samples is a n.bsamples x n.emits matrix output from n.backsamples\n if(is.na(N) || is.na(n.emits)){\n d <- dim(b.samples)\n N <- d[1]\n n.emits <- d[2]\n }\n freq <- matrix(rep(0, n.states*n.emits), nrow = n.states)\n for(i in 1:n.emits){\n freq[,i] <- table(c(states,b.samples[,i]))-1 #adding all states in to ensure all levels are represented followed by subtracting 1 from all counts\n }\n return(freq)\n}\n\n\nbacksample.max.freq.path <- function(freq){\n apply(X = freq, MARGIN = 2, FUN = which.max)\n}\n\n\n##params for 3state\n##initial <- matrix(c(1,1,1)/3, nrow=1)\nemissions <- matrix(rep(0, 6), nrow=2)\nemissions[1,] <- c(-0.5,0,0.5)\nemissions[2,] <- c(0.5,0.5,0.5)\n\n\n##transitions <- matrix(rep(0,9),nrow=3)\n##transitions[1,] <- c(0.99, 0.005, 0.005)\n##transitions[2,] <- c(0.005,0.99,0.005)\n##transitions[3,] <- c(0.005,0.005,0.99)\n#\ninitial <- matrix(c(0.006,0.988,0.006), nrow=1)\ntransitions <- matrix(rep(0,9),nrow=3)\ntransitions[1,] <- c(0.99998, 0.00001, 0.00001)\ntransitions[2,] <- c(0.000000125,0.99999975,0.000000125)\ntransitions[3,] <- c(0.00001,0.00001,0.99998)\n\n\n## params for 7state\n##initial7 <- matrix(rep(1,7)/7, nrow=1)\ninitial7 <- matrix(c(0.997,rep(0.0005,6)), nrow=1)\n\ns <- c(1,sqrt(2),2,sqrt(8),4,sqrt(32),8) \nm <- c(1,2,4,8,16,32,64) \n\n##For exponential and geometric\n###m <- 1/m\n\n\nemissions7 <- matrix(rep(0, 14), nrow=2)\nemissions7[1,] <- m\nemissions7[2,] <- s\n\n\n\ntransitions7 <- matrix(rep(0,49),nrow=7)\nfor(i in 1:7){\n transitions7[i,1:7] <- 0.001 #0.000001\n transitions7[i,i] <- 0.999 #0.999999\n## transitions7[i,1:7] <- 0.000001\n## transitions7[i,i] <- 0.999999\n # if(i>1){transitions7[i,i-1] <- 0.000005}\n # if(i<7){transitions7[i,i+1] <- 0.000005}\n transitions7[i,] <- transitions7[i,]/sum(transitions7[i,])\n}\n\n##transitions7 <- matrix(rep(0,49),nrow=7)\n##for(i in 1:7){\n## transitions7[i,1:7] <- 0.0001 \n## transitions7[i,i] <- 0.9999 \n## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,])\n##}\n\n##transitions7 <- matrix(rep(0,49),nrow=7)\n##for(i in 1:7){\n## if(i>1){\n## for (j in 1:(i-1)){transitions7[i,(i-j)] <- 0.0001/j}\n## }\n## if (i<7){\n## for (j in 1:(7-i)){transitions7[i,(i+j)] <- 0.0001/j}\n## }\n## transitions7[i,i] <- 0.9999 \n## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,])\n##}\n\n##transitions7 <- matrix(rep(0,49),nrow=7)\n##for(i in 1:7){\n## if(i>1){\n## for (j in 1:(i-1)){transitions7[i,(i-j)] <- 0.0001/j^3}\n## }\n## if (i<7){\n## for (j in 1:(7-i)){transitions7[i,(i+j)] <- 0.0001/j^3}\n## }\n## transitions7[i,i] <- 0.9999 \n## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,])\n##}\n\n##transitions7 <- matrix(rep(0,49),nrow=7)\n##for(i in 1:7){\n## if(i>1){\n## for (j in 1:(i-1)){transitions7[i,(i-j)] <- 0.001/j^3}\n## }\n## if (i<7){\n## for (j in 1:(7-i)){transitions7[i,(i+j)] <- 0.001/j^3}\n## }\n## transitions7[i,i] <- 0.999\n## transitions7[i,] <- transitions7[i,]/sum(transitions7[i,])\n##}\n\n\ngenerate.normal <- function(n, mu, sig){\n rnorm(n, mean = mu, sd = sig)\n}\n\ngenerate.exponential <- function(n, mu, sig){\n ## assumes mu already 1/mu_given\n ## sig is just dummy var\n rexp(n, rate=mu)\n}\n\ngenerate.poisson <- function(n, mu, sig){\n ## mu is rounded\n rpois(n, lambda = round(mu))\n}\n\ngenerate.geometric <- function(n, mu, sig){\n ## assumes mu is 1/mu_given\n ## sig is just dummy var\n rgeom(n, prob = mu)\n}\n\n##generate_statepath <- function(transitions, initial, states, len=10){\n## statenums <- 1:length(states)\n## statepath <- vector(mode="integer", length=len)\n## # INITIAL\n## statepath[1] <- sample(statenums, size = 1, prob = initial)\n## ## TRANSITIONS\n## for (i in 2:len){\n## statepath[i] <- sample(statenums, size=1, prob = transitions[statepath[i-1], ])\n## }\n## return(statepath)\n##}\n##\n##generate_emitted_data <- function(emissions, statepath, emodel = \'normal\'){\n## #model\n## if (emodel == "normal"){emodel.fxn <- generate.normal}\n## else if (emodel == "exponential"){emodel.fxn <- generate.exponential}\n## else if (emodel == "poisson"){emodel.fxn <- generate.poisson}\n## else if (emodel == "geometric"){emodel.fxn <- generate.geometric}\n##\n## statepathlen = length(statepath)\n## emitted_data <- vector(mode=\'numeric\', length=statepathlen)\n## for (i in 1:statepathlen){\n## emitted_data[i] <- emodel.fxn(n=1, mu=emissions[1, statepath[i]], sig=emissions[2, statepath[i]])\n## }\n## return(emitted_data)\n##}\n\n\ngenerate <- function(emissions, transitions, initial, states, statepathlen=10, emodel="normal"){\n #model\n if (emodel == "normal"){emodel.fxn <- generate.normal}\n else if (emodel == "exponential"){emodel.fxn <- generate.exponential}\n else if (emodel == "poisson"){emodel.fxn <- generate.poisson}\n else if (emodel == "geometric"){emodel.fxn <- generate.geometric}\n\n ## Ensure states are indexes\n statenums <- 1:length(states)\n statepath <- vector(mode="integer", length=statepathlen)\n emitted_data <- vector(mode=\'numeric\', length=statepathlen)\n \n # INITIAL\n statepath[1] <- sample(statenums, size = 1, prob = initial)\n emitted_data[1] <- emodel.fxn(n=1, mu=emissions[1, statepath[1]], sig=emissions[2, statepath[1]])\n \n ## TRANSITIONS\n for (i in 2:statepathlen){\n statepath[i] <- sample(statenums, size=1, prob = transitions[statepath[i-1], ])\n emitted_data[i] <- emodel.fxn(n=1, mu=emissions[1, statepath[i]], sig=emissions[2, statepath[i]])\n }\n return(list(statepath, emitted_data))\n}\n'
# # PySNMP MIB module Unisphere-Data-IP-PROFILE-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Unisphere-Data-IP-PROFILE-MIB # Produced by pysmi-0.3.4 at Wed May 1 15:31:34 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsIntersection, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint", "ValueRangeConstraint") InterfaceIndexOrZero, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndexOrZero") ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup") MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, Unsigned32, iso, Counter32, ObjectIdentity, ModuleIdentity, Bits, IpAddress, Counter64, MibIdentifier, TimeTicks, Integer32, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "Unsigned32", "iso", "Counter32", "ObjectIdentity", "ModuleIdentity", "Bits", "IpAddress", "Counter64", "MibIdentifier", "TimeTicks", "Integer32", "NotificationType") TextualConvention, DisplayString, RowStatus = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "RowStatus") usDataMibs, = mibBuilder.importSymbols("Unisphere-Data-MIBs", "usDataMibs") UsdEnable, UsdSetMap, UsdName = mibBuilder.importSymbols("Unisphere-Data-TC", "UsdEnable", "UsdSetMap", "UsdName") usdIpProfileMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26)) usdIpProfileMIB.setRevisions(('2001-01-24 20:06', '2000-05-08 00:00', '1999-08-25 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: usdIpProfileMIB.setRevisionsDescriptions(('Deprecated usdIpProfileRowStatus; the table is now dense and populated as a side-effect of creation of an entry in the usdProfileNameTable in Unisphere-Data-PROFILE-MIB. Also, added usdIpProfileSetMap and usdIpProfileSrcAddrValidEnable.', 'Obsoleted usdIpProfileLoopbackIfIndex, replacing it with usdIpProfileLoopback.', 'Initial version of this MIB module.',)) if mibBuilder.loadTexts: usdIpProfileMIB.setLastUpdated('200101242006Z') if mibBuilder.loadTexts: usdIpProfileMIB.setOrganization('Unisphere Networks Inc.') if mibBuilder.loadTexts: usdIpProfileMIB.setContactInfo(' Unisphere Networks, Inc. Postal: 10 Technology Park Drive Westford MA 01886 USA Tel: +1 978 589 5800 Email: mib@UnisphereNetworks.com') if mibBuilder.loadTexts: usdIpProfileMIB.setDescription('The IP Profile MIB for the Unisphere Networks Inc. enterprise.') usdIpProfileObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1)) usdIpProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1)) usdIpProfileTable = MibTable((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1), ) if mibBuilder.loadTexts: usdIpProfileTable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileTable.setDescription('The entries in this table describe profiles for configuring IP interfaces. Entries in this table are created/deleted as a side-effect of corresponding operations to the usdProfileNameTable in the Unisphere-Data-PROFILE-MIB.') usdIpProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1), ).setIndexNames((0, "Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileId")) if mibBuilder.loadTexts: usdIpProfileEntry.setStatus('current') if mibBuilder.loadTexts: usdIpProfileEntry.setDescription('A profile describing configuration of an IP interface.') usdIpProfileId = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 1), Unsigned32()) if mibBuilder.loadTexts: usdIpProfileId.setStatus('current') if mibBuilder.loadTexts: usdIpProfileId.setDescription('The integer identifier associated with this profile. A value for this identifier is determined by locating or creating a profile name in the usdProfileNameTable.') usdIpProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileRowStatus.setStatus('deprecated') if mibBuilder.loadTexts: usdIpProfileRowStatus.setDescription("Controls creation/deletion of entries in this table. Only the values 'createAndGo' and 'destroy' may be SET. The value of usdIpProfileId must match that of a profile name configured in usdProfileNameTable.") usdIpProfileRouterName = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 3), UsdName()).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileRouterName.setStatus('current') if mibBuilder.loadTexts: usdIpProfileRouterName.setDescription('The virtual router to which an IP interface configured by this profile will be assigned, if other mechanisms do not otherwise specify a virtual router assignment.') usdIpProfileIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 4), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileIpAddr.setStatus('current') if mibBuilder.loadTexts: usdIpProfileIpAddr.setDescription('An IP address to be used by an IP interface configured by this profile. This object will have a value of 0.0.0.0 for an unnumbered interface.') usdIpProfileIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 5), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileIpMask.setStatus('current') if mibBuilder.loadTexts: usdIpProfileIpMask.setDescription('An IP address mask to be used by an IP interface configured by this profile. This object will have a value of 0.0.0.0 for an unnumbered interface.') usdIpProfileDirectedBcastEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 6), UsdEnable().clone('disable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileDirectedBcastEnable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileDirectedBcastEnable.setDescription('Enable/disable forwarding of directed broadcasts on this IP network interface.') usdIpProfileIcmpRedirectEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 7), UsdEnable().clone('disable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileIcmpRedirectEnable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileIcmpRedirectEnable.setDescription('Enable/disable transmission of ICMP Redirect messages on this IP network interface.') usdIpProfileAccessRoute = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 8), UsdEnable().clone('enable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileAccessRoute.setStatus('current') if mibBuilder.loadTexts: usdIpProfileAccessRoute.setDescription('Enable/disable whether a host route is automatically created for a remote host attached to an IP interface that is configured using this profile.') usdIpProfileMtu = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(512, 10240), ))).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileMtu.setStatus('current') if mibBuilder.loadTexts: usdIpProfileMtu.setDescription('The configured MTU size for this IP network interface. If set to zero, the default MTU size, as determined by the underlying network media, is used.') usdIpProfileLoopbackIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 10), InterfaceIndexOrZero()).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileLoopbackIfIndex.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileLoopbackIfIndex.setDescription('For unnumbered interfaces, the IfIndex of the IP loopback interface whose IP address is used as the source address for transmitted IP packets. A value of zero means the loopback interface is unspecified (e.g., when the interface is numbered).') usdIpProfileLoopback = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-1, 2147483647)).clone(-1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileLoopback.setStatus('current') if mibBuilder.loadTexts: usdIpProfileLoopback.setDescription("The number of the loopback interface, associated with the specified virtual router, whose IP address is used as the source address when transmitting IP packets on unnumbered remote access user links. For example, if the loopback interface for the associated router was configured via the console as 'loopback 2', this object would contain the integer value 2. A value of -1 indicates the loopback interface is unspecified, e.g., when the IP interface is numbered.") usdIpProfileSetMap = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 12), UsdSetMap()).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileSetMap.setStatus('current') if mibBuilder.loadTexts: usdIpProfileSetMap.setDescription("A bitmap representing which objects in this entry have been explicitly configured. See the definition of the UsdSetMap TEXTUAL-CONVENTION for details of use. The INDEX object(s) and this object are excluded from representation (i.e. their bits are never set). When a SET request does not explicitly configure UsdSetMap, bits in UsdSetMap are set as a side-effect of configuring other profile attributes in the same entry. If, however, a SET request explicitly configures UsdSetMap, the explicitly configured value overrides 1) any previous bit settings, and 2) any simultaneous 'side-effect' settings that would otherwise occur. Once set, bits can only be cleared by explicitly configuring UsdSetMap.") usdIpProfileSrcAddrValidEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 13), UsdEnable().clone('disable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: usdIpProfileSrcAddrValidEnable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileSrcAddrValidEnable.setDescription('Enable/disable whether source addresses in received IP packets are validated. Validation is performed by looking up the source IP address in the routing database and determining whether the packet arrived on the expected interface; if not, the packet is discarded.') usdIpProfileMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4)) usdIpProfileMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1)) usdIpProfileMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2)) usdIpProfileCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1, 1)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileCompliance = usdIpProfileCompliance.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileCompliance.setDescription('Obsolete compliance statement for systems supporting IP configuration profiles. This statement became obsolete when usdIpProfileLoopback replaced usdIpProfileLoopbackIfIndex.') usdIpProfileCompliance1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1, 2)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileGroup1")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileCompliance1 = usdIpProfileCompliance1.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileCompliance1.setDescription('Obsolete compliance statement for systems supporting IP configuration profiles. This statement became obsolete when usdIpProfileRowStatus was deprecate and the usdIpProfileSetMap and usdIpProfileSrcAddrValidEnable objects were added.') usdIpProfileCompliance2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1, 3)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileGroup2")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileCompliance2 = usdIpProfileCompliance2.setStatus('current') if mibBuilder.loadTexts: usdIpProfileCompliance2.setDescription('The compliance statement for systems supporting IP configuration profiles, incorporating UsdSetMap.') usdIpProfileGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 1)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileRowStatus"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileRouterName"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIpAddr"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIpMask"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileDirectedBcastEnable"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIcmpRedirectEnable"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileAccessRoute"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileMtu"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileLoopbackIfIndex")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileGroup = usdIpProfileGroup.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileGroup.setDescription('An obsolete collection of objects providing management of IP Profile functionality in a Unisphere product. This group became obsolete when usdIpProfileLoopback replaced usdIpProfileLoopbackIfIndex.') usdIpProfileGroup1 = ObjectGroup((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 2)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileRowStatus"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileRouterName"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIpAddr"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIpMask"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileDirectedBcastEnable"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIcmpRedirectEnable"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileAccessRoute"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileMtu"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileLoopback")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileGroup1 = usdIpProfileGroup1.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileGroup1.setDescription('An obsolete collection of objects providing management of IP Profile functionality in a Unisphere product. This group became obsolete when usdIpProfileRowStatus was deprecate and the usdIpProfileSetMap and usdIpProfileSrcAddrValidEnable objects were added.') usdIpProfileGroup2 = ObjectGroup((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 3)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileRouterName"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIpAddr"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIpMask"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileDirectedBcastEnable"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileIcmpRedirectEnable"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileAccessRoute"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileMtu"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileLoopback"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileSetMap"), ("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileSrcAddrValidEnable")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileGroup2 = usdIpProfileGroup2.setStatus('current') if mibBuilder.loadTexts: usdIpProfileGroup2.setDescription('The basic collection of objects providing management of IP Profile functionality in a Unisphere product.') usdIpProfileDeprecatedGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 4)).setObjects(("Unisphere-Data-IP-PROFILE-MIB", "usdIpProfileRowStatus")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usdIpProfileDeprecatedGroup = usdIpProfileDeprecatedGroup.setStatus('deprecated') if mibBuilder.loadTexts: usdIpProfileDeprecatedGroup.setDescription('Deprecated object providing management of IP Profile functionality in a Juniper product. This group has been deprecated but may still be supported on some implementations.') mibBuilder.exportSymbols("Unisphere-Data-IP-PROFILE-MIB", usdIpProfileLoopback=usdIpProfileLoopback, usdIpProfileMtu=usdIpProfileMtu, usdIpProfile=usdIpProfile, usdIpProfileMIBConformance=usdIpProfileMIBConformance, usdIpProfileGroup=usdIpProfileGroup, usdIpProfileCompliance=usdIpProfileCompliance, usdIpProfileRowStatus=usdIpProfileRowStatus, usdIpProfileIcmpRedirectEnable=usdIpProfileIcmpRedirectEnable, usdIpProfileGroup1=usdIpProfileGroup1, usdIpProfileEntry=usdIpProfileEntry, usdIpProfileMIBCompliances=usdIpProfileMIBCompliances, usdIpProfileMIBGroups=usdIpProfileMIBGroups, usdIpProfileId=usdIpProfileId, usdIpProfileAccessRoute=usdIpProfileAccessRoute, usdIpProfileSrcAddrValidEnable=usdIpProfileSrcAddrValidEnable, usdIpProfileIpAddr=usdIpProfileIpAddr, usdIpProfileSetMap=usdIpProfileSetMap, usdIpProfileTable=usdIpProfileTable, usdIpProfileGroup2=usdIpProfileGroup2, usdIpProfileDeprecatedGroup=usdIpProfileDeprecatedGroup, usdIpProfileIpMask=usdIpProfileIpMask, usdIpProfileLoopbackIfIndex=usdIpProfileLoopbackIfIndex, usdIpProfileCompliance2=usdIpProfileCompliance2, usdIpProfileMIB=usdIpProfileMIB, usdIpProfileRouterName=usdIpProfileRouterName, usdIpProfileObjects=usdIpProfileObjects, usdIpProfileCompliance1=usdIpProfileCompliance1, usdIpProfileDirectedBcastEnable=usdIpProfileDirectedBcastEnable, PYSNMP_MODULE_ID=usdIpProfileMIB)
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, constraints_union, value_size_constraint, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint', 'ValueRangeConstraint') (interface_index_or_zero,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndexOrZero') (module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup') (mib_scalar, mib_table, mib_table_row, mib_table_column, gauge32, unsigned32, iso, counter32, object_identity, module_identity, bits, ip_address, counter64, mib_identifier, time_ticks, integer32, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Gauge32', 'Unsigned32', 'iso', 'Counter32', 'ObjectIdentity', 'ModuleIdentity', 'Bits', 'IpAddress', 'Counter64', 'MibIdentifier', 'TimeTicks', 'Integer32', 'NotificationType') (textual_convention, display_string, row_status) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString', 'RowStatus') (us_data_mibs,) = mibBuilder.importSymbols('Unisphere-Data-MIBs', 'usDataMibs') (usd_enable, usd_set_map, usd_name) = mibBuilder.importSymbols('Unisphere-Data-TC', 'UsdEnable', 'UsdSetMap', 'UsdName') usd_ip_profile_mib = module_identity((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26)) usdIpProfileMIB.setRevisions(('2001-01-24 20:06', '2000-05-08 00:00', '1999-08-25 00:00')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: usdIpProfileMIB.setRevisionsDescriptions(('Deprecated usdIpProfileRowStatus; the table is now dense and populated as a side-effect of creation of an entry in the usdProfileNameTable in Unisphere-Data-PROFILE-MIB. Also, added usdIpProfileSetMap and usdIpProfileSrcAddrValidEnable.', 'Obsoleted usdIpProfileLoopbackIfIndex, replacing it with usdIpProfileLoopback.', 'Initial version of this MIB module.')) if mibBuilder.loadTexts: usdIpProfileMIB.setLastUpdated('200101242006Z') if mibBuilder.loadTexts: usdIpProfileMIB.setOrganization('Unisphere Networks Inc.') if mibBuilder.loadTexts: usdIpProfileMIB.setContactInfo(' Unisphere Networks, Inc. Postal: 10 Technology Park Drive Westford MA 01886 USA Tel: +1 978 589 5800 Email: mib@UnisphereNetworks.com') if mibBuilder.loadTexts: usdIpProfileMIB.setDescription('The IP Profile MIB for the Unisphere Networks Inc. enterprise.') usd_ip_profile_objects = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1)) usd_ip_profile = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1)) usd_ip_profile_table = mib_table((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1)) if mibBuilder.loadTexts: usdIpProfileTable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileTable.setDescription('The entries in this table describe profiles for configuring IP interfaces. Entries in this table are created/deleted as a side-effect of corresponding operations to the usdProfileNameTable in the Unisphere-Data-PROFILE-MIB.') usd_ip_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1)).setIndexNames((0, 'Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileId')) if mibBuilder.loadTexts: usdIpProfileEntry.setStatus('current') if mibBuilder.loadTexts: usdIpProfileEntry.setDescription('A profile describing configuration of an IP interface.') usd_ip_profile_id = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 1), unsigned32()) if mibBuilder.loadTexts: usdIpProfileId.setStatus('current') if mibBuilder.loadTexts: usdIpProfileId.setDescription('The integer identifier associated with this profile. A value for this identifier is determined by locating or creating a profile name in the usdProfileNameTable.') usd_ip_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileRowStatus.setStatus('deprecated') if mibBuilder.loadTexts: usdIpProfileRowStatus.setDescription("Controls creation/deletion of entries in this table. Only the values 'createAndGo' and 'destroy' may be SET. The value of usdIpProfileId must match that of a profile name configured in usdProfileNameTable.") usd_ip_profile_router_name = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 3), usd_name()).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileRouterName.setStatus('current') if mibBuilder.loadTexts: usdIpProfileRouterName.setDescription('The virtual router to which an IP interface configured by this profile will be assigned, if other mechanisms do not otherwise specify a virtual router assignment.') usd_ip_profile_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 4), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileIpAddr.setStatus('current') if mibBuilder.loadTexts: usdIpProfileIpAddr.setDescription('An IP address to be used by an IP interface configured by this profile. This object will have a value of 0.0.0.0 for an unnumbered interface.') usd_ip_profile_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 5), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileIpMask.setStatus('current') if mibBuilder.loadTexts: usdIpProfileIpMask.setDescription('An IP address mask to be used by an IP interface configured by this profile. This object will have a value of 0.0.0.0 for an unnumbered interface.') usd_ip_profile_directed_bcast_enable = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 6), usd_enable().clone('disable')).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileDirectedBcastEnable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileDirectedBcastEnable.setDescription('Enable/disable forwarding of directed broadcasts on this IP network interface.') usd_ip_profile_icmp_redirect_enable = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 7), usd_enable().clone('disable')).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileIcmpRedirectEnable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileIcmpRedirectEnable.setDescription('Enable/disable transmission of ICMP Redirect messages on this IP network interface.') usd_ip_profile_access_route = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 8), usd_enable().clone('enable')).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileAccessRoute.setStatus('current') if mibBuilder.loadTexts: usdIpProfileAccessRoute.setDescription('Enable/disable whether a host route is automatically created for a remote host attached to an IP interface that is configured using this profile.') usd_ip_profile_mtu = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(512, 10240)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileMtu.setStatus('current') if mibBuilder.loadTexts: usdIpProfileMtu.setDescription('The configured MTU size for this IP network interface. If set to zero, the default MTU size, as determined by the underlying network media, is used.') usd_ip_profile_loopback_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 10), interface_index_or_zero()).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileLoopbackIfIndex.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileLoopbackIfIndex.setDescription('For unnumbered interfaces, the IfIndex of the IP loopback interface whose IP address is used as the source address for transmitted IP packets. A value of zero means the loopback interface is unspecified (e.g., when the interface is numbered).') usd_ip_profile_loopback = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(-1, 2147483647)).clone(-1)).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileLoopback.setStatus('current') if mibBuilder.loadTexts: usdIpProfileLoopback.setDescription("The number of the loopback interface, associated with the specified virtual router, whose IP address is used as the source address when transmitting IP packets on unnumbered remote access user links. For example, if the loopback interface for the associated router was configured via the console as 'loopback 2', this object would contain the integer value 2. A value of -1 indicates the loopback interface is unspecified, e.g., when the IP interface is numbered.") usd_ip_profile_set_map = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 12), usd_set_map()).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileSetMap.setStatus('current') if mibBuilder.loadTexts: usdIpProfileSetMap.setDescription("A bitmap representing which objects in this entry have been explicitly configured. See the definition of the UsdSetMap TEXTUAL-CONVENTION for details of use. The INDEX object(s) and this object are excluded from representation (i.e. their bits are never set). When a SET request does not explicitly configure UsdSetMap, bits in UsdSetMap are set as a side-effect of configuring other profile attributes in the same entry. If, however, a SET request explicitly configures UsdSetMap, the explicitly configured value overrides 1) any previous bit settings, and 2) any simultaneous 'side-effect' settings that would otherwise occur. Once set, bits can only be cleared by explicitly configuring UsdSetMap.") usd_ip_profile_src_addr_valid_enable = mib_table_column((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 1, 1, 1, 1, 13), usd_enable().clone('disable')).setMaxAccess('readcreate') if mibBuilder.loadTexts: usdIpProfileSrcAddrValidEnable.setStatus('current') if mibBuilder.loadTexts: usdIpProfileSrcAddrValidEnable.setDescription('Enable/disable whether source addresses in received IP packets are validated. Validation is performed by looking up the source IP address in the routing database and determining whether the packet arrived on the expected interface; if not, the packet is discarded.') usd_ip_profile_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4)) usd_ip_profile_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1)) usd_ip_profile_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2)) usd_ip_profile_compliance = module_compliance((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1, 1)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_compliance = usdIpProfileCompliance.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileCompliance.setDescription('Obsolete compliance statement for systems supporting IP configuration profiles. This statement became obsolete when usdIpProfileLoopback replaced usdIpProfileLoopbackIfIndex.') usd_ip_profile_compliance1 = module_compliance((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1, 2)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileGroup1')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_compliance1 = usdIpProfileCompliance1.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileCompliance1.setDescription('Obsolete compliance statement for systems supporting IP configuration profiles. This statement became obsolete when usdIpProfileRowStatus was deprecate and the usdIpProfileSetMap and usdIpProfileSrcAddrValidEnable objects were added.') usd_ip_profile_compliance2 = module_compliance((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 1, 3)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileGroup2')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_compliance2 = usdIpProfileCompliance2.setStatus('current') if mibBuilder.loadTexts: usdIpProfileCompliance2.setDescription('The compliance statement for systems supporting IP configuration profiles, incorporating UsdSetMap.') usd_ip_profile_group = object_group((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 1)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileRowStatus'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileRouterName'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIpAddr'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIpMask'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileDirectedBcastEnable'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIcmpRedirectEnable'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileAccessRoute'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileMtu'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileLoopbackIfIndex')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_group = usdIpProfileGroup.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileGroup.setDescription('An obsolete collection of objects providing management of IP Profile functionality in a Unisphere product. This group became obsolete when usdIpProfileLoopback replaced usdIpProfileLoopbackIfIndex.') usd_ip_profile_group1 = object_group((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 2)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileRowStatus'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileRouterName'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIpAddr'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIpMask'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileDirectedBcastEnable'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIcmpRedirectEnable'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileAccessRoute'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileMtu'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileLoopback')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_group1 = usdIpProfileGroup1.setStatus('obsolete') if mibBuilder.loadTexts: usdIpProfileGroup1.setDescription('An obsolete collection of objects providing management of IP Profile functionality in a Unisphere product. This group became obsolete when usdIpProfileRowStatus was deprecate and the usdIpProfileSetMap and usdIpProfileSrcAddrValidEnable objects were added.') usd_ip_profile_group2 = object_group((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 3)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileRouterName'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIpAddr'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIpMask'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileDirectedBcastEnable'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileIcmpRedirectEnable'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileAccessRoute'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileMtu'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileLoopback'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileSetMap'), ('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileSrcAddrValidEnable')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_group2 = usdIpProfileGroup2.setStatus('current') if mibBuilder.loadTexts: usdIpProfileGroup2.setDescription('The basic collection of objects providing management of IP Profile functionality in a Unisphere product.') usd_ip_profile_deprecated_group = object_group((1, 3, 6, 1, 4, 1, 4874, 2, 2, 26, 4, 2, 4)).setObjects(('Unisphere-Data-IP-PROFILE-MIB', 'usdIpProfileRowStatus')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): usd_ip_profile_deprecated_group = usdIpProfileDeprecatedGroup.setStatus('deprecated') if mibBuilder.loadTexts: usdIpProfileDeprecatedGroup.setDescription('Deprecated object providing management of IP Profile functionality in a Juniper product. This group has been deprecated but may still be supported on some implementations.') mibBuilder.exportSymbols('Unisphere-Data-IP-PROFILE-MIB', usdIpProfileLoopback=usdIpProfileLoopback, usdIpProfileMtu=usdIpProfileMtu, usdIpProfile=usdIpProfile, usdIpProfileMIBConformance=usdIpProfileMIBConformance, usdIpProfileGroup=usdIpProfileGroup, usdIpProfileCompliance=usdIpProfileCompliance, usdIpProfileRowStatus=usdIpProfileRowStatus, usdIpProfileIcmpRedirectEnable=usdIpProfileIcmpRedirectEnable, usdIpProfileGroup1=usdIpProfileGroup1, usdIpProfileEntry=usdIpProfileEntry, usdIpProfileMIBCompliances=usdIpProfileMIBCompliances, usdIpProfileMIBGroups=usdIpProfileMIBGroups, usdIpProfileId=usdIpProfileId, usdIpProfileAccessRoute=usdIpProfileAccessRoute, usdIpProfileSrcAddrValidEnable=usdIpProfileSrcAddrValidEnable, usdIpProfileIpAddr=usdIpProfileIpAddr, usdIpProfileSetMap=usdIpProfileSetMap, usdIpProfileTable=usdIpProfileTable, usdIpProfileGroup2=usdIpProfileGroup2, usdIpProfileDeprecatedGroup=usdIpProfileDeprecatedGroup, usdIpProfileIpMask=usdIpProfileIpMask, usdIpProfileLoopbackIfIndex=usdIpProfileLoopbackIfIndex, usdIpProfileCompliance2=usdIpProfileCompliance2, usdIpProfileMIB=usdIpProfileMIB, usdIpProfileRouterName=usdIpProfileRouterName, usdIpProfileObjects=usdIpProfileObjects, usdIpProfileCompliance1=usdIpProfileCompliance1, usdIpProfileDirectedBcastEnable=usdIpProfileDirectedBcastEnable, PYSNMP_MODULE_ID=usdIpProfileMIB)
def checkInline(s): i = 0 while True: try: if s[i] == '$': return i except IndexError: return -1 i += 1 def checkOutline(s): return s == "<p class='md-math-block'>$" def main(): f = open("./output.txt", "w") while True: s = input() if s == ':qa!': f.close() break else: if checkOutline(s): f.write('<p>\[\n') while True: t = input() if t == '$</p>': f.write('\]</p>\n') break else: f.write(t+'\n') elif checkInline(s) >= 0: converted_string = str() while checkInline(s) >= 0: i = checkInline(s) converted_string += s[:i] + '\(' s = s[i+1:] j = checkInline(s) converted_string += s[:j] + '\)' s = s[j+1:] converted_string += s f.write(converted_string + '\n') else: f.write(s+'\n') main()
def check_inline(s): i = 0 while True: try: if s[i] == '$': return i except IndexError: return -1 i += 1 def check_outline(s): return s == "<p class='md-math-block'>$" def main(): f = open('./output.txt', 'w') while True: s = input() if s == ':qa!': f.close() break elif check_outline(s): f.write('<p>\\[\n') while True: t = input() if t == '$</p>': f.write('\\]</p>\n') break else: f.write(t + '\n') elif check_inline(s) >= 0: converted_string = str() while check_inline(s) >= 0: i = check_inline(s) converted_string += s[:i] + '\\(' s = s[i + 1:] j = check_inline(s) converted_string += s[:j] + '\\)' s = s[j + 1:] converted_string += s f.write(converted_string + '\n') else: f.write(s + '\n') main()
## Read input as specified in the question. ## Print output as specified in the question. N = int(input()) for i in range(1, N+1): for j in range(0, i): x = i - 1 if x == 0: print("1", end='') else: if x == j or j == 0: print(x, end = '') else: print(0, end = '') print()
n = int(input()) for i in range(1, N + 1): for j in range(0, i): x = i - 1 if x == 0: print('1', end='') elif x == j or j == 0: print(x, end='') else: print(0, end='') print()
def solution(n): if str(n ** (1/2))[-2] == '.': return int(((n **(1/2))+1) ** 2) else: return -1 print(solution(121)) print(solution(3))
def solution(n): if str(n ** (1 / 2))[-2] == '.': return int((n ** (1 / 2) + 1) ** 2) else: return -1 print(solution(121)) print(solution(3))
# Find the thirteen adjacent digits in the 1000-digit number that have the # greatest product. What is the value of this product? # Problem taken from https://projecteuler.net/problem=8 number = "7316717653133062491922511967442657474235534919493496983520312774506326239578318016984801869478851843858615607891129494954595017379583319528532088055111254069874715852386305071569329096329522744304355766896648950445244523161731856403098711121722383113622298934233803081353362766142828064444866452387493035890729629049156044077239071381051585930796086670172427121883998797908792274921901699720888093776657273330010533678812202354218097512545405947522435258490771167055601360483958644670632441572215539753697817977846174064955149290862569321978468622482839722413756570560574902614079729686524145351004748216637048440319989000889524345065854122758866688116427171479924442928230863465674813919123162824586178664583591245665294765456828489128831426076900422421902267105562632111110937054421750694165896040807198403850962455444362981230987879927244284909188845801561660979191338754992005240636899125607176060588611646710940507754100225698315520005593572972571636269561882670428252483600823257530420752963450" products = set() for i in range(len(number) - 13): p = 1 for j in number[i:i+13]: p *= int(j) products.add(p) print(max(products))
number = '7316717653133062491922511967442657474235534919493496983520312774506326239578318016984801869478851843858615607891129494954595017379583319528532088055111254069874715852386305071569329096329522744304355766896648950445244523161731856403098711121722383113622298934233803081353362766142828064444866452387493035890729629049156044077239071381051585930796086670172427121883998797908792274921901699720888093776657273330010533678812202354218097512545405947522435258490771167055601360483958644670632441572215539753697817977846174064955149290862569321978468622482839722413756570560574902614079729686524145351004748216637048440319989000889524345065854122758866688116427171479924442928230863465674813919123162824586178664583591245665294765456828489128831426076900422421902267105562632111110937054421750694165896040807198403850962455444362981230987879927244284909188845801561660979191338754992005240636899125607176060588611646710940507754100225698315520005593572972571636269561882670428252483600823257530420752963450' products = set() for i in range(len(number) - 13): p = 1 for j in number[i:i + 13]: p *= int(j) products.add(p) print(max(products))
OPTIONAL_FIELDS = [ 'tags', 'consumes', 'produces', 'schemes', 'security', 'deprecated', 'operationId', 'externalDocs' ] OPTIONAL_OAS3_FIELDS = [ 'components', 'servers' ]
optional_fields = ['tags', 'consumes', 'produces', 'schemes', 'security', 'deprecated', 'operationId', 'externalDocs'] optional_oas3_fields = ['components', 'servers']
rows=6 for num in range(rows): for i in range(num): print(num, end=" ") print() ''' Step for num in range(6): step1:num=0 for i in range(0): 0,0 --------------------- skip step2:num=1 for i in range(1): 0,1 1 step3:num=2 for i in range(2): 0,1,2 2 2 step4:num=3 for i in range(3): 0,1,2,3 3 3 3 step5:num=4 for i in range(4): 4 4 4 4 step6:num=5 for i in range(5): 5 5 5 5 5 1 2 2 3 3 3 4 4 4 4 5 5 5 5 5 '''
rows = 6 for num in range(rows): for i in range(num): print(num, end=' ') print() '\nStep for num in range(6):\n step1:num=0\n for i in range(0): 0,0\n --------------------- skip\n step2:num=1\n for i in range(1): 0,1\n 1\n step3:num=2\n for i in range(2): 0,1,2\n 2 2 \n step4:num=3\n for i in range(3): 0,1,2,3\n 3 3 3\n step5:num=4\n for i in range(4):\n 4 4 4 4\n step6:num=5\n for i in range(5):\n 5 5 5 5 5\n\n1\n2 2\n3 3 3\n4 4 4 4\n5 5 5 5 5\n\n'
class NotImplementedException(Exception): pass class GeolocationBackend(object): def __init__(self, ip): self._ip = ip self._continent = None self._country = None self._geo_data = None self._raw_data = None def geolocate(self): raise NotImplementedException() def _parse(self): raise NotImplementedException() def data(self): self._parse() return { ip: self._ip, continent: self._continent, county: self._country, geo: self._geo_data, raw_data: self._raw_data }
class Notimplementedexception(Exception): pass class Geolocationbackend(object): def __init__(self, ip): self._ip = ip self._continent = None self._country = None self._geo_data = None self._raw_data = None def geolocate(self): raise not_implemented_exception() def _parse(self): raise not_implemented_exception() def data(self): self._parse() return {ip: self._ip, continent: self._continent, county: self._country, geo: self._geo_data, raw_data: self._raw_data}
class Solution: def missingNumber(self, arr: List[int]) -> int: x=int(((len(arr)+1)/2)*(arr[0]+arr[-1])) return x-sum(arr)
class Solution: def missing_number(self, arr: List[int]) -> int: x = int((len(arr) + 1) / 2 * (arr[0] + arr[-1])) return x - sum(arr)
def deep_merge_dicts(dict1, dict2): output = {} # adds keys from `dict1` if they do not exist in `dict2` and vice-versa intersection = {**dict2, **dict1} for k_intersect, v_intersect in intersection.items(): if k_intersect not in dict1: v_dict2 = dict2[k_intersect] output[k_intersect] = v_dict2 elif k_intersect not in dict2: output[k_intersect] = v_intersect elif isinstance(v_intersect, dict): v_dict2 = dict2[k_intersect] output[k_intersect] = deep_merge_dicts(v_intersect, v_dict2) else: output[k_intersect] = v_intersect return output
def deep_merge_dicts(dict1, dict2): output = {} intersection = {**dict2, **dict1} for (k_intersect, v_intersect) in intersection.items(): if k_intersect not in dict1: v_dict2 = dict2[k_intersect] output[k_intersect] = v_dict2 elif k_intersect not in dict2: output[k_intersect] = v_intersect elif isinstance(v_intersect, dict): v_dict2 = dict2[k_intersect] output[k_intersect] = deep_merge_dicts(v_intersect, v_dict2) else: output[k_intersect] = v_intersect return output
def sayHello(name): '''say hello to given name''' print(f'Hello, {name}')
def say_hello(name): """say hello to given name""" print(f'Hello, {name}')
# Prepare the data piedpiper=np.array([4.57, 4.55, 5.47, 4.67, 5.41, 5.55, 5.53, 5.63, 3.86, 3.97, 5.44, 3.93, 5.31, 5.17, 4.39, 4.28, 5.25]) endframe = np.array([4.27, 3.93, 4.01, 4.07, 3.87, 4. , 4. , 3.72, 4.16, 4.1 , 3.9 , 3.97, 4.08, 3.96, 3.96, 3.77, 4.09]) # Assumption check check_normality(piedpiper) check_normality(endframe) # Select the proper test test, pvalue = stats.wilcoxon(endframe, piedpiper) # alternative defalt two sided print('p-value:%.6f' % pvalue,'>> one_tailed_pval:%.6f'%(pvalue/2)) test,one_sided_pvalue = stats.wilcoxon(endframe, piedpiper, alternative = 'less') print('one sided pvalue:%.6f' % (one_sided_pvalue)) if pvalue < 0.05: print('Reject null hypothesis') else: print('Fail to reject null hypothesis')
piedpiper = np.array([4.57, 4.55, 5.47, 4.67, 5.41, 5.55, 5.53, 5.63, 3.86, 3.97, 5.44, 3.93, 5.31, 5.17, 4.39, 4.28, 5.25]) endframe = np.array([4.27, 3.93, 4.01, 4.07, 3.87, 4.0, 4.0, 3.72, 4.16, 4.1, 3.9, 3.97, 4.08, 3.96, 3.96, 3.77, 4.09]) check_normality(piedpiper) check_normality(endframe) (test, pvalue) = stats.wilcoxon(endframe, piedpiper) print('p-value:%.6f' % pvalue, '>> one_tailed_pval:%.6f' % (pvalue / 2)) (test, one_sided_pvalue) = stats.wilcoxon(endframe, piedpiper, alternative='less') print('one sided pvalue:%.6f' % one_sided_pvalue) if pvalue < 0.05: print('Reject null hypothesis') else: print('Fail to reject null hypothesis')