content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
#gas_flow_class
class Gas():
def __init__(self) -> None:
self.Pt = 0
self.Tt = 0
self.P = 0
self.T = 0
self.H = 0
self.S = 0
self.Cp = 1.005
self.f = 0 #fraction of air and gas
self.mass = 0 #massflow
self.c = 0 #velocity of gas in m/s
self.a = 0 #sound speed
self.k = 1.33
self.Rg = 287
self.psi = 0 | class Gas:
def __init__(self) -> None:
self.Pt = 0
self.Tt = 0
self.P = 0
self.T = 0
self.H = 0
self.S = 0
self.Cp = 1.005
self.f = 0
self.mass = 0
self.c = 0
self.a = 0
self.k = 1.33
self.Rg = 287
self.psi = 0 |
# -*- coding: utf-8 -*-
class B:
print('B is imported')
| class B:
print('B is imported') |
"""
This unit test checks that a thread does not get to log(before exitall is called.,'\n')
If exitall works, the program will terminate immediately, and the log(will not happen.,'\n')
"""
#pragma repy
def thread():
sleep(0.1)
log('After exitall called','\n')
createthread(thread)
exitall()
| """
This unit test checks that a thread does not get to log(before exitall is called.,'
')
If exitall works, the program will terminate immediately, and the log(will not happen.,'
')
"""
def thread():
sleep(0.1)
log('After exitall called', '\n')
createthread(thread)
exitall() |
class Solution:
def deckRevealedIncreasing(self, deck: List[int]) -> List[int]:
n = len(deck)
order = collections.deque(list(range(n)))
m = [-1] * n
cnt = 0
while order:
idx = order.popleft()
m[cnt] = idx
cnt += 1
if order:
order.append(order.popleft())
deck.sort()
ans = [0] * n
for i, idx in enumerate(m):
ans[idx] = deck[i]
return ans
| class Solution:
def deck_revealed_increasing(self, deck: List[int]) -> List[int]:
n = len(deck)
order = collections.deque(list(range(n)))
m = [-1] * n
cnt = 0
while order:
idx = order.popleft()
m[cnt] = idx
cnt += 1
if order:
order.append(order.popleft())
deck.sort()
ans = [0] * n
for (i, idx) in enumerate(m):
ans[idx] = deck[i]
return ans |
def test_StrOp_concat():
s: str
s = '3' + '4'
s = "a " + "test"
s = 'test' + 'test' + 'test'
| def test__str_op_concat():
s: str
s = '3' + '4'
s = 'a ' + 'test'
s = 'test' + 'test' + 'test' |
"""P1_boxPrint.py
This program prints out a box based on input sizes.
"""
def boxPrint(symbol: str, width: int, height: int) -> None:
"""Box print
Prints a box of given width and height using the given symbol.
Args:
symbol: String to use to make sides of box.
width: Integer width of box.
height: Integer height of box.
Returns:
None. Prints box to specified dimensions.
Raises:
Exception: If `symbol` != 1 or if either `width` or `height` <= 2.
"""
if len(symbol) != 1:
raise Exception("Symbol must be a single character string.")
if width <= 2:
raise Exception("Width must be greater than 2.")
if height <= 2:
raise Exception("Height must be greater than 2.")
print(symbol * width)
for i in range(height - 2):
print(symbol + (' ' * (width - 2)) + symbol)
print(symbol * width)
def main():
for sym, w, h in (('*', 4, 4), ('O', 20, 5), ('x', 1, 3), ("ZZ", 3, 3)):
try:
boxPrint(sym, w, h)
except Exception as err:
print("An exception happened: " + str(err))
if __name__ == '__main__':
main()
| """P1_boxPrint.py
This program prints out a box based on input sizes.
"""
def box_print(symbol: str, width: int, height: int) -> None:
"""Box print
Prints a box of given width and height using the given symbol.
Args:
symbol: String to use to make sides of box.
width: Integer width of box.
height: Integer height of box.
Returns:
None. Prints box to specified dimensions.
Raises:
Exception: If `symbol` != 1 or if either `width` or `height` <= 2.
"""
if len(symbol) != 1:
raise exception('Symbol must be a single character string.')
if width <= 2:
raise exception('Width must be greater than 2.')
if height <= 2:
raise exception('Height must be greater than 2.')
print(symbol * width)
for i in range(height - 2):
print(symbol + ' ' * (width - 2) + symbol)
print(symbol * width)
def main():
for (sym, w, h) in (('*', 4, 4), ('O', 20, 5), ('x', 1, 3), ('ZZ', 3, 3)):
try:
box_print(sym, w, h)
except Exception as err:
print('An exception happened: ' + str(err))
if __name__ == '__main__':
main() |
'''
Write a Min Max Stack class. The class should support pushing and popping values on and off the stack, peeking at
values at the top of the stack, and getting both the minimum and maximum values in the stack. All class methods, when
considered independently, should run in constant time and with constant space.
Input:
push(5)
getMin()
getMax()
peek()
push(7)
getMin()
getMax()
peek()
push(2)
getMin()
getMax()
peek()
Output:
(push 5)
5(min)
5(max)
5(peek)
(push 7)
5(min)
7(max)
7(peek)
(push 2)
2(min)
7(max)
2(peek)
2(pop)
7(pop)
5(min)
5(max)
5(peek)
'''
class MinMaxStack:
def __init__(self):
self.minMaxStack = []
self.stack = []
# O(1) time | O(1) space
def getMin(self):
return self.minMaxStack[len(self.minMaxStack) - 1]["min"]
# O(1) time | O(1) space
def getMax(self):
return self.minMaxStack[len(self.minMaxStack) - 1]["max"]
# O(1) time | O(1) space
def peek(self):
return self.stack[len(self.stack) - 1]
# O(1) time | O(1) space
def pop(self):
self.minMaxStack.pop()
return self.stack.pop()
# O(1) time | O(1) space
def push(self, number):
newMinMax = {"min": number, "max": number}
if len(self.minMaxStack):
lastMinMax = self.minMaxStack[len(self.minMaxStack) - 1]
newMinMax["min"] = min(lastMinMax["min"], number)
newMinMax["max"] = max(lastMinMax["max"], number)
self.minMaxStack.append(newMinMax)
self.stack.append(number)
| """
Write a Min Max Stack class. The class should support pushing and popping values on and off the stack, peeking at
values at the top of the stack, and getting both the minimum and maximum values in the stack. All class methods, when
considered independently, should run in constant time and with constant space.
Input:
push(5)
getMin()
getMax()
peek()
push(7)
getMin()
getMax()
peek()
push(2)
getMin()
getMax()
peek()
Output:
(push 5)
5(min)
5(max)
5(peek)
(push 7)
5(min)
7(max)
7(peek)
(push 2)
2(min)
7(max)
2(peek)
2(pop)
7(pop)
5(min)
5(max)
5(peek)
"""
class Minmaxstack:
def __init__(self):
self.minMaxStack = []
self.stack = []
def get_min(self):
return self.minMaxStack[len(self.minMaxStack) - 1]['min']
def get_max(self):
return self.minMaxStack[len(self.minMaxStack) - 1]['max']
def peek(self):
return self.stack[len(self.stack) - 1]
def pop(self):
self.minMaxStack.pop()
return self.stack.pop()
def push(self, number):
new_min_max = {'min': number, 'max': number}
if len(self.minMaxStack):
last_min_max = self.minMaxStack[len(self.minMaxStack) - 1]
newMinMax['min'] = min(lastMinMax['min'], number)
newMinMax['max'] = max(lastMinMax['max'], number)
self.minMaxStack.append(newMinMax)
self.stack.append(number) |
class SchemaAlreadyRegistered(Exception):
"""Error raised while trying to register a Schema that has already
been registered
"""
def __init__(self, name):
"""
Args:
name (str): schema name
"""
super(SchemaAlreadyRegistered, self).__init__("Schema \"%s\" has already been registered in mapper" % name)
class SchemaNotRegistered(Exception):
"""Error raised while trying to use a Schema that has not
been registered
"""
def __init__(self, name):
"""
Args:
name (str): schema name
"""
super(SchemaNotRegistered, self).__init__("Schema \"%s\" has not been registered in mapper" % name)
class MissingMapping(Exception):
"""Error raised when no mapper has been defined for a class
while dumping an instance of that class.
"""
def __init__(self, type):
"""
Args:
type (type): a type
"""
message = "Missing mapping for object of type %s" % type
super(MissingMapping, self).__init__(message)
self.type = type
class InvalidDocument(Exception):
"""Error raised when validating a document.
It's composed of all the errors detected.
"""
def __init__(self, errors):
super(InvalidDocument, self).__init__()
self.errors = errors
def __len__(self):
"""Returns errors count
Returns:
int
"""
return len(self.errors)
def __getitem__(self, index):
"""Returns error at index
Args:
index (int): index
Returns:
Exception
"""
return self.errors[index]
class ValidationError(Exception):
"""Base class for validation errors"""
def __init__(self, message, path):
"""
Args:
message (str): error message
path (list): path of the invalid data
"""
super(ValidationError, self).__init__(message)
self.path = path
class InvalidType(ValidationError):
"""Error raised by `Type` validator"""
def __init__(self, invalid, expected, path):
"""
Args:
invalid (type): invalid type received
expected (type): type expected
path (list): path of the invalid data
"""
message = "Invalid type, got %s instead of %s" % (invalid, expected)
super(InvalidType, self).__init__(message, path)
self.invalid = invalid
self.expected = expected
class NotEqual(ValidationError):
"""Error raised by `Equal` validator"""
def __init__(self, invalid, expected, path):
"""
Args:
invalid (object): invalid value
expected (object): expected value
path (list): path of the invalid data
"""
message = "Invalid value, got %s instead of %s" % (invalid, expected)
super(NotEqual, self).__init__(message, path)
self.invalid = invalid
self.expected = expected
class InvalidMatch(ValidationError):
"""Error raised by `Match` validator"""
def __init__(self, invalid, regexp, path):
"""
Args:
invalid (str): invalid value
regexp (regexp): a regexp
path (list): path of the invalid data
"""
message = "Value \"%s\" does not match pattern \"%s\"" % (invalid, regexp.pattern)
super(InvalidMatch, self).__init__(message, path)
self.invalid = invalid
self.regexp = regexp
class InvalidIn(ValidationError):
"""Error raised by `In` validator"""
def __init__(self, invalid, expected, path):
"""
Args:
invalid (str): invalid value
expected (list): list of expected values
path (list): path of the invalid data
"""
message = "Value \"%s\" is not in %s" % (invalid, expected)
super(InvalidIn, self).__init__(message, path)
self.invalid = invalid
self.expected = expected
class InvalidLength(ValidationError):
"""Error raised by `Length` validator"""
def __init__(self, length, min, max, path):
"""
Args:
length (int): received length
min (int): minimum length
max (int): maximum length
path (list): path of the invalid data
"""
message = "Got %s items, should have been between %s and %s" % (length, min, max)
super(InvalidLength, self).__init__(message, path)
self.max = max
self.min = min
self.length = length
class InvalidRange(ValidationError):
"""Error raised by `Between` validator"""
def __init__(self, value, min, max, path):
"""
Args:
value (int): value received
min (int): minimum value
max (int): maximum value
path (list): path of the invalid data
"""
message = "%s is not between %s and %s" % (value, min, max)
super(InvalidRange, self).__init__(message, path)
self.max = max
self.min = min
self.value = value
class InvalidURL(ValidationError):
"""Error raised by `URL` validator"""
def __init__(self, invalid, path):
"""
Args:
invalid (str): invalid URL
path (list): path of the invalid data
"""
message = "Invalid URL : %s" % (invalid)
super(InvalidURL, self).__init__(message, path)
self.invalid = invalid
class InvalidDateTimeFormat(ValidationError):
"""Error raised by `DateTimeFormat` validator"""
def __init__(self, value, format, path):
"""
Args:
value (str): invalid datetime string
format (str): format used to parse datetime
path (list): path of the invalid data
"""
message = "Date value \"%s\" can't be parsed with format \"%s\"" % (value, format)
super(InvalidDateTimeFormat, self).__init__(message, path)
self.value = value
self.format = format
class NotNone(ValidationError):
"""Error raised by `IsNone` validator"""
def __init__(self, invalid, path):
"""
Args:
invalid (str): invalid value
path (list): path of the invalid data
"""
message = "Value is not None : %s" % (invalid)
super(NotNone, self).__init__(message, path)
self.invalid = invalid
class MissingPolymorphicKey(ValidationError):
"""Error raised if Polymorphic object do not contain a type key"""
def __init__(self, key, path):
"""
Args:
key (str): polymorphic key
path (list): path of the invalid data
"""
message = "Polymorphic document does not contain the \"%s\" key " % key
super(MissingPolymorphicKey, self).__init__(message, path)
self.key = key
class InvalidPolymorphicType(ValidationError):
"""Error raised by a polymorphic field when it does not have a
mapping for the data it tries to validate
"""
def __init__(self, invalid_type, supported_types, path):
"""
Args:
invalid_type (str): invalid type received
supported_types (list): valid types supported
path (list): path of the invalid data
"""
message = "Invalid polymorphic document \"%s\" is not supported only \"%s\" " % (invalid_type, supported_types)
super(InvalidPolymorphicType, self).__init__(message, path)
self.invalid_type = invalid_type
self.supported_types = supported_types
class MissingKey(ValidationError):
"""Error raised when a key is missing from data"""
def __init__(self, key, path):
"""
Args:
key (str): missing key
path (list): path of the missing data
"""
message = "Document does not contain the \"%s\" key" % key
super(MissingKey, self).__init__(message, path)
self.key = key
| class Schemaalreadyregistered(Exception):
"""Error raised while trying to register a Schema that has already
been registered
"""
def __init__(self, name):
"""
Args:
name (str): schema name
"""
super(SchemaAlreadyRegistered, self).__init__('Schema "%s" has already been registered in mapper' % name)
class Schemanotregistered(Exception):
"""Error raised while trying to use a Schema that has not
been registered
"""
def __init__(self, name):
"""
Args:
name (str): schema name
"""
super(SchemaNotRegistered, self).__init__('Schema "%s" has not been registered in mapper' % name)
class Missingmapping(Exception):
"""Error raised when no mapper has been defined for a class
while dumping an instance of that class.
"""
def __init__(self, type):
"""
Args:
type (type): a type
"""
message = 'Missing mapping for object of type %s' % type
super(MissingMapping, self).__init__(message)
self.type = type
class Invaliddocument(Exception):
"""Error raised when validating a document.
It's composed of all the errors detected.
"""
def __init__(self, errors):
super(InvalidDocument, self).__init__()
self.errors = errors
def __len__(self):
"""Returns errors count
Returns:
int
"""
return len(self.errors)
def __getitem__(self, index):
"""Returns error at index
Args:
index (int): index
Returns:
Exception
"""
return self.errors[index]
class Validationerror(Exception):
"""Base class for validation errors"""
def __init__(self, message, path):
"""
Args:
message (str): error message
path (list): path of the invalid data
"""
super(ValidationError, self).__init__(message)
self.path = path
class Invalidtype(ValidationError):
"""Error raised by `Type` validator"""
def __init__(self, invalid, expected, path):
"""
Args:
invalid (type): invalid type received
expected (type): type expected
path (list): path of the invalid data
"""
message = 'Invalid type, got %s instead of %s' % (invalid, expected)
super(InvalidType, self).__init__(message, path)
self.invalid = invalid
self.expected = expected
class Notequal(ValidationError):
"""Error raised by `Equal` validator"""
def __init__(self, invalid, expected, path):
"""
Args:
invalid (object): invalid value
expected (object): expected value
path (list): path of the invalid data
"""
message = 'Invalid value, got %s instead of %s' % (invalid, expected)
super(NotEqual, self).__init__(message, path)
self.invalid = invalid
self.expected = expected
class Invalidmatch(ValidationError):
"""Error raised by `Match` validator"""
def __init__(self, invalid, regexp, path):
"""
Args:
invalid (str): invalid value
regexp (regexp): a regexp
path (list): path of the invalid data
"""
message = 'Value "%s" does not match pattern "%s"' % (invalid, regexp.pattern)
super(InvalidMatch, self).__init__(message, path)
self.invalid = invalid
self.regexp = regexp
class Invalidin(ValidationError):
"""Error raised by `In` validator"""
def __init__(self, invalid, expected, path):
"""
Args:
invalid (str): invalid value
expected (list): list of expected values
path (list): path of the invalid data
"""
message = 'Value "%s" is not in %s' % (invalid, expected)
super(InvalidIn, self).__init__(message, path)
self.invalid = invalid
self.expected = expected
class Invalidlength(ValidationError):
"""Error raised by `Length` validator"""
def __init__(self, length, min, max, path):
"""
Args:
length (int): received length
min (int): minimum length
max (int): maximum length
path (list): path of the invalid data
"""
message = 'Got %s items, should have been between %s and %s' % (length, min, max)
super(InvalidLength, self).__init__(message, path)
self.max = max
self.min = min
self.length = length
class Invalidrange(ValidationError):
"""Error raised by `Between` validator"""
def __init__(self, value, min, max, path):
"""
Args:
value (int): value received
min (int): minimum value
max (int): maximum value
path (list): path of the invalid data
"""
message = '%s is not between %s and %s' % (value, min, max)
super(InvalidRange, self).__init__(message, path)
self.max = max
self.min = min
self.value = value
class Invalidurl(ValidationError):
"""Error raised by `URL` validator"""
def __init__(self, invalid, path):
"""
Args:
invalid (str): invalid URL
path (list): path of the invalid data
"""
message = 'Invalid URL : %s' % invalid
super(InvalidURL, self).__init__(message, path)
self.invalid = invalid
class Invaliddatetimeformat(ValidationError):
"""Error raised by `DateTimeFormat` validator"""
def __init__(self, value, format, path):
"""
Args:
value (str): invalid datetime string
format (str): format used to parse datetime
path (list): path of the invalid data
"""
message = 'Date value "%s" can\'t be parsed with format "%s"' % (value, format)
super(InvalidDateTimeFormat, self).__init__(message, path)
self.value = value
self.format = format
class Notnone(ValidationError):
"""Error raised by `IsNone` validator"""
def __init__(self, invalid, path):
"""
Args:
invalid (str): invalid value
path (list): path of the invalid data
"""
message = 'Value is not None : %s' % invalid
super(NotNone, self).__init__(message, path)
self.invalid = invalid
class Missingpolymorphickey(ValidationError):
"""Error raised if Polymorphic object do not contain a type key"""
def __init__(self, key, path):
"""
Args:
key (str): polymorphic key
path (list): path of the invalid data
"""
message = 'Polymorphic document does not contain the "%s" key ' % key
super(MissingPolymorphicKey, self).__init__(message, path)
self.key = key
class Invalidpolymorphictype(ValidationError):
"""Error raised by a polymorphic field when it does not have a
mapping for the data it tries to validate
"""
def __init__(self, invalid_type, supported_types, path):
"""
Args:
invalid_type (str): invalid type received
supported_types (list): valid types supported
path (list): path of the invalid data
"""
message = 'Invalid polymorphic document "%s" is not supported only "%s" ' % (invalid_type, supported_types)
super(InvalidPolymorphicType, self).__init__(message, path)
self.invalid_type = invalid_type
self.supported_types = supported_types
class Missingkey(ValidationError):
"""Error raised when a key is missing from data"""
def __init__(self, key, path):
"""
Args:
key (str): missing key
path (list): path of the missing data
"""
message = 'Document does not contain the "%s" key' % key
super(MissingKey, self).__init__(message, path)
self.key = key |
def genres(items, excludedGenres):
filteredGenres = []
for item in items:
for genre in item["genres"]:
if len(list(set(genre.split()).intersection(excludedGenres))) == 0:
genre = genre.replace(' ', '-').lower()
if not genre in filteredGenres:
try:
filteredGenres.append(genre)
except:
continue
return filteredGenres
def tracks(items):
filteredTracks = []
for item in items:
if not item["id"] in filteredTracks:
try:
filteredTracks.append(item["id"])
except:
continue
return filteredTracks
def artists(items, excludedGenres):
filteredArtists = []
for item in items:
for genre in item["genres"]:
if len(list(set(genre.split()).intersection(excludedGenres))) == 0:
if not item in filteredArtists:
try:
filteredArtists.append(item)
except:
continue
return filteredArtists
| def genres(items, excludedGenres):
filtered_genres = []
for item in items:
for genre in item['genres']:
if len(list(set(genre.split()).intersection(excludedGenres))) == 0:
genre = genre.replace(' ', '-').lower()
if not genre in filteredGenres:
try:
filteredGenres.append(genre)
except:
continue
return filteredGenres
def tracks(items):
filtered_tracks = []
for item in items:
if not item['id'] in filteredTracks:
try:
filteredTracks.append(item['id'])
except:
continue
return filteredTracks
def artists(items, excludedGenres):
filtered_artists = []
for item in items:
for genre in item['genres']:
if len(list(set(genre.split()).intersection(excludedGenres))) == 0:
if not item in filteredArtists:
try:
filteredArtists.append(item)
except:
continue
return filteredArtists |
#
# PySNMP MIB module SAVEPOWER-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SAVEPOWER-MIB
# Produced by pysmi-0.3.4 at Wed May 1 15:00:47 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint", "ValueRangeConstraint")
entPhysicalIndex, = mibBuilder.importSymbols("ENTITY-MIB", "entPhysicalIndex")
hpSwitch, = mibBuilder.importSymbols("HP-ICF-OID", "hpSwitch")
ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup")
TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Unsigned32, Integer32, MibIdentifier, IpAddress, iso, Counter64, NotificationType, Gauge32, ModuleIdentity, Counter32, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Unsigned32", "Integer32", "MibIdentifier", "IpAddress", "iso", "Counter64", "NotificationType", "Gauge32", "ModuleIdentity", "Counter32", "ObjectIdentity")
TextualConvention, DateAndTime, DisplayString, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DateAndTime", "DisplayString", "TruthValue")
hpicfSavepowerMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56))
hpicfSavepowerMIB.setRevisions(('2010-08-12 00:00', '2008-10-17 14:30',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: hpicfSavepowerMIB.setRevisionsDescriptions(('Added a new PHY Table Indexed by entPhysical Index.', 'Initial revision 01.',))
if mibBuilder.loadTexts: hpicfSavepowerMIB.setLastUpdated('201008120000Z')
if mibBuilder.loadTexts: hpicfSavepowerMIB.setOrganization('HP Networking')
if mibBuilder.loadTexts: hpicfSavepowerMIB.setContactInfo('Postal: Hewlett Packard Company 8000 Foothills Blvd. Roseville, CA 95747')
if mibBuilder.loadTexts: hpicfSavepowerMIB.setDescription('The MIB module is for saving power in blocks that control the physical ports.')
hpicfSavepowerScalars = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1))
hpicfSavepowerLEDScalars = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3))
class SavepowerBlockIndex(TextualConvention, Unsigned32):
description = 'A unique value that serves as an index to identify the Power block ID that controls power distribution to a group of ports associated with the block-id.'
status = 'current'
displayHint = 'd'
class SavepowerControl(TextualConvention, Integer32):
description = 'An enumerated value which provides an indication of the state of the power block. If power to the block is ON the state would be powerOn and if power to the block is OFF the state would be powerOff.'
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2))
namedValues = NamedValues(("powerOn", 1), ("powerOff", 2))
hpicfSavepowerMaxBlocks = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerMaxBlocks.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerMaxBlocks.setDescription('The maximum number of Power blocks in the switch which are associated to a group of ports to power on/off. The number of power blocks and ports associated with a block are platform dependent.')
hpicfSavepowerEnabledPorts = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 2), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerEnabledPorts.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEnabledPorts.setDescription('This indicates the total number of ports in the switch that are powered off.')
hpicfSavePowerLEDOffAlarmStartTime = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3, 1), DateAndTime()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavePowerLEDOffAlarmStartTime.setStatus('current')
if mibBuilder.loadTexts: hpicfSavePowerLEDOffAlarmStartTime.setDescription('This is the scheduled time at which the all the switch LEDs would be turned off.')
hpicfSavePowerLEDOffAlarmDuration = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3, 2), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavePowerLEDOffAlarmDuration.setStatus('current')
if mibBuilder.loadTexts: hpicfSavePowerLEDOffAlarmDuration.setDescription('This is the duration of the alarm time during which the switch would be in LED power save mode, and the switch LEDs would be turned off.')
hpicfSavePowerLEDOffAlarmRecur = MibScalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3, 3), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavePowerLEDOffAlarmRecur.setStatus('current')
if mibBuilder.loadTexts: hpicfSavePowerLEDOffAlarmRecur.setDescription('The truth value used to indicate if the timer for LED off will be recurring.')
hpicfEntitySavepower = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2))
hpicfSavepowerTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1), )
if mibBuilder.loadTexts: hpicfSavepowerTable.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerTable.setDescription('This table contains one row for every power block that controls a group of physical ports.')
hpicfSavepowerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1), ).setIndexNames((0, "SAVEPOWER-MIB", "hpicfSavepowerBlockID"))
if mibBuilder.loadTexts: hpicfSavepowerEntry.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntry.setDescription('Information about Savepower table.')
hpicfSavepowerBlockID = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1, 1), SavepowerBlockIndex())
if mibBuilder.loadTexts: hpicfSavepowerBlockID.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerBlockID.setDescription('The index that is used to access the power block entry table.')
hpicfSavepowerControl = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1, 2), SavepowerControl()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavepowerControl.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerControl.setDescription('This indicates if the power to the block is powerOn (1) or powerOff (2).')
hpicfSavepowerBlockPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerBlockPorts.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerBlockPorts.setDescription('This indicates the port-range associated to the hpisfSavepowerBlockID.')
hpicfSavepowerGreenFeaturesTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2), )
if mibBuilder.loadTexts: hpicfSavepowerGreenFeaturesTable.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerGreenFeaturesTable.setDescription('This table contains a row for different entities and shows the admin status and operational status of the power and LED for that entity.')
hpicfSavepowerGreenFeaturesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1), ).setIndexNames((0, "ENTITY-MIB", "entPhysicalIndex"))
if mibBuilder.loadTexts: hpicfSavepowerGreenFeaturesEntry.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerGreenFeaturesEntry.setDescription('Information about SavepowerGreenFeatures table.')
hpicfSavepowerEntityPowerAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 1), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavepowerEntityPowerAdminStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntityPowerAdminStatus.setDescription('The truth value indicates the configured status of the entity power.')
hpicfSavepowerEntityPowerOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 2), SavepowerControl()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerEntityPowerOperStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntityPowerOperStatus.setDescription('This indicates the operational status of the entity as powerOn(1) if turned on or powerOff(2) if turned off.')
hpicfSavepowerEntityLEDAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 3), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavepowerEntityLEDAdminStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntityLEDAdminStatus.setDescription(" The truth value indicates the configured status of the entity's LED power status.")
hpicfSavepowerEntityLEDOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 4), SavepowerControl()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerEntityLEDOperStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntityLEDOperStatus.setDescription(" This indicates if the operational status of the entity's LED power is powerOn (1) or powerOff (2).")
hpicfSavepowerPHYTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3), )
if mibBuilder.loadTexts: hpicfSavepowerPHYTable.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerPHYTable.setDescription(' This table contains a row for every port for which the PHY will be put to auto low power mode or normal power mode and contains the admin status and operational status of the PHY .')
hpicfSavepowerPHYEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1), ).setIndexNames((0, "SAVEPOWER-MIB", "hpicfSavepowerSlotNum"), (0, "SAVEPOWER-MIB", "hpicfSavepowerPortNum"))
if mibBuilder.loadTexts: hpicfSavepowerPHYEntry.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerPHYEntry.setDescription('Information about PHY power status for ports.')
hpicfSavepowerSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 1), Unsigned32())
if mibBuilder.loadTexts: hpicfSavepowerSlotNum.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerSlotNum.setDescription('This value serves as an index to identify the slot no. for the PHY.')
hpicfSavepowerPortNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 2), Unsigned32())
if mibBuilder.loadTexts: hpicfSavepowerPortNum.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerPortNum.setDescription('This value serves as an index to identify the port no. for the PHY.')
hpicfSavepowerPHYAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 3), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavepowerPHYAdminStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerPHYAdminStatus.setDescription('The truth value indicates the configured status of the auto low power mode for the PHY.')
hpicfSavepowerPHYOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 4), SavepowerControl()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerPHYOperStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerPHYOperStatus.setDescription('This indicates if the operational status of the PHY power is auto low power mode i.e. powerOff(2) or normal power mode i.e. or powerOn(1).')
hpicfSavepowerEntPHYTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4), )
if mibBuilder.loadTexts: hpicfSavepowerEntPHYTable.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntPHYTable.setDescription('This table contains a row for every member in a stack setup or for a standalone device or for every slot in a chassis, for which the PHY will be put to auto low power mode or normal power mode and contains the admin status and operational status of the PHY .')
hpicfSavepowerEntPHYEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4, 1), ).setIndexNames((0, "ENTITY-MIB", "entPhysicalIndex"))
if mibBuilder.loadTexts: hpicfSavepowerEntPHYEntry.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntPHYEntry.setDescription('Information about PHY power status.')
hpicfSavepowerEntPHYAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4, 1, 1), TruthValue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hpicfSavepowerEntPHYAdminStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntPHYAdminStatus.setDescription('The truth value indicates the configured status of the auto low power mode for the PHY. True indicates PHY is in low power mode.')
hpicfSavepowerEntPHYOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4, 1, 2), SavepowerControl()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hpicfSavepowerEntPHYOperStatus.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntPHYOperStatus.setDescription('This indicates if the operational status of the PHY power is auto low power mode i.e. powerOff(2) or normal power mode i.e. powerOn(1).')
hpicfSavepowerConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3))
hpicfSavepowerCompliance = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 1))
hpicfSavepowerGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2))
hpicfSavepowerComplianceInfo = ModuleCompliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 1, 1)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerScalarsGroup"), ("SAVEPOWER-MIB", "hpicfSavepowerLEDScalarsGroup"), ("SAVEPOWER-MIB", "hpicfSavepowerGreenFeaturesGroup"), ("SAVEPOWER-MIB", "hpicfSavepowerPHYGroup"), ("SAVEPOWER-MIB", "hpicfSavepowerGroup"), ("SAVEPOWER-MIB", "hpicfSavepowerGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerComplianceInfo = hpicfSavepowerComplianceInfo.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerComplianceInfo.setDescription('The compliance statement for entries which implement the SAVEPOWER MIB.')
hpicfSavepowerScalarsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 1)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerMaxBlocks"), ("SAVEPOWER-MIB", "hpicfSavepowerEnabledPorts"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerScalarsGroup = hpicfSavepowerScalarsGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerScalarsGroup.setDescription('Basic Scalars required in SAVEPOWER MIB implementation.')
hpicfSavepowerLEDScalarsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 2)).setObjects(("SAVEPOWER-MIB", "hpicfSavePowerLEDOffAlarmStartTime"), ("SAVEPOWER-MIB", "hpicfSavePowerLEDOffAlarmDuration"), ("SAVEPOWER-MIB", "hpicfSavePowerLEDOffAlarmRecur"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerLEDScalarsGroup = hpicfSavepowerLEDScalarsGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerLEDScalarsGroup.setDescription('Scalars required for LED turn off feature.')
hpicfSavepowerGreenFeaturesGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 3)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerEntityPowerAdminStatus"), ("SAVEPOWER-MIB", "hpicfSavepowerEntityPowerOperStatus"), ("SAVEPOWER-MIB", "hpicfSavepowerEntityLEDAdminStatus"), ("SAVEPOWER-MIB", "hpicfSavepowerEntityLEDOperStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerGreenFeaturesGroup = hpicfSavepowerGreenFeaturesGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerGreenFeaturesGroup.setDescription('SAVEPOWER Green Features parameters')
hpicfSavepowerPHYGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 4)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerPHYAdminStatus"), ("SAVEPOWER-MIB", "hpicfSavepowerPHYOperStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerPHYGroup = hpicfSavepowerPHYGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerPHYGroup.setDescription('SAVEPOWER MIB parameters ')
hpicfSavepowerGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 5)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerControl"), ("SAVEPOWER-MIB", "hpicfSavepowerBlockPorts"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerGroup = hpicfSavepowerGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerGroup.setDescription('SAVEPOWER MIB parameters ')
hpicfPHYConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4))
hpicfPHYCompliance = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 1))
hpicfPHYGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 2))
hpicfPHYComplianceInfo = ModuleCompliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 1, 1)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerEntPHYGroup"), ("SAVEPOWER-MIB", "hpicfPHYGroups"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfPHYComplianceInfo = hpicfPHYComplianceInfo.setStatus('current')
if mibBuilder.loadTexts: hpicfPHYComplianceInfo.setDescription('The compliance statement for entries which implement the PORT LOW POWER.')
hpicfSavepowerEntPHYGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 2, 1)).setObjects(("SAVEPOWER-MIB", "hpicfSavepowerEntPHYAdminStatus"), ("SAVEPOWER-MIB", "hpicfSavepowerEntPHYOperStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicfSavepowerEntPHYGroup = hpicfSavepowerEntPHYGroup.setStatus('current')
if mibBuilder.loadTexts: hpicfSavepowerEntPHYGroup.setDescription('PORT-LOW-POWER MIB parameters ')
mibBuilder.exportSymbols("SAVEPOWER-MIB", hpicfSavepowerGroup=hpicfSavepowerGroup, hpicfSavePowerLEDOffAlarmRecur=hpicfSavePowerLEDOffAlarmRecur, hpicfSavepowerGroups=hpicfSavepowerGroups, hpicfSavepowerGreenFeaturesGroup=hpicfSavepowerGreenFeaturesGroup, hpicfSavepowerLEDScalarsGroup=hpicfSavepowerLEDScalarsGroup, hpicfSavePowerLEDOffAlarmDuration=hpicfSavePowerLEDOffAlarmDuration, hpicfSavepowerTable=hpicfSavepowerTable, hpicfEntitySavepower=hpicfEntitySavepower, hpicfSavepowerPortNum=hpicfSavepowerPortNum, hpicfSavepowerPHYEntry=hpicfSavepowerPHYEntry, hpicfSavepowerMaxBlocks=hpicfSavepowerMaxBlocks, hpicfSavepowerEntPHYOperStatus=hpicfSavepowerEntPHYOperStatus, hpicfSavepowerScalarsGroup=hpicfSavepowerScalarsGroup, SavepowerControl=SavepowerControl, SavepowerBlockIndex=SavepowerBlockIndex, hpicfSavepowerEntityPowerOperStatus=hpicfSavepowerEntityPowerOperStatus, hpicfSavepowerComplianceInfo=hpicfSavepowerComplianceInfo, hpicfPHYGroups=hpicfPHYGroups, hpicfSavePowerLEDOffAlarmStartTime=hpicfSavePowerLEDOffAlarmStartTime, hpicfSavepowerPHYTable=hpicfSavepowerPHYTable, hpicfSavepowerEntPHYAdminStatus=hpicfSavepowerEntPHYAdminStatus, hpicfSavepowerControl=hpicfSavepowerControl, hpicfSavepowerBlockID=hpicfSavepowerBlockID, hpicfSavepowerCompliance=hpicfSavepowerCompliance, hpicfSavepowerEnabledPorts=hpicfSavepowerEnabledPorts, hpicfSavepowerMIB=hpicfSavepowerMIB, hpicfSavepowerEntPHYEntry=hpicfSavepowerEntPHYEntry, hpicfSavepowerEntPHYGroup=hpicfSavepowerEntPHYGroup, hpicfSavepowerBlockPorts=hpicfSavepowerBlockPorts, hpicfSavepowerEntityLEDAdminStatus=hpicfSavepowerEntityLEDAdminStatus, hpicfSavepowerPHYGroup=hpicfSavepowerPHYGroup, hpicfSavepowerGreenFeaturesTable=hpicfSavepowerGreenFeaturesTable, hpicfSavepowerEntry=hpicfSavepowerEntry, hpicfSavepowerEntityPowerAdminStatus=hpicfSavepowerEntityPowerAdminStatus, hpicfPHYCompliance=hpicfPHYCompliance, hpicfSavepowerScalars=hpicfSavepowerScalars, hpicfSavepowerGreenFeaturesEntry=hpicfSavepowerGreenFeaturesEntry, hpicfPHYConformance=hpicfPHYConformance, hpicfSavepowerLEDScalars=hpicfSavepowerLEDScalars, hpicfSavepowerEntPHYTable=hpicfSavepowerEntPHYTable, hpicfSavepowerPHYAdminStatus=hpicfSavepowerPHYAdminStatus, PYSNMP_MODULE_ID=hpicfSavepowerMIB, hpicfSavepowerEntityLEDOperStatus=hpicfSavepowerEntityLEDOperStatus, hpicfSavepowerPHYOperStatus=hpicfSavepowerPHYOperStatus, hpicfSavepowerConformance=hpicfSavepowerConformance, hpicfSavepowerSlotNum=hpicfSavepowerSlotNum, hpicfPHYComplianceInfo=hpicfPHYComplianceInfo)
| (object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, constraints_intersection, value_size_constraint, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint', 'ValueRangeConstraint')
(ent_physical_index,) = mibBuilder.importSymbols('ENTITY-MIB', 'entPhysicalIndex')
(hp_switch,) = mibBuilder.importSymbols('HP-ICF-OID', 'hpSwitch')
(module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup')
(time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, unsigned32, integer32, mib_identifier, ip_address, iso, counter64, notification_type, gauge32, module_identity, counter32, object_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Unsigned32', 'Integer32', 'MibIdentifier', 'IpAddress', 'iso', 'Counter64', 'NotificationType', 'Gauge32', 'ModuleIdentity', 'Counter32', 'ObjectIdentity')
(textual_convention, date_and_time, display_string, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DateAndTime', 'DisplayString', 'TruthValue')
hpicf_savepower_mib = module_identity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56))
hpicfSavepowerMIB.setRevisions(('2010-08-12 00:00', '2008-10-17 14:30'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
hpicfSavepowerMIB.setRevisionsDescriptions(('Added a new PHY Table Indexed by entPhysical Index.', 'Initial revision 01.'))
if mibBuilder.loadTexts:
hpicfSavepowerMIB.setLastUpdated('201008120000Z')
if mibBuilder.loadTexts:
hpicfSavepowerMIB.setOrganization('HP Networking')
if mibBuilder.loadTexts:
hpicfSavepowerMIB.setContactInfo('Postal: Hewlett Packard Company 8000 Foothills Blvd. Roseville, CA 95747')
if mibBuilder.loadTexts:
hpicfSavepowerMIB.setDescription('The MIB module is for saving power in blocks that control the physical ports.')
hpicf_savepower_scalars = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1))
hpicf_savepower_led_scalars = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3))
class Savepowerblockindex(TextualConvention, Unsigned32):
description = 'A unique value that serves as an index to identify the Power block ID that controls power distribution to a group of ports associated with the block-id.'
status = 'current'
display_hint = 'd'
class Savepowercontrol(TextualConvention, Integer32):
description = 'An enumerated value which provides an indication of the state of the power block. If power to the block is ON the state would be powerOn and if power to the block is OFF the state would be powerOff.'
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2))
named_values = named_values(('powerOn', 1), ('powerOff', 2))
hpicf_savepower_max_blocks = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerMaxBlocks.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerMaxBlocks.setDescription('The maximum number of Power blocks in the switch which are associated to a group of ports to power on/off. The number of power blocks and ports associated with a block are platform dependent.')
hpicf_savepower_enabled_ports = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 2), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerEnabledPorts.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEnabledPorts.setDescription('This indicates the total number of ports in the switch that are powered off.')
hpicf_save_power_led_off_alarm_start_time = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3, 1), date_and_time()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavePowerLEDOffAlarmStartTime.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavePowerLEDOffAlarmStartTime.setDescription('This is the scheduled time at which the all the switch LEDs would be turned off.')
hpicf_save_power_led_off_alarm_duration = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3, 2), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavePowerLEDOffAlarmDuration.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavePowerLEDOffAlarmDuration.setDescription('This is the duration of the alarm time during which the switch would be in LED power save mode, and the switch LEDs would be turned off.')
hpicf_save_power_led_off_alarm_recur = mib_scalar((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 1, 3, 3), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavePowerLEDOffAlarmRecur.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavePowerLEDOffAlarmRecur.setDescription('The truth value used to indicate if the timer for LED off will be recurring.')
hpicf_entity_savepower = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2))
hpicf_savepower_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1))
if mibBuilder.loadTexts:
hpicfSavepowerTable.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerTable.setDescription('This table contains one row for every power block that controls a group of physical ports.')
hpicf_savepower_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1)).setIndexNames((0, 'SAVEPOWER-MIB', 'hpicfSavepowerBlockID'))
if mibBuilder.loadTexts:
hpicfSavepowerEntry.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntry.setDescription('Information about Savepower table.')
hpicf_savepower_block_id = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1, 1), savepower_block_index())
if mibBuilder.loadTexts:
hpicfSavepowerBlockID.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerBlockID.setDescription('The index that is used to access the power block entry table.')
hpicf_savepower_control = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1, 2), savepower_control()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavepowerControl.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerControl.setDescription('This indicates if the power to the block is powerOn (1) or powerOff (2).')
hpicf_savepower_block_ports = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerBlockPorts.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerBlockPorts.setDescription('This indicates the port-range associated to the hpisfSavepowerBlockID.')
hpicf_savepower_green_features_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2))
if mibBuilder.loadTexts:
hpicfSavepowerGreenFeaturesTable.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerGreenFeaturesTable.setDescription('This table contains a row for different entities and shows the admin status and operational status of the power and LED for that entity.')
hpicf_savepower_green_features_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1)).setIndexNames((0, 'ENTITY-MIB', 'entPhysicalIndex'))
if mibBuilder.loadTexts:
hpicfSavepowerGreenFeaturesEntry.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerGreenFeaturesEntry.setDescription('Information about SavepowerGreenFeatures table.')
hpicf_savepower_entity_power_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 1), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavepowerEntityPowerAdminStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntityPowerAdminStatus.setDescription('The truth value indicates the configured status of the entity power.')
hpicf_savepower_entity_power_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 2), savepower_control()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerEntityPowerOperStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntityPowerOperStatus.setDescription('This indicates the operational status of the entity as powerOn(1) if turned on or powerOff(2) if turned off.')
hpicf_savepower_entity_led_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 3), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavepowerEntityLEDAdminStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntityLEDAdminStatus.setDescription(" The truth value indicates the configured status of the entity's LED power status.")
hpicf_savepower_entity_led_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 2, 1, 4), savepower_control()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerEntityLEDOperStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntityLEDOperStatus.setDescription(" This indicates if the operational status of the entity's LED power is powerOn (1) or powerOff (2).")
hpicf_savepower_phy_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3))
if mibBuilder.loadTexts:
hpicfSavepowerPHYTable.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerPHYTable.setDescription(' This table contains a row for every port for which the PHY will be put to auto low power mode or normal power mode and contains the admin status and operational status of the PHY .')
hpicf_savepower_phy_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1)).setIndexNames((0, 'SAVEPOWER-MIB', 'hpicfSavepowerSlotNum'), (0, 'SAVEPOWER-MIB', 'hpicfSavepowerPortNum'))
if mibBuilder.loadTexts:
hpicfSavepowerPHYEntry.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerPHYEntry.setDescription('Information about PHY power status for ports.')
hpicf_savepower_slot_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 1), unsigned32())
if mibBuilder.loadTexts:
hpicfSavepowerSlotNum.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerSlotNum.setDescription('This value serves as an index to identify the slot no. for the PHY.')
hpicf_savepower_port_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 2), unsigned32())
if mibBuilder.loadTexts:
hpicfSavepowerPortNum.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerPortNum.setDescription('This value serves as an index to identify the port no. for the PHY.')
hpicf_savepower_phy_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 3), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavepowerPHYAdminStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerPHYAdminStatus.setDescription('The truth value indicates the configured status of the auto low power mode for the PHY.')
hpicf_savepower_phy_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 3, 1, 4), savepower_control()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerPHYOperStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerPHYOperStatus.setDescription('This indicates if the operational status of the PHY power is auto low power mode i.e. powerOff(2) or normal power mode i.e. or powerOn(1).')
hpicf_savepower_ent_phy_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4))
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYTable.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYTable.setDescription('This table contains a row for every member in a stack setup or for a standalone device or for every slot in a chassis, for which the PHY will be put to auto low power mode or normal power mode and contains the admin status and operational status of the PHY .')
hpicf_savepower_ent_phy_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4, 1)).setIndexNames((0, 'ENTITY-MIB', 'entPhysicalIndex'))
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYEntry.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYEntry.setDescription('Information about PHY power status.')
hpicf_savepower_ent_phy_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4, 1, 1), truth_value()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYAdminStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYAdminStatus.setDescription('The truth value indicates the configured status of the auto low power mode for the PHY. True indicates PHY is in low power mode.')
hpicf_savepower_ent_phy_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 2, 4, 1, 2), savepower_control()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYOperStatus.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYOperStatus.setDescription('This indicates if the operational status of the PHY power is auto low power mode i.e. powerOff(2) or normal power mode i.e. powerOn(1).')
hpicf_savepower_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3))
hpicf_savepower_compliance = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 1))
hpicf_savepower_groups = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2))
hpicf_savepower_compliance_info = module_compliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 1, 1)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerScalarsGroup'), ('SAVEPOWER-MIB', 'hpicfSavepowerLEDScalarsGroup'), ('SAVEPOWER-MIB', 'hpicfSavepowerGreenFeaturesGroup'), ('SAVEPOWER-MIB', 'hpicfSavepowerPHYGroup'), ('SAVEPOWER-MIB', 'hpicfSavepowerGroup'), ('SAVEPOWER-MIB', 'hpicfSavepowerGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_compliance_info = hpicfSavepowerComplianceInfo.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerComplianceInfo.setDescription('The compliance statement for entries which implement the SAVEPOWER MIB.')
hpicf_savepower_scalars_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 1)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerMaxBlocks'), ('SAVEPOWER-MIB', 'hpicfSavepowerEnabledPorts'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_scalars_group = hpicfSavepowerScalarsGroup.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerScalarsGroup.setDescription('Basic Scalars required in SAVEPOWER MIB implementation.')
hpicf_savepower_led_scalars_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 2)).setObjects(('SAVEPOWER-MIB', 'hpicfSavePowerLEDOffAlarmStartTime'), ('SAVEPOWER-MIB', 'hpicfSavePowerLEDOffAlarmDuration'), ('SAVEPOWER-MIB', 'hpicfSavePowerLEDOffAlarmRecur'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_led_scalars_group = hpicfSavepowerLEDScalarsGroup.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerLEDScalarsGroup.setDescription('Scalars required for LED turn off feature.')
hpicf_savepower_green_features_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 3)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerEntityPowerAdminStatus'), ('SAVEPOWER-MIB', 'hpicfSavepowerEntityPowerOperStatus'), ('SAVEPOWER-MIB', 'hpicfSavepowerEntityLEDAdminStatus'), ('SAVEPOWER-MIB', 'hpicfSavepowerEntityLEDOperStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_green_features_group = hpicfSavepowerGreenFeaturesGroup.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerGreenFeaturesGroup.setDescription('SAVEPOWER Green Features parameters')
hpicf_savepower_phy_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 4)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerPHYAdminStatus'), ('SAVEPOWER-MIB', 'hpicfSavepowerPHYOperStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_phy_group = hpicfSavepowerPHYGroup.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerPHYGroup.setDescription('SAVEPOWER MIB parameters ')
hpicf_savepower_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 3, 2, 5)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerControl'), ('SAVEPOWER-MIB', 'hpicfSavepowerBlockPorts'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_group = hpicfSavepowerGroup.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerGroup.setDescription('SAVEPOWER MIB parameters ')
hpicf_phy_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4))
hpicf_phy_compliance = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 1))
hpicf_phy_groups = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 2))
hpicf_phy_compliance_info = module_compliance((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 1, 1)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerEntPHYGroup'), ('SAVEPOWER-MIB', 'hpicfPHYGroups'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_phy_compliance_info = hpicfPHYComplianceInfo.setStatus('current')
if mibBuilder.loadTexts:
hpicfPHYComplianceInfo.setDescription('The compliance statement for entries which implement the PORT LOW POWER.')
hpicf_savepower_ent_phy_group = object_group((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 5, 1, 56, 4, 2, 1)).setObjects(('SAVEPOWER-MIB', 'hpicfSavepowerEntPHYAdminStatus'), ('SAVEPOWER-MIB', 'hpicfSavepowerEntPHYOperStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hpicf_savepower_ent_phy_group = hpicfSavepowerEntPHYGroup.setStatus('current')
if mibBuilder.loadTexts:
hpicfSavepowerEntPHYGroup.setDescription('PORT-LOW-POWER MIB parameters ')
mibBuilder.exportSymbols('SAVEPOWER-MIB', hpicfSavepowerGroup=hpicfSavepowerGroup, hpicfSavePowerLEDOffAlarmRecur=hpicfSavePowerLEDOffAlarmRecur, hpicfSavepowerGroups=hpicfSavepowerGroups, hpicfSavepowerGreenFeaturesGroup=hpicfSavepowerGreenFeaturesGroup, hpicfSavepowerLEDScalarsGroup=hpicfSavepowerLEDScalarsGroup, hpicfSavePowerLEDOffAlarmDuration=hpicfSavePowerLEDOffAlarmDuration, hpicfSavepowerTable=hpicfSavepowerTable, hpicfEntitySavepower=hpicfEntitySavepower, hpicfSavepowerPortNum=hpicfSavepowerPortNum, hpicfSavepowerPHYEntry=hpicfSavepowerPHYEntry, hpicfSavepowerMaxBlocks=hpicfSavepowerMaxBlocks, hpicfSavepowerEntPHYOperStatus=hpicfSavepowerEntPHYOperStatus, hpicfSavepowerScalarsGroup=hpicfSavepowerScalarsGroup, SavepowerControl=SavepowerControl, SavepowerBlockIndex=SavepowerBlockIndex, hpicfSavepowerEntityPowerOperStatus=hpicfSavepowerEntityPowerOperStatus, hpicfSavepowerComplianceInfo=hpicfSavepowerComplianceInfo, hpicfPHYGroups=hpicfPHYGroups, hpicfSavePowerLEDOffAlarmStartTime=hpicfSavePowerLEDOffAlarmStartTime, hpicfSavepowerPHYTable=hpicfSavepowerPHYTable, hpicfSavepowerEntPHYAdminStatus=hpicfSavepowerEntPHYAdminStatus, hpicfSavepowerControl=hpicfSavepowerControl, hpicfSavepowerBlockID=hpicfSavepowerBlockID, hpicfSavepowerCompliance=hpicfSavepowerCompliance, hpicfSavepowerEnabledPorts=hpicfSavepowerEnabledPorts, hpicfSavepowerMIB=hpicfSavepowerMIB, hpicfSavepowerEntPHYEntry=hpicfSavepowerEntPHYEntry, hpicfSavepowerEntPHYGroup=hpicfSavepowerEntPHYGroup, hpicfSavepowerBlockPorts=hpicfSavepowerBlockPorts, hpicfSavepowerEntityLEDAdminStatus=hpicfSavepowerEntityLEDAdminStatus, hpicfSavepowerPHYGroup=hpicfSavepowerPHYGroup, hpicfSavepowerGreenFeaturesTable=hpicfSavepowerGreenFeaturesTable, hpicfSavepowerEntry=hpicfSavepowerEntry, hpicfSavepowerEntityPowerAdminStatus=hpicfSavepowerEntityPowerAdminStatus, hpicfPHYCompliance=hpicfPHYCompliance, hpicfSavepowerScalars=hpicfSavepowerScalars, hpicfSavepowerGreenFeaturesEntry=hpicfSavepowerGreenFeaturesEntry, hpicfPHYConformance=hpicfPHYConformance, hpicfSavepowerLEDScalars=hpicfSavepowerLEDScalars, hpicfSavepowerEntPHYTable=hpicfSavepowerEntPHYTable, hpicfSavepowerPHYAdminStatus=hpicfSavepowerPHYAdminStatus, PYSNMP_MODULE_ID=hpicfSavepowerMIB, hpicfSavepowerEntityLEDOperStatus=hpicfSavepowerEntityLEDOperStatus, hpicfSavepowerPHYOperStatus=hpicfSavepowerPHYOperStatus, hpicfSavepowerConformance=hpicfSavepowerConformance, hpicfSavepowerSlotNum=hpicfSavepowerSlotNum, hpicfPHYComplianceInfo=hpicfPHYComplianceInfo) |
# encoding: utf-8
# Author: Kyohei Atarashi
# License: MIT
def _cd_linear_epoch(w, X, y, y_pred, col_norm_sq, alpha, loss,
indices_feature):
sum_viol = 0
n_samples = len(y)
for j in indices_feature:
update = 0
# compute gradient with respect to w_j
for i in range(n_samples):
update += loss.dloss(y_pred[i], y[i]) * X[i, j]
update += alpha * w[j]
# compute second derivative upper bound
inv_step_size = loss.mu * col_norm_sq[j] + alpha
update /= inv_step_size
w[j] -= update
sum_viol += abs(update)
# update predictions
for i in range(n_samples):
y_pred[i] -= update * X[i, j]
return sum_viol
| def _cd_linear_epoch(w, X, y, y_pred, col_norm_sq, alpha, loss, indices_feature):
sum_viol = 0
n_samples = len(y)
for j in indices_feature:
update = 0
for i in range(n_samples):
update += loss.dloss(y_pred[i], y[i]) * X[i, j]
update += alpha * w[j]
inv_step_size = loss.mu * col_norm_sq[j] + alpha
update /= inv_step_size
w[j] -= update
sum_viol += abs(update)
for i in range(n_samples):
y_pred[i] -= update * X[i, j]
return sum_viol |
symbol_1 = input()
symbol_2 = input()
string = input()
total_sum = 0
for letter in string:
if ord(symbol_1) < ord(letter) < ord(symbol_2):
total_sum += ord(letter)
print(total_sum) | symbol_1 = input()
symbol_2 = input()
string = input()
total_sum = 0
for letter in string:
if ord(symbol_1) < ord(letter) < ord(symbol_2):
total_sum += ord(letter)
print(total_sum) |
def teardown_func():
assert 1 == 0
def test():
pass
test.teardown = teardown_func
| def teardown_func():
assert 1 == 0
def test():
pass
test.teardown = teardown_func |
class Note:
def __init__(self, content: str):
self.content = content
| class Note:
def __init__(self, content: str):
self.content = content |
def large_population(population):
if(found > 2000):
return True
else:
return False
| def large_population(population):
if found > 2000:
return True
else:
return False |
#!/usr/bin/python3
# -*- coding: utf-8 -*-
default_date = '2021-03-10'
default_rates = {'EUR': 1.0,
'USD': 1.1892,
'JPY': 129.12,
'BGN': 1.9558,
'CZK': 26.226,
'DKK': 7.4366,
'GBP': 0.85655,
'HUF': 367.48,
'PLN': 4.5752,
'RON': 4.8865,
'SEK': 10.1305,
'CHF': 1.1069,
'ISK': 152.1,
'NOK': 10.0813,
'HRK': 7.5865,
'RUB': 87.9744,
'TRY': 9.0269,
'AUD': 1.543,
'BRL': 6.8807,
'CAD': 1.5041,
'CNY': 7.7433,
'HKD': 9.2307,
'IDR': 17130.43,
'ILS': 3.9532,
'INR': 86.81,
'KRW': 1357.05,
'MXN': 25.2221,
'MYR': 4.9072,
'NZD': 1.659,
'PHP': 57.78,
'SGD': 1.6019,
'THB': 36.592,
'ZAR': 18.174,
}
| default_date = '2021-03-10'
default_rates = {'EUR': 1.0, 'USD': 1.1892, 'JPY': 129.12, 'BGN': 1.9558, 'CZK': 26.226, 'DKK': 7.4366, 'GBP': 0.85655, 'HUF': 367.48, 'PLN': 4.5752, 'RON': 4.8865, 'SEK': 10.1305, 'CHF': 1.1069, 'ISK': 152.1, 'NOK': 10.0813, 'HRK': 7.5865, 'RUB': 87.9744, 'TRY': 9.0269, 'AUD': 1.543, 'BRL': 6.8807, 'CAD': 1.5041, 'CNY': 7.7433, 'HKD': 9.2307, 'IDR': 17130.43, 'ILS': 3.9532, 'INR': 86.81, 'KRW': 1357.05, 'MXN': 25.2221, 'MYR': 4.9072, 'NZD': 1.659, 'PHP': 57.78, 'SGD': 1.6019, 'THB': 36.592, 'ZAR': 18.174} |
# If set, it will update the default panel of the PANEL_DASHBOARD.
DEFAULT_PANEL = 'billing_config'
PANEL_DASHBOARD = 'billing'
PANEL_GROUP = 'default'
PANEL = 'billing_config'
ADD_PANEL = 'astutedashboard.dashboards.billing.config.panel.Config'
| default_panel = 'billing_config'
panel_dashboard = 'billing'
panel_group = 'default'
panel = 'billing_config'
add_panel = 'astutedashboard.dashboards.billing.config.panel.Config' |
class Node:
def __init__(self, data) -> None:
self.data = data
self.next = None
class LinkedList:
def __init__(self) -> None:
self.head = None
def insert(self, item):
temp = Node(item)
temp.next = self.head
self.head = temp
def display(node):
temp = node.head
while temp:
print(temp.data, end=' ')
temp = temp.next
def add(temp_a, temp_b, carry):
if temp_a and temp_b:
result = None
data_a = temp_a.data
data_b = temp_b.data
sum = data_a + data_b
if sum > 9 or carry > 0:
sum += carry
carry = sum // 10
sum = sum % 10
temp = Node(sum)
temp.next = result
result = temp
print(result.data, end=' ')
add(temp_a.next, temp_b.next, carry)
else:
return
ll_a = LinkedList()
ll_a.insert(3)
ll_a.insert(6)
ll_a.insert(5)
print("Linked list for first number:- ")
display(ll_a)
print()
ll_b = LinkedList()
ll_b.insert(2)
ll_b.insert(4)
ll_b.insert(8)
print("Linked list for second number:- ")
display(ll_b)
print('\n')
add(ll_a.head, ll_b.head, 0)
| class Node:
def __init__(self, data) -> None:
self.data = data
self.next = None
class Linkedlist:
def __init__(self) -> None:
self.head = None
def insert(self, item):
temp = node(item)
temp.next = self.head
self.head = temp
def display(node):
temp = node.head
while temp:
print(temp.data, end=' ')
temp = temp.next
def add(temp_a, temp_b, carry):
if temp_a and temp_b:
result = None
data_a = temp_a.data
data_b = temp_b.data
sum = data_a + data_b
if sum > 9 or carry > 0:
sum += carry
carry = sum // 10
sum = sum % 10
temp = node(sum)
temp.next = result
result = temp
print(result.data, end=' ')
add(temp_a.next, temp_b.next, carry)
else:
return
ll_a = linked_list()
ll_a.insert(3)
ll_a.insert(6)
ll_a.insert(5)
print('Linked list for first number:- ')
display(ll_a)
print()
ll_b = linked_list()
ll_b.insert(2)
ll_b.insert(4)
ll_b.insert(8)
print('Linked list for second number:- ')
display(ll_b)
print('\n')
add(ll_a.head, ll_b.head, 0) |
#!/usr/bin/env python3
x = "text"
# these do the same thing.
print("x is:", x) # simply prints two things.
print("x is: " + x) # concatenates to string(no space)
| x = 'text'
print('x is:', x)
print('x is: ' + x) |
'''https://leetcode.com/problems/n-queens-ii/'''
class Solution:
def totalNQueens(self, n: int) -> int:
board = [[0]*n for _ in range(n)]
def placeQ(row, col):
board[row][col] = 1
def removeQ(row, col):
board[row][col] = 0
def check(row, col):
for i in range(n):
if board[row][i]==1:
return False
if board[i][col]==1:
return False
i, j =row, col
while i<n and j<n:
if board[i][j]==1:
return False
i+=1
j+=1
i,j = row, col
while i>-1 and j<n:
if board[i][j]==1:
return False
i-=1
j+=1
i, j = row, col
while i>-1 and j>-1:
if board[i][j]==1:
return False
i-=1
j-=1
i, j = row, col
while i<n and j>-1:
if board[i][j]==1:
return False
i+=1
j-=1
return True
def backtrack(row=0, count=0):
for col in range(n):
if check(row, col):
placeQ(row, col)
if row+1==n:
count+=1
else:
count = backtrack(row+1, count)
removeQ(row, col)
return count
return backtrack()
| """https://leetcode.com/problems/n-queens-ii/"""
class Solution:
def total_n_queens(self, n: int) -> int:
board = [[0] * n for _ in range(n)]
def place_q(row, col):
board[row][col] = 1
def remove_q(row, col):
board[row][col] = 0
def check(row, col):
for i in range(n):
if board[row][i] == 1:
return False
if board[i][col] == 1:
return False
(i, j) = (row, col)
while i < n and j < n:
if board[i][j] == 1:
return False
i += 1
j += 1
(i, j) = (row, col)
while i > -1 and j < n:
if board[i][j] == 1:
return False
i -= 1
j += 1
(i, j) = (row, col)
while i > -1 and j > -1:
if board[i][j] == 1:
return False
i -= 1
j -= 1
(i, j) = (row, col)
while i < n and j > -1:
if board[i][j] == 1:
return False
i += 1
j -= 1
return True
def backtrack(row=0, count=0):
for col in range(n):
if check(row, col):
place_q(row, col)
if row + 1 == n:
count += 1
else:
count = backtrack(row + 1, count)
remove_q(row, col)
return count
return backtrack() |
A = [int(x) for x in input().split()]
B = [int(x) for x in input().split()]
C = int(input())
ans = []
if C in A:
ans.extend(B)
if C in B:
ans.extend(A)
ans = set(ans)
print(len(ans))
print(*sorted(ans), sep='\n')
| a = [int(x) for x in input().split()]
b = [int(x) for x in input().split()]
c = int(input())
ans = []
if C in A:
ans.extend(B)
if C in B:
ans.extend(A)
ans = set(ans)
print(len(ans))
print(*sorted(ans), sep='\n') |
def fact(n:int=0)->int:
if n <= 0:
return (1)
if n == 1:
return (1)
return fact(n-1) + fact(n-2)
#main
for i in range(0,10):
print(f"{fact(i)}", end =" ")
| def fact(n: int=0) -> int:
if n <= 0:
return 1
if n == 1:
return 1
return fact(n - 1) + fact(n - 2)
for i in range(0, 10):
print(f'{fact(i)}', end=' ') |
saque = int(input('Valor do saque: R$'))
notas = saque
while saque != 0:
if saque % 50 >= 0:
notas = saque
if notas // 50 != 0: print(f'Total de {notas//50} notas de R$50,00')
saque = saque % 50
if saque % 20 >= 0:
notas = saque
if notas // 20 != 0: print(f'Total de {notas//20} notas de R$20,00')
saque = saque % 20
if saque % 10 >= 0:
notas = saque
if notas // 10 != 0: print(f'Total de {notas//10} notas de R$10,00')
saque = saque % 10
if saque % 1 >= 0:
notas = saque
if notas // 1 != 0: print(f'Total de {notas//1} notas de R$1,00')
saque = saque % 1
| saque = int(input('Valor do saque: R$'))
notas = saque
while saque != 0:
if saque % 50 >= 0:
notas = saque
if notas // 50 != 0:
print(f'Total de {notas // 50} notas de R$50,00')
saque = saque % 50
if saque % 20 >= 0:
notas = saque
if notas // 20 != 0:
print(f'Total de {notas // 20} notas de R$20,00')
saque = saque % 20
if saque % 10 >= 0:
notas = saque
if notas // 10 != 0:
print(f'Total de {notas // 10} notas de R$10,00')
saque = saque % 10
if saque % 1 >= 0:
notas = saque
if notas // 1 != 0:
print(f'Total de {notas // 1} notas de R$1,00')
saque = saque % 1 |
lista_inteiros = [
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10],
[9, 1, 8, 9, 9, 7, 2, 1, 6, 8],
[1, 3, 2, 2, 8, 6, 5, 9,6, 7],
[3, 8, 2, 8, 6, 7, 7, 3, 1, 9],
[4, 8, 8, 8, 5, 1, 10, 3, 1, 7],
[1, 3, 7, 2, 2, 1, 5, 1, 9, 9],
[10, 2, 2, 1, 3, 5, 1, 9, 9],
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
]
def encontra_duplicado(parametro):
numeros_checados = set()
primeiro_duplicado = -1
for numero in parametro:
if numero in numeros_checados:
primeiro_duplicado = numero
break
numeros_checados.add(numero)
return primeiro_duplicado
for c in lista_inteiros:
print(c, encontra_duplicado(c))
| lista_inteiros = [[1, 2, 3, 4, 5, 6, 7, 8, 9, 10], [9, 1, 8, 9, 9, 7, 2, 1, 6, 8], [1, 3, 2, 2, 8, 6, 5, 9, 6, 7], [3, 8, 2, 8, 6, 7, 7, 3, 1, 9], [4, 8, 8, 8, 5, 1, 10, 3, 1, 7], [1, 3, 7, 2, 2, 1, 5, 1, 9, 9], [10, 2, 2, 1, 3, 5, 1, 9, 9], [1, 2, 3, 4, 5, 6, 7, 8, 9, 10]]
def encontra_duplicado(parametro):
numeros_checados = set()
primeiro_duplicado = -1
for numero in parametro:
if numero in numeros_checados:
primeiro_duplicado = numero
break
numeros_checados.add(numero)
return primeiro_duplicado
for c in lista_inteiros:
print(c, encontra_duplicado(c)) |
# Maltego Entities - Maltego Chlorine 3.6.0
# Parser written by:
# Justin Seitz - justin@hunch.ly
class Unknown(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Unknown"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Computer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Computer"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["device"] = ""
self.entity_attribute_names["device"] = "Device"
class DesktopComputer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.DesktopComputer"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Device(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Device"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["device"] = ""
self.entity_attribute_names["device"] = "Device"
class MobileComputer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MobileComputer"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["device"] = ""
self.entity_attribute_names["device"] = "Device"
class MobilePhone(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MobilePhone"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["device"] = ""
self.entity_attribute_names["device"] = "Device"
class Smartphone(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Smartphone"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["device"] = ""
self.entity_attribute_names["device"] = "Device"
class Conversation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Conversation"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
self.entity_attributes["people"] = ""
self.entity_attribute_names["people"] = "People"
class ConversationEmail(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.ConversationEmail"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["email"] = ""
self.entity_attribute_names["email"] = "Sender Email"
self.entity_attributes["email.recipients"] = ""
self.entity_attribute_names["email.recipients"] = "Recipient Emails"
class ConversationPhone(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.ConversationPhone"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["phonenumber.caller"] = ""
self.entity_attribute_names["phonenumber.caller"] = "Caller Number"
self.entity_attributes["phonenumber.callee"] = ""
self.entity_attribute_names["phonenumber.callee"] = "Callee Number"
self.entity_attributes["starttime"] = ""
self.entity_attribute_names["starttime"] = "Start time"
self.entity_attributes["duration"] = ""
self.entity_attribute_names["duration"] = "Duration"
class Event(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Event"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
self.entity_attributes["starttime"] = ""
self.entity_attribute_names["starttime"] = "Start Time"
self.entity_attributes["stoptime"] = ""
self.entity_attribute_names["stoptime"] = "Stop Time"
class Incident(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Incident"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
class Meeting(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Meeting"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
self.entity_attributes["people"] = ""
self.entity_attribute_names["people"] = "People"
class MeetingBusiness(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MeetingBusiness"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class MeetingSocial(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MeetingSocial"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Company(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Company"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
class EducationInstitution(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.EducationInstitution"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
class Gang(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Gang"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
class OnlineGroup(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.OnlineGroup"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
self.entity_attributes["url"] = ""
self.entity_attribute_names["url"] = "URL"
class Organization(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Organization"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
class PoliticalMovement(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.PoliticalMovement"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
class ReligiousGroup(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.ReligiousGroup"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Name"
class AS(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.AS"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["as.number"] = ""
self.entity_attribute_names["as.number"] = "AS Number"
class DNSName(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.DNSName"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["fqdn"] = ""
self.entity_attribute_names["fqdn"] = "DNS Name"
class Domain(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Domain"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["fqdn"] = ""
self.entity_attribute_names["fqdn"] = "Domain Name"
self.entity_attributes["whois-info"] = ""
self.entity_attribute_names["whois-info"] = "WHOIS Info"
class IPv4Address(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.IPv4Address"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["ipv4-address"] = ""
self.entity_attribute_names["ipv4-address"] = "IP Address"
self.entity_attributes["ipaddress.internal"] = ""
self.entity_attribute_names["ipaddress.internal"] = "Internal"
class MXRecord(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MXRecord"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["fqdn"] = ""
self.entity_attribute_names["fqdn"] = "MX Record"
self.entity_attributes["mxrecord.priority"] = ""
self.entity_attribute_names["mxrecord.priority"] = "Priority"
class Netblock(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Netblock"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["ipv4-range"] = ""
self.entity_attribute_names["ipv4-range"] = "IP Range"
class NSRecord(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.NSRecord"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["fqdn"] = ""
self.entity_attribute_names["fqdn"] = "NS Record"
class URL(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.URL"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["short-title"] = ""
self.entity_attribute_names["short-title"] = "Short title"
self.entity_attributes["url"] = ""
self.entity_attribute_names["url"] = "URL"
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
class Website(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Website"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["fqdn"] = ""
self.entity_attribute_names["fqdn"] = "Website"
self.entity_attributes["website.ssl-enabled"] = ""
self.entity_attribute_names["website.ssl-enabled"] = "SSL Enabled"
self.entity_attributes["ports"] = ""
self.entity_attribute_names["ports"] = "Ports"
class WebTitle(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.WebTitle"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
class Airport(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Airport"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class Church(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Church"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class CircularArea(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.CircularArea"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["area.circular"] = ""
self.entity_attribute_names["area.circular"] = "Circular Area"
self.entity_attributes["latitude"] = ""
self.entity_attribute_names["latitude"] = "Latitude"
self.entity_attributes["longitude"] = ""
self.entity_attribute_names["longitude"] = "Longitude"
self.entity_attributes["radius"] = ""
self.entity_attribute_names["radius"] = "Radius (m)"
class City(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.City"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Country(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Country"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class CrimeScene(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.CrimeScene"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Harbor(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Harbor"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class Home(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Home"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Location(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Location"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
self.entity_attributes["country"] = ""
self.entity_attribute_names["country"] = "Country"
self.entity_attributes["city"] = ""
self.entity_attribute_names["city"] = "City"
self.entity_attributes["streetaddress"] = ""
self.entity_attribute_names["streetaddress"] = "Street Address"
self.entity_attributes["location.area"] = ""
self.entity_attribute_names["location.area"] = "Area"
self.entity_attributes["location.areacode"] = ""
self.entity_attribute_names["location.areacode"] = "Area Code"
self.entity_attributes["countrycode"] = ""
self.entity_attribute_names["countrycode"] = "Country Code"
self.entity_attributes["longitude"] = ""
self.entity_attribute_names["longitude"] = "Longitude"
self.entity_attributes["latitude"] = ""
self.entity_attribute_names["latitude"] = "Latitude"
class NominatimLocation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.NominatimLocation"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["nominatimlocation"] = ""
self.entity_attribute_names["nominatimlocation"] = "Nominatim Location"
class Office(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Office"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Prison(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Prison"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class Region(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Region"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class Shop(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Shop"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class TrainStation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.TrainStation"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class TransportHub(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.TransportHub"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["location.name"] = ""
self.entity_attribute_names["location.name"] = "Name"
class BadGuy(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.BadGuy"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class BusinessLeader(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.BusinessLeader"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Businessman(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Businessman"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Child(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Child"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class DrugDealer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.DrugDealer"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Female(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Female"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["person.firstnames"] = ""
self.entity_attribute_names["person.firstnames"] = "First Names"
class GangLeader(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.GangLeader"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class GangMember(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.GangMember"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class GoodGuy(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.GoodGuy"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class GovernmentOfficial(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.GovernmentOfficial"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Judge(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Judge"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class LawOfficer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.LawOfficer"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Lawyer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Lawyer"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Male(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Male"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class MilitaryOfficer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MilitaryOfficer"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class SexOffender(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.SexOffender"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Terrorist(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Terrorist"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class TerroristLeader(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.TerroristLeader"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Unsub(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Unsub"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Alias(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Alias"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["alias"] = ""
self.entity_attribute_names["alias"] = "Alias"
class Document(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Document"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["title"] = ""
self.entity_attribute_names["title"] = "Title"
self.entity_attributes["document.meta-data"] = ""
self.entity_attribute_names["document.meta-data"] = "Meta-Data"
self.entity_attributes["url"] = ""
self.entity_attribute_names["url"] = "URL"
class EmailAddress(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.EmailAddress"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["email"] = ""
self.entity_attribute_names["email"] = "Email Address"
class File(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.File"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["source"] = ""
self.entity_attribute_names["source"] = "Source"
self.entity_attributes["description"] = ""
self.entity_attribute_names["description"] = "Description"
class GPS(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.GPS"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["gps.coordinate"] = ""
self.entity_attribute_names["gps.coordinate"] = "GPS Coordinate"
self.entity_attributes["latitude"] = ""
self.entity_attribute_names["latitude"] = "Latitude"
self.entity_attributes["longitude"] = ""
self.entity_attribute_names["longitude"] = "Longitude"
class Image(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Image"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["description"] = ""
self.entity_attribute_names["description"] = "Description"
self.entity_attributes["url"] = ""
self.entity_attribute_names["url"] = "URL"
class Person(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Person"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["person.fullname"] = ""
self.entity_attribute_names["person.fullname"] = "Full Name"
self.entity_attributes["person.firstnames"] = ""
self.entity_attribute_names["person.firstnames"] = "First Names"
self.entity_attributes["person.lastname"] = ""
self.entity_attribute_names["person.lastname"] = "Surname"
class PhoneNumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.PhoneNumber"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["phonenumber"] = ""
self.entity_attribute_names["phonenumber"] = "Phone Number"
self.entity_attributes["phonenumber.countrycode"] = ""
self.entity_attribute_names["phonenumber.countrycode"] = "Country Code"
self.entity_attributes["phonenumber.citycode"] = ""
self.entity_attribute_names["phonenumber.citycode"] = "City Code"
self.entity_attributes["phonenumber.areacode"] = ""
self.entity_attribute_names["phonenumber.areacode"] = "Area Code"
self.entity_attributes["phonenumber.lastnumbers"] = ""
self.entity_attribute_names["phonenumber.lastnumbers"] = "Last Digits"
class PhoneNumberMobile(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.PhoneNumberMobile"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class PhoneNumberOffice(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.PhoneNumberOffice"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class PhoneNumberResidential(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.PhoneNumberResidential"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Phrase(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Phrase"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["text"] = ""
self.entity_attribute_names["text"] = "Text"
class Affiliation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Affiliation"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["person.name"] = ""
self.entity_attribute_names["person.name"] = "Name"
self.entity_attributes["affiliation.network"] = ""
self.entity_attribute_names["affiliation.network"] = "Network"
self.entity_attributes["affiliation.uid"] = ""
self.entity_attribute_names["affiliation.uid"] = "UID"
self.entity_attributes["affiliation.profile-url"] = ""
self.entity_attribute_names["affiliation.profile-url"] = "Profile URL"
class Facebook(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.affiliation.Facebook"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["person.name"] = ""
self.entity_attribute_names["person.name"] = "Name"
self.entity_attributes["affiliation.network"] = ""
self.entity_attribute_names["affiliation.network"] = "Network"
self.entity_attributes["affiliation.uid"] = ""
self.entity_attribute_names["affiliation.uid"] = "UID"
self.entity_attributes["affiliation.profile-url"] = ""
self.entity_attribute_names["affiliation.profile-url"] = "Profile URL"
class LinkedIn(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.affiliation.LinkedIn"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["person.name"] = ""
self.entity_attribute_names["person.name"] = "Name"
self.entity_attributes["affiliation.network"] = ""
self.entity_attribute_names["affiliation.network"] = "Network"
class Twitter(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.affiliation.Twitter"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["person.name"] = ""
self.entity_attribute_names["person.name"] = "Name"
self.entity_attributes["affiliation.network"] = ""
self.entity_attribute_names["affiliation.network"] = "Network"
self.entity_attributes["affiliation.uid"] = ""
self.entity_attribute_names["affiliation.uid"] = "UID"
self.entity_attributes["affiliation.profile-url"] = ""
self.entity_attribute_names["affiliation.profile-url"] = "Profile URL"
self.entity_attributes["twitter.id"] = ""
self.entity_attribute_names["twitter.id"] = "Twitter ID"
self.entity_attributes["twitter.screen-name"] = ""
self.entity_attribute_names["twitter.screen-name"] = "Screen Name"
self.entity_attributes["twitter.friendcount"] = ""
self.entity_attribute_names["twitter.friendcount"] = "Friend Count"
self.entity_attributes["person.fullname"] = ""
self.entity_attribute_names["person.fullname"] = "Real Name"
class BankAccount(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.BankAccount"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["bank.accnumber"] = ""
self.entity_attribute_names["bank.accnumber"] = "Account Number"
self.entity_attributes["bank.name"] = ""
self.entity_attribute_names["bank.name"] = "Bank"
self.entity_attributes["bank.branch"] = ""
self.entity_attribute_names["bank.branch"] = "Branch Code"
class FlightNumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.FlightNumber"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["flight.id"] = ""
self.entity_attribute_names["flight.id"] = "Flight ID"
self.entity_attributes["flight.number"] = ""
self.entity_attribute_names["flight.number"] = "Flight Number"
self.entity_attributes["flight.airline"] = ""
self.entity_attribute_names["flight.airline"] = "Airline"
self.entity_attributes["flight.date"] = ""
self.entity_attribute_names["flight.date"] = "Date"
class IdentificationNumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.IdentificationNumber"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["identification.number"] = ""
self.entity_attribute_names["identification.number"] = "Number"
class MacAddress(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.MacAddress"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["macaddress"] = ""
self.entity_attribute_names["macaddress"] = "MAC Address"
class PassportNumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.PassportNumber"
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class VehicleRegistration(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.VehicleRegistration"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["vehicle.registration"] = ""
self.entity_attribute_names["vehicle.registration"] = "Registration Number"
class VinNumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.VinNumber"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["vinnumber"] = ""
self.entity_attribute_names["vinnumber"] = "VIN Number"
class Bike(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Bike"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
class Boat(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Boat"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
class Bus(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Bus"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
class Car(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Car"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
class Plane(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Plane"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
class Train(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Train"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
class Transport(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Transport"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["transport.name"] = ""
self.entity_attribute_names["transport.name"] = "Name"
self.entity_attributes["transport.make"] = ""
self.entity_attribute_names["transport.make"] = "Make"
self.entity_attributes["transport.model"] = ""
self.entity_attribute_names["transport.model"] = "Model"
class Ammunition(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Ammunition"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class BioWeapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.BioWeapon"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class Blade(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Blade"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class ChemicalWeapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.ChemicalWeapon"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class Explosive(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Explosive"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class Gun(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Gun"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class IED(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.IED"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class Missile(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Missile"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class NuclearWeapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.NuclearWeapon"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class Weapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.Weapon"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class WMD(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "maltego.WMD"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["weapon.type"] = ""
self.entity_attribute_names["weapon.type"] = "Type"
class HunchlyCase(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "hunchly.HunchlyCase"
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes["properties.hunchlycase"] = ""
self.entity_attributes["case_id"] = ""
self.entity_attribute_names['properties.hunchlycase'] = "Hunchly Case"
self.entity_attribute_names['case_id'] = "Case ID"
class HunchlyPage(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "hunchly.HunchlyPage"
self.entity_attributes = {"properties.hunchlypage": entity_value, "page_id": "", "url": "", "title": "",
"short-title": ""}
self.entity_attribute_names = {"properties.hunchlypage": "Hunchly Page", "page_id": "Page ID", "url": "URL",
"title": "Title", "short-title": "Short Title"}
class HunchlyPhoto(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "hunchly.HunchlyPhoto"
self.entity_attributes = {"properties.hunchlyphoto": entity_value, "url": "", "hash": "", "local_file": ""}
self.entity_attribute_names = {"properties.hunchlyphoto": "Hunchly Page", "url": "URL", "hash": "SHA-256",
"local_file": "Local File"}
class HunchlySelector(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "hunchly.HunchlySelector"
self.entity_attributes = {"properties.hunchlyselector": entity_value}
self.entity_attribute_names = {"properties.hunchlyselector": "Hunchly Selector"}
class HunchlyData(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = "hunchly.HunchlyData"
self.entity_attributes = {}
self.entity_attribute_names = {}
def convert_entity(transform, entity_obj):
new_entity = transform.addEntity(entity_obj.entity_type, entity_obj.entity_value)
for i in entity_obj.entity_attributes:
new_entity.addAdditionalFields(i, entity_obj.entity_attribute_names[i], False, entity_obj.entity_attributes[i])
new_entity.setValue(entity_obj.entity_value)
return new_entity
| class Unknown(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Unknown'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Computer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Computer'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['device'] = ''
self.entity_attribute_names['device'] = 'Device'
class Desktopcomputer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.DesktopComputer'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Device(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Device'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['device'] = ''
self.entity_attribute_names['device'] = 'Device'
class Mobilecomputer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MobileComputer'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['device'] = ''
self.entity_attribute_names['device'] = 'Device'
class Mobilephone(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MobilePhone'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['device'] = ''
self.entity_attribute_names['device'] = 'Device'
class Smartphone(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Smartphone'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['device'] = ''
self.entity_attribute_names['device'] = 'Device'
class Conversation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Conversation'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
self.entity_attributes['people'] = ''
self.entity_attribute_names['people'] = 'People'
class Conversationemail(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.ConversationEmail'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['email'] = ''
self.entity_attribute_names['email'] = 'Sender Email'
self.entity_attributes['email.recipients'] = ''
self.entity_attribute_names['email.recipients'] = 'Recipient Emails'
class Conversationphone(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.ConversationPhone'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['phonenumber.caller'] = ''
self.entity_attribute_names['phonenumber.caller'] = 'Caller Number'
self.entity_attributes['phonenumber.callee'] = ''
self.entity_attribute_names['phonenumber.callee'] = 'Callee Number'
self.entity_attributes['starttime'] = ''
self.entity_attribute_names['starttime'] = 'Start time'
self.entity_attributes['duration'] = ''
self.entity_attribute_names['duration'] = 'Duration'
class Event(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Event'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
self.entity_attributes['starttime'] = ''
self.entity_attribute_names['starttime'] = 'Start Time'
self.entity_attributes['stoptime'] = ''
self.entity_attribute_names['stoptime'] = 'Stop Time'
class Incident(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Incident'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
class Meeting(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Meeting'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
self.entity_attributes['people'] = ''
self.entity_attribute_names['people'] = 'People'
class Meetingbusiness(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MeetingBusiness'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Meetingsocial(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MeetingSocial'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Company(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Company'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
class Educationinstitution(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.EducationInstitution'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
class Gang(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Gang'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
class Onlinegroup(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.OnlineGroup'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
self.entity_attributes['url'] = ''
self.entity_attribute_names['url'] = 'URL'
class Organization(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Organization'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
class Politicalmovement(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.PoliticalMovement'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
class Religiousgroup(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.ReligiousGroup'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Name'
class As(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.AS'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['as.number'] = ''
self.entity_attribute_names['as.number'] = 'AS Number'
class Dnsname(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.DNSName'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['fqdn'] = ''
self.entity_attribute_names['fqdn'] = 'DNS Name'
class Domain(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Domain'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['fqdn'] = ''
self.entity_attribute_names['fqdn'] = 'Domain Name'
self.entity_attributes['whois-info'] = ''
self.entity_attribute_names['whois-info'] = 'WHOIS Info'
class Ipv4Address(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.IPv4Address'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['ipv4-address'] = ''
self.entity_attribute_names['ipv4-address'] = 'IP Address'
self.entity_attributes['ipaddress.internal'] = ''
self.entity_attribute_names['ipaddress.internal'] = 'Internal'
class Mxrecord(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MXRecord'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['fqdn'] = ''
self.entity_attribute_names['fqdn'] = 'MX Record'
self.entity_attributes['mxrecord.priority'] = ''
self.entity_attribute_names['mxrecord.priority'] = 'Priority'
class Netblock(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Netblock'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['ipv4-range'] = ''
self.entity_attribute_names['ipv4-range'] = 'IP Range'
class Nsrecord(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.NSRecord'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['fqdn'] = ''
self.entity_attribute_names['fqdn'] = 'NS Record'
class Url(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.URL'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['short-title'] = ''
self.entity_attribute_names['short-title'] = 'Short title'
self.entity_attributes['url'] = ''
self.entity_attribute_names['url'] = 'URL'
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
class Website(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Website'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['fqdn'] = ''
self.entity_attribute_names['fqdn'] = 'Website'
self.entity_attributes['website.ssl-enabled'] = ''
self.entity_attribute_names['website.ssl-enabled'] = 'SSL Enabled'
self.entity_attributes['ports'] = ''
self.entity_attribute_names['ports'] = 'Ports'
class Webtitle(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.WebTitle'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
class Airport(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Airport'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Church(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Church'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Circulararea(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.CircularArea'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['area.circular'] = ''
self.entity_attribute_names['area.circular'] = 'Circular Area'
self.entity_attributes['latitude'] = ''
self.entity_attribute_names['latitude'] = 'Latitude'
self.entity_attributes['longitude'] = ''
self.entity_attribute_names['longitude'] = 'Longitude'
self.entity_attributes['radius'] = ''
self.entity_attribute_names['radius'] = 'Radius (m)'
class City(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.City'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Country(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Country'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Crimescene(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.CrimeScene'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Harbor(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Harbor'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Home(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Home'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Location(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Location'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
self.entity_attributes['country'] = ''
self.entity_attribute_names['country'] = 'Country'
self.entity_attributes['city'] = ''
self.entity_attribute_names['city'] = 'City'
self.entity_attributes['streetaddress'] = ''
self.entity_attribute_names['streetaddress'] = 'Street Address'
self.entity_attributes['location.area'] = ''
self.entity_attribute_names['location.area'] = 'Area'
self.entity_attributes['location.areacode'] = ''
self.entity_attribute_names['location.areacode'] = 'Area Code'
self.entity_attributes['countrycode'] = ''
self.entity_attribute_names['countrycode'] = 'Country Code'
self.entity_attributes['longitude'] = ''
self.entity_attribute_names['longitude'] = 'Longitude'
self.entity_attributes['latitude'] = ''
self.entity_attribute_names['latitude'] = 'Latitude'
class Nominatimlocation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.NominatimLocation'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['nominatimlocation'] = ''
self.entity_attribute_names['nominatimlocation'] = 'Nominatim Location'
class Office(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Office'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Prison(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Prison'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Region(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Region'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Shop(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Shop'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Trainstation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.TrainStation'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Transporthub(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.TransportHub'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['location.name'] = ''
self.entity_attribute_names['location.name'] = 'Name'
class Badguy(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.BadGuy'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Businessleader(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.BusinessLeader'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Businessman(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Businessman'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Child(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Child'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Drugdealer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.DrugDealer'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Female(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Female'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['person.firstnames'] = ''
self.entity_attribute_names['person.firstnames'] = 'First Names'
class Gangleader(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.GangLeader'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Gangmember(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.GangMember'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Goodguy(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.GoodGuy'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Governmentofficial(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.GovernmentOfficial'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Judge(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Judge'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Lawofficer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.LawOfficer'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Lawyer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Lawyer'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Male(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Male'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Militaryofficer(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MilitaryOfficer'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Sexoffender(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.SexOffender'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Terrorist(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Terrorist'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Terroristleader(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.TerroristLeader'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Unsub(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Unsub'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Alias(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Alias'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['alias'] = ''
self.entity_attribute_names['alias'] = 'Alias'
class Document(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Document'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['title'] = ''
self.entity_attribute_names['title'] = 'Title'
self.entity_attributes['document.meta-data'] = ''
self.entity_attribute_names['document.meta-data'] = 'Meta-Data'
self.entity_attributes['url'] = ''
self.entity_attribute_names['url'] = 'URL'
class Emailaddress(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.EmailAddress'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['email'] = ''
self.entity_attribute_names['email'] = 'Email Address'
class File(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.File'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['source'] = ''
self.entity_attribute_names['source'] = 'Source'
self.entity_attributes['description'] = ''
self.entity_attribute_names['description'] = 'Description'
class Gps(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.GPS'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['gps.coordinate'] = ''
self.entity_attribute_names['gps.coordinate'] = 'GPS Coordinate'
self.entity_attributes['latitude'] = ''
self.entity_attribute_names['latitude'] = 'Latitude'
self.entity_attributes['longitude'] = ''
self.entity_attribute_names['longitude'] = 'Longitude'
class Image(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Image'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['description'] = ''
self.entity_attribute_names['description'] = 'Description'
self.entity_attributes['url'] = ''
self.entity_attribute_names['url'] = 'URL'
class Person(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Person'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['person.fullname'] = ''
self.entity_attribute_names['person.fullname'] = 'Full Name'
self.entity_attributes['person.firstnames'] = ''
self.entity_attribute_names['person.firstnames'] = 'First Names'
self.entity_attributes['person.lastname'] = ''
self.entity_attribute_names['person.lastname'] = 'Surname'
class Phonenumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.PhoneNumber'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['phonenumber'] = ''
self.entity_attribute_names['phonenumber'] = 'Phone Number'
self.entity_attributes['phonenumber.countrycode'] = ''
self.entity_attribute_names['phonenumber.countrycode'] = 'Country Code'
self.entity_attributes['phonenumber.citycode'] = ''
self.entity_attribute_names['phonenumber.citycode'] = 'City Code'
self.entity_attributes['phonenumber.areacode'] = ''
self.entity_attribute_names['phonenumber.areacode'] = 'Area Code'
self.entity_attributes['phonenumber.lastnumbers'] = ''
self.entity_attribute_names['phonenumber.lastnumbers'] = 'Last Digits'
class Phonenumbermobile(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.PhoneNumberMobile'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Phonenumberoffice(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.PhoneNumberOffice'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Phonenumberresidential(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.PhoneNumberResidential'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Phrase(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Phrase'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['text'] = ''
self.entity_attribute_names['text'] = 'Text'
class Affiliation(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Affiliation'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['person.name'] = ''
self.entity_attribute_names['person.name'] = 'Name'
self.entity_attributes['affiliation.network'] = ''
self.entity_attribute_names['affiliation.network'] = 'Network'
self.entity_attributes['affiliation.uid'] = ''
self.entity_attribute_names['affiliation.uid'] = 'UID'
self.entity_attributes['affiliation.profile-url'] = ''
self.entity_attribute_names['affiliation.profile-url'] = 'Profile URL'
class Facebook(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.affiliation.Facebook'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['person.name'] = ''
self.entity_attribute_names['person.name'] = 'Name'
self.entity_attributes['affiliation.network'] = ''
self.entity_attribute_names['affiliation.network'] = 'Network'
self.entity_attributes['affiliation.uid'] = ''
self.entity_attribute_names['affiliation.uid'] = 'UID'
self.entity_attributes['affiliation.profile-url'] = ''
self.entity_attribute_names['affiliation.profile-url'] = 'Profile URL'
class Linkedin(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.affiliation.LinkedIn'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['person.name'] = ''
self.entity_attribute_names['person.name'] = 'Name'
self.entity_attributes['affiliation.network'] = ''
self.entity_attribute_names['affiliation.network'] = 'Network'
class Twitter(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.affiliation.Twitter'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['person.name'] = ''
self.entity_attribute_names['person.name'] = 'Name'
self.entity_attributes['affiliation.network'] = ''
self.entity_attribute_names['affiliation.network'] = 'Network'
self.entity_attributes['affiliation.uid'] = ''
self.entity_attribute_names['affiliation.uid'] = 'UID'
self.entity_attributes['affiliation.profile-url'] = ''
self.entity_attribute_names['affiliation.profile-url'] = 'Profile URL'
self.entity_attributes['twitter.id'] = ''
self.entity_attribute_names['twitter.id'] = 'Twitter ID'
self.entity_attributes['twitter.screen-name'] = ''
self.entity_attribute_names['twitter.screen-name'] = 'Screen Name'
self.entity_attributes['twitter.friendcount'] = ''
self.entity_attribute_names['twitter.friendcount'] = 'Friend Count'
self.entity_attributes['person.fullname'] = ''
self.entity_attribute_names['person.fullname'] = 'Real Name'
class Bankaccount(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.BankAccount'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['bank.accnumber'] = ''
self.entity_attribute_names['bank.accnumber'] = 'Account Number'
self.entity_attributes['bank.name'] = ''
self.entity_attribute_names['bank.name'] = 'Bank'
self.entity_attributes['bank.branch'] = ''
self.entity_attribute_names['bank.branch'] = 'Branch Code'
class Flightnumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.FlightNumber'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['flight.id'] = ''
self.entity_attribute_names['flight.id'] = 'Flight ID'
self.entity_attributes['flight.number'] = ''
self.entity_attribute_names['flight.number'] = 'Flight Number'
self.entity_attributes['flight.airline'] = ''
self.entity_attribute_names['flight.airline'] = 'Airline'
self.entity_attributes['flight.date'] = ''
self.entity_attribute_names['flight.date'] = 'Date'
class Identificationnumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.IdentificationNumber'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['identification.number'] = ''
self.entity_attribute_names['identification.number'] = 'Number'
class Macaddress(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.MacAddress'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['macaddress'] = ''
self.entity_attribute_names['macaddress'] = 'MAC Address'
class Passportnumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.PassportNumber'
self.entity_attributes = {}
self.entity_attribute_names = {}
pass
class Vehicleregistration(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.VehicleRegistration'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['vehicle.registration'] = ''
self.entity_attribute_names['vehicle.registration'] = 'Registration Number'
class Vinnumber(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.VinNumber'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['vinnumber'] = ''
self.entity_attribute_names['vinnumber'] = 'VIN Number'
class Bike(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Bike'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
class Boat(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Boat'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
class Bus(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Bus'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
class Car(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Car'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
class Plane(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Plane'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
class Train(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Train'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
class Transport(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Transport'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['transport.name'] = ''
self.entity_attribute_names['transport.name'] = 'Name'
self.entity_attributes['transport.make'] = ''
self.entity_attribute_names['transport.make'] = 'Make'
self.entity_attributes['transport.model'] = ''
self.entity_attribute_names['transport.model'] = 'Model'
class Ammunition(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Ammunition'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Bioweapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.BioWeapon'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Blade(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Blade'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Chemicalweapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.ChemicalWeapon'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Explosive(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Explosive'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Gun(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Gun'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Ied(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.IED'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Missile(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Missile'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Nuclearweapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.NuclearWeapon'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Weapon(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.Weapon'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Wmd(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'maltego.WMD'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['weapon.type'] = ''
self.entity_attribute_names['weapon.type'] = 'Type'
class Hunchlycase(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'hunchly.HunchlyCase'
self.entity_attributes = {}
self.entity_attribute_names = {}
self.entity_attributes['properties.hunchlycase'] = ''
self.entity_attributes['case_id'] = ''
self.entity_attribute_names['properties.hunchlycase'] = 'Hunchly Case'
self.entity_attribute_names['case_id'] = 'Case ID'
class Hunchlypage(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'hunchly.HunchlyPage'
self.entity_attributes = {'properties.hunchlypage': entity_value, 'page_id': '', 'url': '', 'title': '', 'short-title': ''}
self.entity_attribute_names = {'properties.hunchlypage': 'Hunchly Page', 'page_id': 'Page ID', 'url': 'URL', 'title': 'Title', 'short-title': 'Short Title'}
class Hunchlyphoto(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'hunchly.HunchlyPhoto'
self.entity_attributes = {'properties.hunchlyphoto': entity_value, 'url': '', 'hash': '', 'local_file': ''}
self.entity_attribute_names = {'properties.hunchlyphoto': 'Hunchly Page', 'url': 'URL', 'hash': 'SHA-256', 'local_file': 'Local File'}
class Hunchlyselector(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'hunchly.HunchlySelector'
self.entity_attributes = {'properties.hunchlyselector': entity_value}
self.entity_attribute_names = {'properties.hunchlyselector': 'Hunchly Selector'}
class Hunchlydata(object):
def __init__(self, entity_value):
self.entity_value = entity_value
self.entity_type = 'hunchly.HunchlyData'
self.entity_attributes = {}
self.entity_attribute_names = {}
def convert_entity(transform, entity_obj):
new_entity = transform.addEntity(entity_obj.entity_type, entity_obj.entity_value)
for i in entity_obj.entity_attributes:
new_entity.addAdditionalFields(i, entity_obj.entity_attribute_names[i], False, entity_obj.entity_attributes[i])
new_entity.setValue(entity_obj.entity_value)
return new_entity |
# python3 (this comment tells the grading system at Coursera to use python3 rather than python3)
def sum_of_two_digits(first_digit, second_digit):
assert 0 <= first_digit <= 9 and 0 <= second_digit <= 9
return first_digit + second_digit
if __name__ == '__main__':
a, b = map(int, input().split())
print(sum_of_two_digits(a, b))
| def sum_of_two_digits(first_digit, second_digit):
assert 0 <= first_digit <= 9 and 0 <= second_digit <= 9
return first_digit + second_digit
if __name__ == '__main__':
(a, b) = map(int, input().split())
print(sum_of_two_digits(a, b)) |
for a in range(1,100):
for b in range(1,100):
for c in range(1,100):
if a*a == b*b + c*c:
print(a , b , c)
elif b*b == a*a + c*c:
print(b , a , c)
elif c*c == a*a + b*b:
print(c , a , b) | for a in range(1, 100):
for b in range(1, 100):
for c in range(1, 100):
if a * a == b * b + c * c:
print(a, b, c)
elif b * b == a * a + c * c:
print(b, a, c)
elif c * c == a * a + b * b:
print(c, a, b) |
grid = [[int(x) for x in line] for line in open('input.txt').read().splitlines()]
def dijkstra(grid, start, stop):
distances, temp = {}, {start: 0}
while len(temp)>0:
# set closest point as definite
x,y = min(temp, key=temp.get)
distance = temp.pop((x,y))
distances[(x,y)] = distance
# check if its neighbours are now accessible or closer than before
nbs = [(x+i,y+j) for (i,j) in [(-1,0),(0,-1),(1,0),(0,1)] if 0<=x+i<len(grid) and 0<=y+j<len(grid[0])]
for nb in nbs:
d = distance + grid[nb[0]][nb[1]]
if distances.get(nb, -1)<0 and d<temp.get(nb,float('inf')):
temp[nb] = d
return distances.get(stop)
print(dijkstra(grid, (0,0), (len(grid)-1,len(grid)-1)))
# set up big grid
p2 = [[0]*len(grid)*5 for _ in range(len(grid)*5)]
for x in range(len(p2)):
for y in range(len(p2)):
grid_distance = x//len(grid)+y//len(grid)
value = grid[x%len(grid)][y%len(grid)]
p2[x][y] = value+grid_distance if value+grid_distance < 10 else (value+grid_distance)%9
print(dijkstra(p2, (0,0), (len(p2)-1,len(p2)-1))) | grid = [[int(x) for x in line] for line in open('input.txt').read().splitlines()]
def dijkstra(grid, start, stop):
(distances, temp) = ({}, {start: 0})
while len(temp) > 0:
(x, y) = min(temp, key=temp.get)
distance = temp.pop((x, y))
distances[x, y] = distance
nbs = [(x + i, y + j) for (i, j) in [(-1, 0), (0, -1), (1, 0), (0, 1)] if 0 <= x + i < len(grid) and 0 <= y + j < len(grid[0])]
for nb in nbs:
d = distance + grid[nb[0]][nb[1]]
if distances.get(nb, -1) < 0 and d < temp.get(nb, float('inf')):
temp[nb] = d
return distances.get(stop)
print(dijkstra(grid, (0, 0), (len(grid) - 1, len(grid) - 1)))
p2 = [[0] * len(grid) * 5 for _ in range(len(grid) * 5)]
for x in range(len(p2)):
for y in range(len(p2)):
grid_distance = x // len(grid) + y // len(grid)
value = grid[x % len(grid)][y % len(grid)]
p2[x][y] = value + grid_distance if value + grid_distance < 10 else (value + grid_distance) % 9
print(dijkstra(p2, (0, 0), (len(p2) - 1, len(p2) - 1))) |
class Solution:
def slidingPuzzle(self, board: List[List[int]]) -> int:
# 0 1 2
# 3 4 5
target = '123450'
start = ''.join(map(str, board[0])) + ''.join(map(str, board[1]))
start_idx = start.index('0')
moves = [(1, 3), (0, 2, 4), (1, 5), (0, 4), (1, 3, 5), (2, 4)]
step = 0
levels = {start : 0}
frontier = [(start, start_idx)]
while frontier:
nxt_level = []
for node, idx in frontier:
if node == target:
return levels[node]
chars = list(node)
for nei_idx in moves[idx]:
chars[idx], chars[nei_idx] = chars[nei_idx], chars[idx]
nei = ''.join(chars)
chars[idx], chars[nei_idx] = chars[nei_idx], chars[idx]
if nei not in levels:
levels[nei] = step + 1
nxt_level.append((nei, nei_idx))
frontier = nxt_level
step += 1
return -1
| class Solution:
def sliding_puzzle(self, board: List[List[int]]) -> int:
target = '123450'
start = ''.join(map(str, board[0])) + ''.join(map(str, board[1]))
start_idx = start.index('0')
moves = [(1, 3), (0, 2, 4), (1, 5), (0, 4), (1, 3, 5), (2, 4)]
step = 0
levels = {start: 0}
frontier = [(start, start_idx)]
while frontier:
nxt_level = []
for (node, idx) in frontier:
if node == target:
return levels[node]
chars = list(node)
for nei_idx in moves[idx]:
(chars[idx], chars[nei_idx]) = (chars[nei_idx], chars[idx])
nei = ''.join(chars)
(chars[idx], chars[nei_idx]) = (chars[nei_idx], chars[idx])
if nei not in levels:
levels[nei] = step + 1
nxt_level.append((nei, nei_idx))
frontier = nxt_level
step += 1
return -1 |
# define a class
class Dog(object):
kind = "canine" # class variable
def __init__(self, name):
self.name = name #instance variable
self.tricks = [] #instance variable
def add_trick(self, trick):
self.tricks.append(trick)
# instance of a class
e = Dog('Buddy') #first instance
d = Dog('Fido') #second instance
# call methods using objects e and d
x = object();
e.add_trick('roll over')
d.add_trick('play dead')
# access public property "tricks"
print(e.name, e.tricks)
print(d.name, d.tricks)
| class Dog(object):
kind = 'canine'
def __init__(self, name):
self.name = name
self.tricks = []
def add_trick(self, trick):
self.tricks.append(trick)
e = dog('Buddy')
d = dog('Fido')
x = object()
e.add_trick('roll over')
d.add_trick('play dead')
print(e.name, e.tricks)
print(d.name, d.tricks) |
""" Constant Module of device status """
STATUS_BROKEN=-1
STATUS_UNKNOWN=0
STATUS_WAIT=1
STATUS_RUNNING=2
STATUS_CHARGING=3
STATUS_AUTOPROTECT=4
| """ Constant Module of device status """
status_broken = -1
status_unknown = 0
status_wait = 1
status_running = 2
status_charging = 3
status_autoprotect = 4 |
def main(context):
session = context.session
session.execute("INSERT INTO test (id, name) values (1, 'jon')")
| def main(context):
session = context.session
session.execute("INSERT INTO test (id, name) values (1, 'jon')") |
class ErrorTrapTransport(Exception):
pass
class ConfigNotFoundError(Exception):
pass
class ConfigNotParsedError(Exception):
pass
class MibCompileError(Exception):
pass
class MibCompileFailed(Exception):
pass
class FilterPathError(Exception):
pass
class FilterProcessError(Exception):
pass
class FilterParseError(Exception):
pass
class FilterSaveError(Exception):
pass | class Errortraptransport(Exception):
pass
class Confignotfounderror(Exception):
pass
class Confignotparsederror(Exception):
pass
class Mibcompileerror(Exception):
pass
class Mibcompilefailed(Exception):
pass
class Filterpatherror(Exception):
pass
class Filterprocesserror(Exception):
pass
class Filterparseerror(Exception):
pass
class Filtersaveerror(Exception):
pass |
"""Adds repostories/archives."""
########################################################################
# DO NOT EDIT THIS FILE unless you are inside the
# https://github.com/3rdparty/stout-flags repository. If you
# encounter it anywhere else it is because it has been copied there in
# order to simplify adding transitive dependencies. If you want a
# different version of stout-flags follow the Bazel build
# instructions at https://github.com/3rdparty/stout-flags.
########################################################################
load("@bazel_tools//tools/build_defs/repo:git.bzl", "git_repository")
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
load("@bazel_tools//tools/build_defs/repo:utils.bzl", "maybe")
def repos(external = True, repo_mapping = {}):
maybe(
http_archive,
name = "com_google_protobuf",
strip_prefix = "protobuf-3.19.1",
urls = [
"https://mirror.bazel.build/github.com/protocolbuffers/protobuf/archive/v3.19.1.tar.gz",
"https://github.com/protocolbuffers/protobuf/archive/v3.19.1.tar.gz",
],
sha256 = "87407cd28e7a9c95d9f61a098a53cf031109d451a7763e7dd1253abf8b4df422",
repo_mapping = repo_mapping,
)
if external:
maybe(
git_repository,
name = "com_github_3rdparty_stout_flags",
remote = "https://github.com/3rdparty/stout-flags",
commit = "67fbda639d346b8dfc5794eff4d82da28ecbedb7",
shallow_since = "1651131019 +0000",
repo_mapping = repo_mapping,
)
| """Adds repostories/archives."""
load('@bazel_tools//tools/build_defs/repo:git.bzl', 'git_repository')
load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive')
load('@bazel_tools//tools/build_defs/repo:utils.bzl', 'maybe')
def repos(external=True, repo_mapping={}):
maybe(http_archive, name='com_google_protobuf', strip_prefix='protobuf-3.19.1', urls=['https://mirror.bazel.build/github.com/protocolbuffers/protobuf/archive/v3.19.1.tar.gz', 'https://github.com/protocolbuffers/protobuf/archive/v3.19.1.tar.gz'], sha256='87407cd28e7a9c95d9f61a098a53cf031109d451a7763e7dd1253abf8b4df422', repo_mapping=repo_mapping)
if external:
maybe(git_repository, name='com_github_3rdparty_stout_flags', remote='https://github.com/3rdparty/stout-flags', commit='67fbda639d346b8dfc5794eff4d82da28ecbedb7', shallow_since='1651131019 +0000', repo_mapping=repo_mapping) |
H,W,*A = [x for x in open(0).read().split()]
H=int(H)
W=int(W)
whites=[0]*W
for a in A:
for i,c in enumerate(a):
if c=='.':
whites[i]+=1
checks=[white != H for white in whites]
wline='.'*W
for a in A:
if a == wline:
continue
print(''.join([c for i,c in enumerate(a) if checks[i]]))
| (h, w, *a) = [x for x in open(0).read().split()]
h = int(H)
w = int(W)
whites = [0] * W
for a in A:
for (i, c) in enumerate(a):
if c == '.':
whites[i] += 1
checks = [white != H for white in whites]
wline = '.' * W
for a in A:
if a == wline:
continue
print(''.join([c for (i, c) in enumerate(a) if checks[i]])) |
#
# PySNMP MIB module HARMONIC-INC-NSG9000-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HARMONIC-INC-NSG9000-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:11:45 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint")
entPhysicalIndex, = mibBuilder.importSymbols("ENTITY-MIB", "entPhysicalIndex")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Bits, enterprises, Integer32, Unsigned32, iso, Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, ObjectIdentity, IpAddress, MibIdentifier, NotificationType, Gauge32, NotificationType, Counter32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "enterprises", "Integer32", "Unsigned32", "iso", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "ObjectIdentity", "IpAddress", "MibIdentifier", "NotificationType", "Gauge32", "NotificationType", "Counter32", "TimeTicks")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
harmonicInc = MibIdentifier((1, 3, 6, 1, 4, 1, 1563))
hOids = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1))
hObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 2))
hTrapFields = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 3))
hModuleOids = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1))
hSystemOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 1))
hPlatformOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 2))
hGbePortOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 3))
hSlotOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 4))
hRfModuleOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 5))
hRfPortOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 6))
hQamChannelOid = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 7))
hSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 2, 1))
hTrapTimeLastGenerated = MibScalar((1, 3, 6, 1, 4, 1, 1563, 2, 1, 3), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hTrapTimeLastGenerated.setStatus('mandatory')
hTrapForwardTable = MibTable((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4), )
if mibBuilder.loadTexts: hTrapForwardTable.setStatus('mandatory')
hTrapForwardEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4, 1), ).setIndexNames((0, "HARMONIC-INC-NSG9000-MIB", "hTrapDestAddr"))
if mibBuilder.loadTexts: hTrapForwardEntry.setStatus('mandatory')
hTrapDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hTrapDestAddr.setStatus('mandatory')
hTrapDestAddrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 4, 6))).clone(namedValues=NamedValues(("active", 1), ("createAndGo", 4), ("destroy", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hTrapDestAddrStatus.setStatus('mandatory')
hAlarmStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 3, 1))
hAlarmSeverity = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 3, 2))
hAlarmDesc = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 3, 3))
hTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 1563, 1, 2))
hPlatformTempFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,1)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformVoltageFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,2)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformFan1FailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,3)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformFan2FailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,4)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformFan3FailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,5)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformFan4FailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,6)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformPS1VoltageFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,7)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformPS2VoltageFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,8)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformR6ConnLossTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,9)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPlatformD6ConnLossTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,10)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hGbePortLinkDownTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,11)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hRfModuleHwFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,12)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hRfModuleTempFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,13)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hRfPortHwFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,14)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hRfPortTempFailTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,15)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hQamChanneOverflowTrap = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,16)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hServicePatMissing = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,17)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hServicePmtMissing = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,18)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hSwitchToAlternateSource = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,19)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPassThroughSourceFailure = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,20)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hPidRemuxSourceFailure = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,21)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hDtiCardMissing = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,22)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hMcECMMissing = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,23)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hMcECMNearingExpiration = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,24)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hMcECMExpired = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,25)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hDtiClientLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,26)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
hDtiClientNotLocked = NotificationType((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0,27)).setObjects(("HARMONIC-INC-NSG9000-MIB", "hAlarmStatus"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmSeverity"), ("HARMONIC-INC-NSG9000-MIB", "hAlarmDesc"), ("ENTITY-MIB", "entPhysicalIndex"))
mibBuilder.exportSymbols("HARMONIC-INC-NSG9000-MIB", hTrapTimeLastGenerated=hTrapTimeLastGenerated, hGbePortOid=hGbePortOid, hTrapFields=hTrapFields, hRfPortOid=hRfPortOid, hObjects=hObjects, hServicePatMissing=hServicePatMissing, hGbePortLinkDownTrap=hGbePortLinkDownTrap, hQamChannelOid=hQamChannelOid, hModuleOids=hModuleOids, hDtiClientNotLocked=hDtiClientNotLocked, hPlatformOid=hPlatformOid, hServicePmtMissing=hServicePmtMissing, hPlatformFan2FailTrap=hPlatformFan2FailTrap, hAlarmSeverity=hAlarmSeverity, hRfModuleOid=hRfModuleOid, hPlatformPS1VoltageFailTrap=hPlatformPS1VoltageFailTrap, hRfPortHwFailTrap=hRfPortHwFailTrap, hSwitchToAlternateSource=hSwitchToAlternateSource, hMcECMNearingExpiration=hMcECMNearingExpiration, hSystem=hSystem, hMcECMMissing=hMcECMMissing, hPlatformTempFailTrap=hPlatformTempFailTrap, hPlatformVoltageFailTrap=hPlatformVoltageFailTrap, harmonicInc=harmonicInc, hPlatformFan1FailTrap=hPlatformFan1FailTrap, hQamChanneOverflowTrap=hQamChanneOverflowTrap, hMcECMExpired=hMcECMExpired, hPlatformFan3FailTrap=hPlatformFan3FailTrap, hPlatformD6ConnLossTrap=hPlatformD6ConnLossTrap, hTrapDestAddrStatus=hTrapDestAddrStatus, hTrapForwardEntry=hTrapForwardEntry, hPlatformFan4FailTrap=hPlatformFan4FailTrap, hRfModuleTempFailTrap=hRfModuleTempFailTrap, hPidRemuxSourceFailure=hPidRemuxSourceFailure, hTrapForwardTable=hTrapForwardTable, hPlatformPS2VoltageFailTrap=hPlatformPS2VoltageFailTrap, hRfModuleHwFailTrap=hRfModuleHwFailTrap, hTraps=hTraps, hSlotOid=hSlotOid, hAlarmStatus=hAlarmStatus, hPlatformR6ConnLossTrap=hPlatformR6ConnLossTrap, hOids=hOids, hAlarmDesc=hAlarmDesc, hRfPortTempFailTrap=hRfPortTempFailTrap, hPassThroughSourceFailure=hPassThroughSourceFailure, hDtiCardMissing=hDtiCardMissing, hSystemOid=hSystemOid, hTrapDestAddr=hTrapDestAddr, hDtiClientLinkDown=hDtiClientLinkDown)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, constraints_union, constraints_intersection, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint')
(ent_physical_index,) = mibBuilder.importSymbols('ENTITY-MIB', 'entPhysicalIndex')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(bits, enterprises, integer32, unsigned32, iso, counter64, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, object_identity, ip_address, mib_identifier, notification_type, gauge32, notification_type, counter32, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'enterprises', 'Integer32', 'Unsigned32', 'iso', 'Counter64', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'ObjectIdentity', 'IpAddress', 'MibIdentifier', 'NotificationType', 'Gauge32', 'NotificationType', 'Counter32', 'TimeTicks')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
harmonic_inc = mib_identifier((1, 3, 6, 1, 4, 1, 1563))
h_oids = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1))
h_objects = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 2))
h_trap_fields = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 3))
h_module_oids = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1))
h_system_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 1))
h_platform_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 2))
h_gbe_port_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 3))
h_slot_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 4))
h_rf_module_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 5))
h_rf_port_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 6))
h_qam_channel_oid = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 1, 7))
h_system = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 2, 1))
h_trap_time_last_generated = mib_scalar((1, 3, 6, 1, 4, 1, 1563, 2, 1, 3), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hTrapTimeLastGenerated.setStatus('mandatory')
h_trap_forward_table = mib_table((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4))
if mibBuilder.loadTexts:
hTrapForwardTable.setStatus('mandatory')
h_trap_forward_entry = mib_table_row((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4, 1)).setIndexNames((0, 'HARMONIC-INC-NSG9000-MIB', 'hTrapDestAddr'))
if mibBuilder.loadTexts:
hTrapForwardEntry.setStatus('mandatory')
h_trap_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hTrapDestAddr.setStatus('mandatory')
h_trap_dest_addr_status = mib_table_column((1, 3, 6, 1, 4, 1, 1563, 2, 1, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 4, 6))).clone(namedValues=named_values(('active', 1), ('createAndGo', 4), ('destroy', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hTrapDestAddrStatus.setStatus('mandatory')
h_alarm_status = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 3, 1))
h_alarm_severity = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 3, 2))
h_alarm_desc = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 3, 3))
h_traps = mib_identifier((1, 3, 6, 1, 4, 1, 1563, 1, 2))
h_platform_temp_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 1)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_voltage_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 2)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_fan1_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 3)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_fan2_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 4)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_fan3_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 5)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_fan4_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 6)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_ps1_voltage_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 7)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_ps2_voltage_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 8)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_r6_conn_loss_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 9)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_platform_d6_conn_loss_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 10)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_gbe_port_link_down_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 11)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_rf_module_hw_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 12)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_rf_module_temp_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 13)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_rf_port_hw_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 14)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_rf_port_temp_fail_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 15)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_qam_channe_overflow_trap = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 16)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_service_pat_missing = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 17)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_service_pmt_missing = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 18)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_switch_to_alternate_source = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 19)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_pass_through_source_failure = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 20)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_pid_remux_source_failure = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 21)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_dti_card_missing = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 22)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_mc_ecm_missing = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 23)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_mc_ecm_nearing_expiration = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 24)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_mc_ecm_expired = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 25)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_dti_client_link_down = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 26)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
h_dti_client_not_locked = notification_type((1, 3, 6, 1, 4, 1, 1563, 1, 2) + (0, 27)).setObjects(('HARMONIC-INC-NSG9000-MIB', 'hAlarmStatus'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmSeverity'), ('HARMONIC-INC-NSG9000-MIB', 'hAlarmDesc'), ('ENTITY-MIB', 'entPhysicalIndex'))
mibBuilder.exportSymbols('HARMONIC-INC-NSG9000-MIB', hTrapTimeLastGenerated=hTrapTimeLastGenerated, hGbePortOid=hGbePortOid, hTrapFields=hTrapFields, hRfPortOid=hRfPortOid, hObjects=hObjects, hServicePatMissing=hServicePatMissing, hGbePortLinkDownTrap=hGbePortLinkDownTrap, hQamChannelOid=hQamChannelOid, hModuleOids=hModuleOids, hDtiClientNotLocked=hDtiClientNotLocked, hPlatformOid=hPlatformOid, hServicePmtMissing=hServicePmtMissing, hPlatformFan2FailTrap=hPlatformFan2FailTrap, hAlarmSeverity=hAlarmSeverity, hRfModuleOid=hRfModuleOid, hPlatformPS1VoltageFailTrap=hPlatformPS1VoltageFailTrap, hRfPortHwFailTrap=hRfPortHwFailTrap, hSwitchToAlternateSource=hSwitchToAlternateSource, hMcECMNearingExpiration=hMcECMNearingExpiration, hSystem=hSystem, hMcECMMissing=hMcECMMissing, hPlatformTempFailTrap=hPlatformTempFailTrap, hPlatformVoltageFailTrap=hPlatformVoltageFailTrap, harmonicInc=harmonicInc, hPlatformFan1FailTrap=hPlatformFan1FailTrap, hQamChanneOverflowTrap=hQamChanneOverflowTrap, hMcECMExpired=hMcECMExpired, hPlatformFan3FailTrap=hPlatformFan3FailTrap, hPlatformD6ConnLossTrap=hPlatformD6ConnLossTrap, hTrapDestAddrStatus=hTrapDestAddrStatus, hTrapForwardEntry=hTrapForwardEntry, hPlatformFan4FailTrap=hPlatformFan4FailTrap, hRfModuleTempFailTrap=hRfModuleTempFailTrap, hPidRemuxSourceFailure=hPidRemuxSourceFailure, hTrapForwardTable=hTrapForwardTable, hPlatformPS2VoltageFailTrap=hPlatformPS2VoltageFailTrap, hRfModuleHwFailTrap=hRfModuleHwFailTrap, hTraps=hTraps, hSlotOid=hSlotOid, hAlarmStatus=hAlarmStatus, hPlatformR6ConnLossTrap=hPlatformR6ConnLossTrap, hOids=hOids, hAlarmDesc=hAlarmDesc, hRfPortTempFailTrap=hRfPortTempFailTrap, hPassThroughSourceFailure=hPassThroughSourceFailure, hDtiCardMissing=hDtiCardMissing, hSystemOid=hSystemOid, hTrapDestAddr=hTrapDestAddr, hDtiClientLinkDown=hDtiClientLinkDown) |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Settings for analysis setup
The information set here
"""
raise NotImplementedError('work in progress...')
#: Base directory for output storage
OUT_BASE = './output/'
# alternative ts_types in case one of the provided in setup is not in dataset
TS_TYPE_READ_ALT = {'daily' : ['hourly', '3hourly'],
'monthly' : ['daily', 'hourly', '3hourly']}
# Todo: put this into class
TS_TYPE_SETUP = dict(monthly=['monthly', 'yearly'],
daily = ['monthly', 'yearly'],
read_alt=TS_TYPE_READ_ALT)
# Years to be analysed
YEARS = sorted([2008, 2010])
#: Insert here the observation networks (keys) and corresponding variables to
#: be analysed
OBS_INFO = {
'AeronetSunV3Lev2.daily' : ['od550aer',
'ang4487aer'],
'AeronetSDAV3Lev2.daily' : ['od550lt1aer',
'od550gt1aer'],
'AeronetInvV3Lev2.daily' : ['abs550aer'],
'MODIS6.terra' : ['od550aer'],
'MODIS6.aqua' : ['od550aer']
}
# =============================================================================
# OBS_INFO = {'EBASMC' : ['absc550aer',
# 'scatc550aer']}
# =============================================================================
OBS_IDS = list(OBS_INFO.keys())
FILTER = 'WORLD-noMOUNTAINS'
| """
Settings for analysis setup
The information set here
"""
raise not_implemented_error('work in progress...')
out_base = './output/'
ts_type_read_alt = {'daily': ['hourly', '3hourly'], 'monthly': ['daily', 'hourly', '3hourly']}
ts_type_setup = dict(monthly=['monthly', 'yearly'], daily=['monthly', 'yearly'], read_alt=TS_TYPE_READ_ALT)
years = sorted([2008, 2010])
obs_info = {'AeronetSunV3Lev2.daily': ['od550aer', 'ang4487aer'], 'AeronetSDAV3Lev2.daily': ['od550lt1aer', 'od550gt1aer'], 'AeronetInvV3Lev2.daily': ['abs550aer'], 'MODIS6.terra': ['od550aer'], 'MODIS6.aqua': ['od550aer']}
obs_ids = list(OBS_INFO.keys())
filter = 'WORLD-noMOUNTAINS' |
# status: testado com exemplos da prova
if __name__ == '__main__':
N = input()
values = [int(x) for x in input().split()]
max_record = 0
last_record = 0
last_value = 0
for value in values:
last_record += 1
if not value == last_value:
last_record = 1
max_record = last_record if last_record > max_record else max_record
last_value = value
print(max_record)
| if __name__ == '__main__':
n = input()
values = [int(x) for x in input().split()]
max_record = 0
last_record = 0
last_value = 0
for value in values:
last_record += 1
if not value == last_value:
last_record = 1
max_record = last_record if last_record > max_record else max_record
last_value = value
print(max_record) |
"""
Definition of TreeNode:
class TreeNode:
def __init__(self, val):
self.val = val
self.left, self.right = None, None
"""
class Solution:
"""
@param root: param root: The root of the binary search tree
@param k1: An integer
@param k2: An integer
@return: return: Return all keys that k1<=key<=k2 in ascending order
"""
def searchRange(self, root, k1, k2):
# write your code here
ret = []
self.search(root, k1, k2, ret)
return ret
def search(self, root, k1, k2, ret):
if root is None:
return
if root.val > k2:
self.search(root.left, k1, k2, ret)
elif root.val < k1:
self.search(root.right, k1, k2, ret)
else:
self.search(root.left, k1, k2, ret)
ret.append(root.val)
self.search(root.right, k1, k2, ret)
| """
Definition of TreeNode:
class TreeNode:
def __init__(self, val):
self.val = val
self.left, self.right = None, None
"""
class Solution:
"""
@param root: param root: The root of the binary search tree
@param k1: An integer
@param k2: An integer
@return: return: Return all keys that k1<=key<=k2 in ascending order
"""
def search_range(self, root, k1, k2):
ret = []
self.search(root, k1, k2, ret)
return ret
def search(self, root, k1, k2, ret):
if root is None:
return
if root.val > k2:
self.search(root.left, k1, k2, ret)
elif root.val < k1:
self.search(root.right, k1, k2, ret)
else:
self.search(root.left, k1, k2, ret)
ret.append(root.val)
self.search(root.right, k1, k2, ret) |
"""Fantasy Game Inventory."""
stuff = {'rope': 1, 'torch': 6, 'gold coin': 42,
'dagger': 1, 'arrow': 12, 'map fragments': 3}
def display_inventory(inventory):
"""Print contents and total number of items in inventory."""
print('Inventory:')
item_total = 0
for k, v in inventory.items():
print(str(v) + ' ' + k)
item_total += v
print('Total number of items : ' + str(item_total))
display_inventory(stuff)
print() # For display reasons when running both projects
"""List to Dictionary Function for Fantasy Game Inventory"""
def add_to_inventory(inventory, added_items):
"""Combine a list of loot with an inventory."""
for loot in added_items:
inventory.setdefault(loot, 0)
inventory[loot] += 1
return(inventory)
inv = {'gold coin': 42, 'rope': 1}
dragon_loot = ['gold coin', 'dagger', 'gold coin', 'gold coin', 'ruby']
inv = add_to_inventory(inv, dragon_loot)
display_inventory(inv)
| """Fantasy Game Inventory."""
stuff = {'rope': 1, 'torch': 6, 'gold coin': 42, 'dagger': 1, 'arrow': 12, 'map fragments': 3}
def display_inventory(inventory):
"""Print contents and total number of items in inventory."""
print('Inventory:')
item_total = 0
for (k, v) in inventory.items():
print(str(v) + ' ' + k)
item_total += v
print('Total number of items : ' + str(item_total))
display_inventory(stuff)
print()
'List to Dictionary Function for Fantasy Game Inventory'
def add_to_inventory(inventory, added_items):
"""Combine a list of loot with an inventory."""
for loot in added_items:
inventory.setdefault(loot, 0)
inventory[loot] += 1
return inventory
inv = {'gold coin': 42, 'rope': 1}
dragon_loot = ['gold coin', 'dagger', 'gold coin', 'gold coin', 'ruby']
inv = add_to_inventory(inv, dragon_loot)
display_inventory(inv) |
class Solution:
def numIslands(self, grid):
"""
:type grid: List[List[str]]
:rtype: int
"""
if not grid:
return 0
if not len(grid[0]):
return 0
visited = [[0 for i in range(len(grid[0]))] for j in range(len(grid))]
result = 0
for i in range(len(grid)):
for j in range(len(grid[0])):
if grid[i][j] == '1':
if self.dfs(i, j, grid, visited) > 0:
result += 1
return result
def dfs(self, i, j, grid, visited):
if 0 <= i < len(grid) and 0 <= j < len(grid[0]):
if visited[i][j] or grid[i][j] == '0':
return 0
result = 1
visited[i][j] = 1
result += self.dfs(i + 1, j, grid, visited)
result += self.dfs(i - 1, j, grid, visited)
result += self.dfs(i, j + 1, grid, visited)
result += self.dfs(i, j - 1, grid, visited)
return result
else:
return 0
# print(Solution().numIslands([["1","1","0","0","0"],["1","1","0","0","0"],["0","0","1","0","0"],["0","0","0","1","1"]]))
| class Solution:
def num_islands(self, grid):
"""
:type grid: List[List[str]]
:rtype: int
"""
if not grid:
return 0
if not len(grid[0]):
return 0
visited = [[0 for i in range(len(grid[0]))] for j in range(len(grid))]
result = 0
for i in range(len(grid)):
for j in range(len(grid[0])):
if grid[i][j] == '1':
if self.dfs(i, j, grid, visited) > 0:
result += 1
return result
def dfs(self, i, j, grid, visited):
if 0 <= i < len(grid) and 0 <= j < len(grid[0]):
if visited[i][j] or grid[i][j] == '0':
return 0
result = 1
visited[i][j] = 1
result += self.dfs(i + 1, j, grid, visited)
result += self.dfs(i - 1, j, grid, visited)
result += self.dfs(i, j + 1, grid, visited)
result += self.dfs(i, j - 1, grid, visited)
return result
else:
return 0 |
P = 1000000007 # edit this
Q = 2210070043 # edit this
N = P * Q
print(f"N={N} -- tell Bob this")
Z = (P - 1) * (Q - 1)
print(f"Z={Z}")
print("Pick a different number between 1 and Z")
E = 49979693 # edit this to be a different prime number between 1 and Z
print(f"E={E} (public key)")
D = pow(E, -1, Z)
print(f"D={D} (private key)")
C = 653470184995596571 # edit this - this is the message that Bob sends you
M = pow(C, D, N)
print(f"Secret message M = {M}")
| p = 1000000007
q = 2210070043
n = P * Q
print(f'N={N} -- tell Bob this')
z = (P - 1) * (Q - 1)
print(f'Z={Z}')
print('Pick a different number between 1 and Z')
e = 49979693
print(f'E={E} (public key)')
d = pow(E, -1, Z)
print(f'D={D} (private key)')
c = 653470184995596571
m = pow(C, D, N)
print(f'Secret message M = {M}') |
# -*- coding: utf-8 -*-
"""
Created on Wed Sep 21 11:52:34 2016
@author: WELG
"""
#####################################
# EXAMPLE: Towers of Hanoi
#####################################
def printMove(fr, to):
print('move from ' + str(fr) + ' to ' + str(to))
def Towers(n, fr, to, spare):
if n == 1:
printMove(fr, to)
else:
Towers(n-1, fr, spare, to)
Towers(1, fr, to, spare)
Towers(n-1, spare, to, fr)
#print(Towers(4, 'P1', 'P2', 'P3'))
#####################################
# EXAMPLE: fibonacci
#####################################
def fib(x):
"""assumes x an int >= 0
returns Fibonacci of x"""
if x == 0 or x == 1:
return 1
else:
return fib(x-1) + fib(x-2)
#####################################
# EXAMPLE: testing for palindromes
#####################################
def isPalindrome(s):
def toChars(s):
s = s.lower()
ans = ''
for c in s:
if c in 'abcdefghijklmnopqrstuvwxyz':
ans = ans + c
return ans
def isPal(s):
if len(s) <= 1:
return True
else:
return s[0] == s[-1] and isPal(s[1:-1])
return isPal(toChars(s))
#print(isPalindrome('eve'))
#
#print(isPalindrome('Able was I, ere I saw Elba'))
#
#print(isPalindrome('Is this a palindrome'))
#####################################
# EXAMPLE: using dictionaries
# counting frequencies of words in song lyrics
#####################################
def lyrics_to_frequencies(lyrics):
myDict = {}
for word in lyrics:
if word in myDict:
myDict[word] += 1
else:
myDict[word] = 1
return myDict
she_loves_you = ['she', 'loves', 'you', 'yeah', 'yeah',
'yeah','she', 'loves', 'you', 'yeah', 'yeah', 'yeah',
'she', 'loves', 'you', 'yeah', 'yeah', 'yeah',
'you', 'think', "you've", 'lost', 'your', 'love',
'well', 'i', 'saw', 'her', 'yesterday-yi-yay',
"it's", 'you', "she's", 'thinking', 'of',
'and', 'she', 'told', 'me', 'what', 'to', 'say-yi-yay',
'she', 'says', 'she', 'loves', 'you',
'and', 'you', 'know', 'that', "can't", 'be', 'bad',
'yes', 'she', 'loves', 'you',
'and', 'you', 'know', 'you', 'should', 'be', 'glad',
'she', 'said', 'you', 'hurt', 'her', 'so',
'she', 'almost', 'lost', 'her', 'mind',
'and', 'now', 'she', 'says', 'she', 'knows',
"you're", 'not', 'the', 'hurting', 'kind',
'she', 'says', 'she', 'loves', 'you',
'and', 'you', 'know', 'that', "can't", 'be', 'bad',
'yes', 'she', 'loves', 'you',
'and', 'you', 'know', 'you', 'should', 'be', 'glad',
'oo', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah',
'she', 'loves', 'you', 'yeah', 'yeah', 'yeah',
'with', 'a', 'love', 'like', 'that',
'you', 'know', 'you', 'should', 'be', 'glad',
'you', 'know', "it's", 'up', 'to', 'you',
'i', 'think', "it's", 'only', 'fair',
'pride', 'can', 'hurt', 'you', 'too',
'pologize', 'to', 'her',
'Because', 'she', 'loves', 'you',
'and', 'you', 'know', 'that', "can't", 'be', 'bad',
'Yes', 'she', 'loves', 'you',
'and', 'you', 'know', 'you', 'should', 'be', 'glad',
'oo', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah',
'she', 'loves', 'you', 'yeah', 'yeah', 'yeah',
'with', 'a', 'love', 'like', 'that',
'you', 'know', 'you', 'should', 'be', 'glad',
'with', 'a', 'love', 'like', 'that',
'you', 'know', 'you', 'should', 'be', 'glad',
'with', 'a', 'love', 'like', 'that',
'you', 'know', 'you', 'should', 'be', 'glad',
'yeah', 'yeah', 'yeah',
'yeah', 'yeah', 'yeah', 'yeah'
]
beatles = lyrics_to_frequencies(she_loves_you)
def most_common_words(freqs):
best = max(freqs.values())
words = []
for k in freqs:
if freqs[k] == best:
words.append(k)
return (words, best)
def words_often(freqs, minTimes):
result = []
done = False
while not done:
temp = most_common_words(freqs)
if temp[1] >= minTimes:
result.append(temp)
for w in temp[0]:
del(freqs[w]) #remove word from dict
else:
done = True
return result
#print(words_often(beatles, 10))
#####################################
# EXAMPLE: comparing fibonacci using memoization
#####################################
def fib(n):
if n == 1:
return 1
elif n == 2:
return 2
else:
print(fib(n-1) + fib(n-2))
return fib(n-1) + fib(n-2)
def fib_efficient(n, d):
if n in d:
return d[n]
else:
ans = fib_efficient(n-1, d)+fib_efficient(n-2, d)
d[n] = ans
return ans
d = {1:1, 2:2}
argToUse = 34
print("")
print('using fib')
print(fib(argToUse))
print("")
print('using fib_efficient')
print(fib_efficient(argToUse, d))
| """
Created on Wed Sep 21 11:52:34 2016
@author: WELG
"""
def print_move(fr, to):
print('move from ' + str(fr) + ' to ' + str(to))
def towers(n, fr, to, spare):
if n == 1:
print_move(fr, to)
else:
towers(n - 1, fr, spare, to)
towers(1, fr, to, spare)
towers(n - 1, spare, to, fr)
def fib(x):
"""assumes x an int >= 0
returns Fibonacci of x"""
if x == 0 or x == 1:
return 1
else:
return fib(x - 1) + fib(x - 2)
def is_palindrome(s):
def to_chars(s):
s = s.lower()
ans = ''
for c in s:
if c in 'abcdefghijklmnopqrstuvwxyz':
ans = ans + c
return ans
def is_pal(s):
if len(s) <= 1:
return True
else:
return s[0] == s[-1] and is_pal(s[1:-1])
return is_pal(to_chars(s))
def lyrics_to_frequencies(lyrics):
my_dict = {}
for word in lyrics:
if word in myDict:
myDict[word] += 1
else:
myDict[word] = 1
return myDict
she_loves_you = ['she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'you', 'think', "you've", 'lost', 'your', 'love', 'well', 'i', 'saw', 'her', 'yesterday-yi-yay', "it's", 'you', "she's", 'thinking', 'of', 'and', 'she', 'told', 'me', 'what', 'to', 'say-yi-yay', 'she', 'says', 'she', 'loves', 'you', 'and', 'you', 'know', 'that', "can't", 'be', 'bad', 'yes', 'she', 'loves', 'you', 'and', 'you', 'know', 'you', 'should', 'be', 'glad', 'she', 'said', 'you', 'hurt', 'her', 'so', 'she', 'almost', 'lost', 'her', 'mind', 'and', 'now', 'she', 'says', 'she', 'knows', "you're", 'not', 'the', 'hurting', 'kind', 'she', 'says', 'she', 'loves', 'you', 'and', 'you', 'know', 'that', "can't", 'be', 'bad', 'yes', 'she', 'loves', 'you', 'and', 'you', 'know', 'you', 'should', 'be', 'glad', 'oo', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'with', 'a', 'love', 'like', 'that', 'you', 'know', 'you', 'should', 'be', 'glad', 'you', 'know', "it's", 'up', 'to', 'you', 'i', 'think', "it's", 'only', 'fair', 'pride', 'can', 'hurt', 'you', 'too', 'pologize', 'to', 'her', 'Because', 'she', 'loves', 'you', 'and', 'you', 'know', 'that', "can't", 'be', 'bad', 'Yes', 'she', 'loves', 'you', 'and', 'you', 'know', 'you', 'should', 'be', 'glad', 'oo', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'she', 'loves', 'you', 'yeah', 'yeah', 'yeah', 'with', 'a', 'love', 'like', 'that', 'you', 'know', 'you', 'should', 'be', 'glad', 'with', 'a', 'love', 'like', 'that', 'you', 'know', 'you', 'should', 'be', 'glad', 'with', 'a', 'love', 'like', 'that', 'you', 'know', 'you', 'should', 'be', 'glad', 'yeah', 'yeah', 'yeah', 'yeah', 'yeah', 'yeah', 'yeah']
beatles = lyrics_to_frequencies(she_loves_you)
def most_common_words(freqs):
best = max(freqs.values())
words = []
for k in freqs:
if freqs[k] == best:
words.append(k)
return (words, best)
def words_often(freqs, minTimes):
result = []
done = False
while not done:
temp = most_common_words(freqs)
if temp[1] >= minTimes:
result.append(temp)
for w in temp[0]:
del freqs[w]
else:
done = True
return result
def fib(n):
if n == 1:
return 1
elif n == 2:
return 2
else:
print(fib(n - 1) + fib(n - 2))
return fib(n - 1) + fib(n - 2)
def fib_efficient(n, d):
if n in d:
return d[n]
else:
ans = fib_efficient(n - 1, d) + fib_efficient(n - 2, d)
d[n] = ans
return ans
d = {1: 1, 2: 2}
arg_to_use = 34
print('')
print('using fib')
print(fib(argToUse))
print('')
print('using fib_efficient')
print(fib_efficient(argToUse, d)) |
class FileHandler:
"""read input from file and provide states
read state sequence and print out output file"""
def __init__(self,filename):
self.filename=filename
self.testcases=0
self.train_num=[] #list or single value let it be list for now
self.content=None #check1
def readFile(self):
with open(self.filename) as input_file:
self.content=input_file.readlines()
self.testcases=int(self.content[0].strip()) #check2
self.content=self.content[1:]
def getInitialState(self):
if self.content!=[]:
lines10=self.content[:10]
initial_state=[]
self.train_num.append(str(self.content[0].strip()))
lines10=lines10[1:-1]
y=8
def pairwise(iterable):
a=iter(iterable)
return zip(a,a)
for line in lines10:
s=list("".join(line.split())) # s of form '----BK----' spaces and new lines gone ##CHECK SCOPE##
l=[]
for u,v in pairwise(s):
l.append(u+v)
#check for list index return value use try except here get positions for
#WK, BK and WR and add them to initial_state and return it
try:
if 'BK' in l:
initial_state.append((l.index('BK')+1,y))
if 'WR' in l:
initial_state.append((l.index('WR')+1,y,'R'))
if 'WK' in l:
initial_state.append((l.index('WK')+1,y,'K'))
except ValueError:
pass
y-=1
self.content=self.content[10:] #awesome so far
#we have to make sure bk is first
return [m for m in initial_state if len(m)==2]+[n for n in initial_state if len(n)==3]
else:
return 'no more file content'
| class Filehandler:
"""read input from file and provide states
read state sequence and print out output file"""
def __init__(self, filename):
self.filename = filename
self.testcases = 0
self.train_num = []
self.content = None
def read_file(self):
with open(self.filename) as input_file:
self.content = input_file.readlines()
self.testcases = int(self.content[0].strip())
self.content = self.content[1:]
def get_initial_state(self):
if self.content != []:
lines10 = self.content[:10]
initial_state = []
self.train_num.append(str(self.content[0].strip()))
lines10 = lines10[1:-1]
y = 8
def pairwise(iterable):
a = iter(iterable)
return zip(a, a)
for line in lines10:
s = list(''.join(line.split()))
l = []
for (u, v) in pairwise(s):
l.append(u + v)
try:
if 'BK' in l:
initial_state.append((l.index('BK') + 1, y))
if 'WR' in l:
initial_state.append((l.index('WR') + 1, y, 'R'))
if 'WK' in l:
initial_state.append((l.index('WK') + 1, y, 'K'))
except ValueError:
pass
y -= 1
self.content = self.content[10:]
return [m for m in initial_state if len(m) == 2] + [n for n in initial_state if len(n) == 3]
else:
return 'no more file content' |
# TODO add linters, automated tests, etc
def gos_py_library(name, **kwargs):
native.py_library(
name = name,
**kwargs
)
def gos_py_binary(name, **kwargs):
native.py_binary(
name = name,
**kwargs
)
def gos_py_test(name, **kwargs):
native.py_test(
name = name,
**kwargs
)
| def gos_py_library(name, **kwargs):
native.py_library(name=name, **kwargs)
def gos_py_binary(name, **kwargs):
native.py_binary(name=name, **kwargs)
def gos_py_test(name, **kwargs):
native.py_test(name=name, **kwargs) |
'''
File: __init__.py
Project: optimizer
File Created: Monday, 17th August 2020 3:52:54 pm
Author: Sparsh Dutta (sparsh.dtt@gmail.com)
-----
Last Modified: Monday, 17th August 2020 3:52:54 pm
Modified By: Sparsh Dutta (sparsh.dtt@gmail.com>)
-----
Copyright 2020 Sparsh Dutta
'''
| """
File: __init__.py
Project: optimizer
File Created: Monday, 17th August 2020 3:52:54 pm
Author: Sparsh Dutta (sparsh.dtt@gmail.com)
-----
Last Modified: Monday, 17th August 2020 3:52:54 pm
Modified By: Sparsh Dutta (sparsh.dtt@gmail.com>)
-----
Copyright 2020 Sparsh Dutta
""" |
"""
PASSENGERS
"""
numPassengers = 3262
passenger_arriving = (
(3, 6, 4, 4, 3, 0, 2, 7, 3, 3, 0, 0), # 0
(3, 7, 9, 2, 1, 0, 3, 12, 1, 6, 2, 0), # 1
(3, 10, 6, 3, 0, 0, 6, 6, 7, 5, 0, 0), # 2
(5, 6, 12, 6, 0, 0, 8, 9, 3, 5, 2, 0), # 3
(3, 10, 4, 1, 1, 0, 9, 8, 5, 3, 0, 0), # 4
(4, 8, 3, 6, 2, 0, 5, 7, 7, 4, 0, 0), # 5
(3, 8, 9, 5, 4, 0, 4, 10, 10, 5, 3, 0), # 6
(5, 6, 6, 3, 1, 0, 6, 5, 9, 6, 1, 0), # 7
(5, 7, 8, 4, 1, 0, 5, 11, 7, 2, 2, 0), # 8
(5, 9, 10, 2, 1, 0, 4, 8, 5, 3, 2, 0), # 9
(4, 7, 11, 1, 0, 0, 4, 12, 6, 6, 3, 0), # 10
(7, 14, 3, 3, 8, 0, 6, 8, 9, 1, 3, 0), # 11
(5, 8, 1, 6, 1, 0, 5, 2, 7, 8, 0, 0), # 12
(1, 10, 8, 4, 6, 0, 9, 6, 10, 2, 1, 0), # 13
(4, 8, 13, 4, 3, 0, 5, 14, 8, 7, 2, 0), # 14
(1, 12, 12, 4, 2, 0, 9, 7, 4, 7, 2, 0), # 15
(3, 8, 6, 1, 1, 0, 5, 7, 4, 6, 1, 0), # 16
(4, 11, 8, 1, 0, 0, 8, 12, 2, 4, 2, 0), # 17
(3, 9, 5, 3, 3, 0, 7, 11, 6, 3, 1, 0), # 18
(1, 7, 12, 6, 2, 0, 8, 12, 10, 7, 4, 0), # 19
(3, 10, 8, 4, 1, 0, 6, 10, 7, 5, 3, 0), # 20
(5, 13, 9, 3, 3, 0, 8, 11, 4, 3, 4, 0), # 21
(4, 8, 5, 2, 1, 0, 7, 6, 9, 3, 2, 0), # 22
(6, 15, 6, 7, 3, 0, 4, 12, 4, 6, 1, 0), # 23
(3, 12, 9, 5, 2, 0, 11, 12, 11, 4, 1, 0), # 24
(2, 10, 3, 5, 2, 0, 2, 11, 8, 14, 5, 0), # 25
(2, 8, 11, 3, 2, 0, 4, 11, 4, 1, 2, 0), # 26
(2, 11, 9, 4, 4, 0, 7, 11, 11, 1, 3, 0), # 27
(5, 11, 8, 3, 2, 0, 3, 11, 6, 5, 5, 0), # 28
(3, 12, 4, 2, 1, 0, 7, 7, 6, 10, 0, 0), # 29
(4, 12, 6, 0, 2, 0, 3, 12, 3, 8, 2, 0), # 30
(5, 7, 11, 2, 4, 0, 5, 5, 12, 5, 2, 0), # 31
(6, 11, 4, 4, 3, 0, 6, 7, 7, 5, 1, 0), # 32
(9, 12, 7, 4, 3, 0, 8, 12, 8, 7, 2, 0), # 33
(6, 5, 13, 4, 2, 0, 8, 5, 3, 2, 1, 0), # 34
(2, 5, 9, 5, 1, 0, 4, 13, 6, 7, 2, 0), # 35
(3, 9, 6, 9, 3, 0, 9, 8, 9, 2, 2, 0), # 36
(4, 9, 10, 3, 0, 0, 9, 6, 5, 4, 4, 0), # 37
(10, 12, 10, 3, 2, 0, 8, 15, 4, 4, 1, 0), # 38
(3, 11, 2, 6, 6, 0, 7, 10, 9, 3, 4, 0), # 39
(1, 12, 8, 4, 4, 0, 4, 6, 6, 3, 1, 0), # 40
(4, 13, 7, 4, 3, 0, 6, 15, 7, 3, 2, 0), # 41
(7, 8, 9, 1, 2, 0, 6, 9, 10, 3, 2, 0), # 42
(3, 14, 9, 5, 4, 0, 4, 7, 3, 5, 2, 0), # 43
(6, 12, 8, 6, 3, 0, 5, 13, 3, 5, 3, 0), # 44
(2, 11, 8, 1, 2, 0, 4, 8, 4, 5, 1, 0), # 45
(3, 11, 8, 7, 2, 0, 6, 7, 7, 2, 2, 0), # 46
(4, 12, 9, 6, 4, 0, 7, 11, 5, 4, 4, 0), # 47
(4, 10, 6, 2, 3, 0, 5, 10, 4, 5, 3, 0), # 48
(2, 7, 8, 8, 1, 0, 8, 8, 5, 6, 4, 0), # 49
(6, 8, 0, 4, 1, 0, 5, 5, 7, 5, 4, 0), # 50
(3, 10, 9, 1, 2, 0, 5, 6, 4, 3, 5, 0), # 51
(5, 5, 4, 3, 2, 0, 1, 18, 6, 4, 0, 0), # 52
(3, 10, 10, 3, 3, 0, 11, 8, 4, 5, 1, 0), # 53
(5, 3, 9, 4, 0, 0, 4, 10, 8, 4, 6, 0), # 54
(4, 5, 6, 6, 1, 0, 9, 6, 9, 10, 2, 0), # 55
(3, 9, 5, 3, 3, 0, 9, 6, 3, 5, 2, 0), # 56
(4, 11, 10, 3, 2, 0, 6, 13, 6, 4, 6, 0), # 57
(1, 16, 13, 2, 1, 0, 4, 10, 8, 6, 3, 0), # 58
(0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0), # 59
)
station_arriving_intensity = (
(3.7095121817383676, 9.515044981060607, 11.19193043059126, 8.87078804347826, 10.000240384615385, 6.659510869565219), # 0
(3.7443308140669203, 9.620858238197952, 11.252381752534994, 8.920190141908213, 10.075193108974359, 6.657240994867151), # 1
(3.7787518681104277, 9.725101964085297, 11.31139817195087, 8.968504830917876, 10.148564102564103, 6.654901690821256), # 2
(3.8127461259877085, 9.827663671875001, 11.368936576156813, 9.01569089673913, 10.22028605769231, 6.652493274456523), # 3
(3.8462843698175795, 9.928430874719417, 11.424953852470724, 9.061707125603865, 10.290291666666668, 6.6500160628019325), # 4
(3.879337381718857, 10.027291085770905, 11.479406888210512, 9.106512303743962, 10.358513621794872, 6.647470372886473), # 5
(3.9118759438103607, 10.12413181818182, 11.53225257069409, 9.150065217391306, 10.424884615384617, 6.644856521739131), # 6
(3.943870838210907, 10.218840585104518, 11.58344778723936, 9.19232465277778, 10.489337339743592, 6.64217482638889), # 7
(3.975292847039314, 10.311304899691358, 11.632949425164242, 9.233249396135266, 10.551804487179488, 6.639425603864735), # 8
(4.006112752414399, 10.401412275094698, 11.680714371786634, 9.272798233695653, 10.61221875, 6.636609171195653), # 9
(4.03630133645498, 10.489050224466892, 11.72669951442445, 9.310929951690824, 10.670512820512823, 6.633725845410628), # 10
(4.065829381279876, 10.5741062609603, 11.7708617403956, 9.347603336352659, 10.726619391025642, 6.630775943538648), # 11
(4.094667669007903, 10.656467897727273, 11.813157937017996, 9.382777173913043, 10.780471153846154, 6.627759782608695), # 12
(4.122786981757876, 10.736022647920176, 11.85354499160954, 9.416410250603866, 10.832000801282053, 6.624677679649759), # 13
(4.15015810164862, 10.81265802469136, 11.891979791488144, 9.448461352657004, 10.881141025641025, 6.621529951690821), # 14
(4.1767518107989465, 10.886261541193182, 11.928419223971721, 9.478889266304348, 10.92782451923077, 6.618316915760871), # 15
(4.202538891327675, 10.956720710578002, 11.96282017637818, 9.507652777777778, 10.971983974358976, 6.61503888888889), # 16
(4.227490125353625, 11.023923045998176, 11.995139536025421, 9.53471067330918, 11.013552083333336, 6.611696188103866), # 17
(4.25157629499561, 11.087756060606061, 12.025334190231364, 9.560021739130436, 11.052461538461543, 6.608289130434783), # 18
(4.274768182372451, 11.148107267554012, 12.053361026313912, 9.58354476147343, 11.088645032051284, 6.604818032910629), # 19
(4.297036569602966, 11.204864179994388, 12.079176931590974, 9.60523852657005, 11.122035256410259, 6.601283212560387), # 20
(4.318352238805971, 11.257914311079544, 12.102738793380466, 9.625061820652174, 11.152564903846153, 6.597684986413044), # 21
(4.338685972100283, 11.307145173961842, 12.124003499000287, 9.642973429951692, 11.180166666666667, 6.5940236714975855), # 22
(4.358008551604722, 11.352444281793632, 12.142927935768354, 9.658932140700484, 11.204773237179488, 6.590299584842997), # 23
(4.3762907594381035, 11.393699147727272, 12.159468991002571, 9.672896739130437, 11.226317307692307, 6.586513043478261), # 24
(4.393503377719247, 11.430797284915124, 12.173583552020853, 9.684826011473431, 11.244731570512819, 6.582664364432368), # 25
(4.409617188566969, 11.46362620650954, 12.185228506141103, 9.694678743961353, 11.259948717948719, 6.5787538647343), # 26
(4.424602974100088, 11.492073425662877, 12.194360740681233, 9.702413722826089, 11.271901442307694, 6.574781861413045), # 27
(4.438431516437421, 11.516026455527497, 12.200937142959157, 9.707989734299519, 11.280522435897437, 6.570748671497586), # 28
(4.4510735976977855, 11.535372809255753, 12.204914600292774, 9.711365564613528, 11.285744391025641, 6.566654612016909), # 29
(4.4625, 11.55, 12.20625, 9.7125, 11.287500000000001, 6.562500000000001), # 30
(4.47319183983376, 11.56215031960227, 12.205248928140096, 9.712295118464054, 11.286861125886526, 6.556726763701484), # 31
(4.4836528452685425, 11.574140056818184, 12.202274033816424, 9.711684477124184, 11.28495815602837, 6.547834661835751), # 32
(4.493887715792838, 11.585967720170455, 12.197367798913046, 9.710674080882354, 11.281811569148937, 6.535910757121439), # 33
(4.503901150895141, 11.597631818181819, 12.19057270531401, 9.709269934640524, 11.277441843971632, 6.521042112277196), # 34
(4.513697850063939, 11.609130859374998, 12.181931234903383, 9.707478043300654, 11.27186945921986, 6.503315790021656), # 35
(4.523282512787724, 11.62046335227273, 12.171485869565219, 9.705304411764708, 11.265114893617023, 6.482818853073463), # 36
(4.532659838554988, 11.631627805397729, 12.159279091183576, 9.70275504493464, 11.257198625886524, 6.4596383641512585), # 37
(4.5418345268542195, 11.642622727272729, 12.145353381642513, 9.699835947712419, 11.248141134751775, 6.433861385973679), # 38
(4.5508112771739135, 11.653446626420456, 12.129751222826087, 9.696553125000001, 11.23796289893617, 6.40557498125937), # 39
(4.559594789002558, 11.664098011363638, 12.11251509661836, 9.692912581699348, 11.22668439716312, 6.37486621272697), # 40
(4.568189761828645, 11.674575390625, 12.093687484903382, 9.68892032271242, 11.214326108156028, 6.34182214309512), # 41
(4.576600895140665, 11.684877272727276, 12.07331086956522, 9.684582352941177, 11.2009085106383, 6.3065298350824595), # 42
(4.584832888427111, 11.69500216619318, 12.051427732487923, 9.679904677287583, 11.186452083333334, 6.26907635140763), # 43
(4.592890441176471, 11.704948579545455, 12.028080555555556, 9.674893300653595, 11.17097730496454, 6.229548754789272), # 44
(4.600778252877237, 11.714715021306818, 12.003311820652177, 9.669554227941177, 11.15450465425532, 6.188034107946028), # 45
(4.6085010230179035, 11.724300000000003, 11.97716400966184, 9.663893464052288, 11.137054609929079, 6.144619473596536), # 46
(4.616063451086957, 11.733702024147728, 11.9496796044686, 9.65791701388889, 11.118647650709221, 6.099391914459438), # 47
(4.623470236572891, 11.742919602272728, 11.920901086956523, 9.651630882352942, 11.099304255319149, 6.052438493253375), # 48
(4.630726078964194, 11.751951242897727, 11.890870939009663, 9.645041074346407, 11.079044902482272, 6.003846272696985), # 49
(4.6378356777493615, 11.760795454545454, 11.85963164251208, 9.638153594771243, 11.057890070921987, 5.953702315508913), # 50
(4.6448037324168805, 11.769450745738636, 11.827225679347826, 9.630974448529413, 11.035860239361703, 5.902093684407797), # 51
(4.651634942455243, 11.777915625, 11.793695531400965, 9.623509640522876, 11.012975886524824, 5.849107442112278), # 52
(4.658334007352941, 11.786188600852274, 11.759083680555555, 9.615765175653596, 10.989257491134753, 5.794830651340996), # 53
(4.6649056265984665, 11.79426818181818, 11.723432608695653, 9.60774705882353, 10.964725531914894, 5.739350374812594), # 54
(4.671354499680307, 11.802152876420456, 11.686784797705313, 9.599461294934642, 10.939400487588653, 5.682753675245711), # 55
(4.677685326086957, 11.809841193181818, 11.649182729468599, 9.59091388888889, 10.913302836879433, 5.625127615358988), # 56
(4.683902805306906, 11.817331640625003, 11.610668885869565, 9.582110845588236, 10.886453058510638, 5.566559257871065), # 57
(4.690011636828645, 11.824622727272727, 11.57128574879227, 9.573058169934642, 10.858871631205675, 5.507135665500583), # 58
(0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 59
)
passenger_arriving_acc = (
(3, 6, 4, 4, 3, 0, 2, 7, 3, 3, 0, 0), # 0
(6, 13, 13, 6, 4, 0, 5, 19, 4, 9, 2, 0), # 1
(9, 23, 19, 9, 4, 0, 11, 25, 11, 14, 2, 0), # 2
(14, 29, 31, 15, 4, 0, 19, 34, 14, 19, 4, 0), # 3
(17, 39, 35, 16, 5, 0, 28, 42, 19, 22, 4, 0), # 4
(21, 47, 38, 22, 7, 0, 33, 49, 26, 26, 4, 0), # 5
(24, 55, 47, 27, 11, 0, 37, 59, 36, 31, 7, 0), # 6
(29, 61, 53, 30, 12, 0, 43, 64, 45, 37, 8, 0), # 7
(34, 68, 61, 34, 13, 0, 48, 75, 52, 39, 10, 0), # 8
(39, 77, 71, 36, 14, 0, 52, 83, 57, 42, 12, 0), # 9
(43, 84, 82, 37, 14, 0, 56, 95, 63, 48, 15, 0), # 10
(50, 98, 85, 40, 22, 0, 62, 103, 72, 49, 18, 0), # 11
(55, 106, 86, 46, 23, 0, 67, 105, 79, 57, 18, 0), # 12
(56, 116, 94, 50, 29, 0, 76, 111, 89, 59, 19, 0), # 13
(60, 124, 107, 54, 32, 0, 81, 125, 97, 66, 21, 0), # 14
(61, 136, 119, 58, 34, 0, 90, 132, 101, 73, 23, 0), # 15
(64, 144, 125, 59, 35, 0, 95, 139, 105, 79, 24, 0), # 16
(68, 155, 133, 60, 35, 0, 103, 151, 107, 83, 26, 0), # 17
(71, 164, 138, 63, 38, 0, 110, 162, 113, 86, 27, 0), # 18
(72, 171, 150, 69, 40, 0, 118, 174, 123, 93, 31, 0), # 19
(75, 181, 158, 73, 41, 0, 124, 184, 130, 98, 34, 0), # 20
(80, 194, 167, 76, 44, 0, 132, 195, 134, 101, 38, 0), # 21
(84, 202, 172, 78, 45, 0, 139, 201, 143, 104, 40, 0), # 22
(90, 217, 178, 85, 48, 0, 143, 213, 147, 110, 41, 0), # 23
(93, 229, 187, 90, 50, 0, 154, 225, 158, 114, 42, 0), # 24
(95, 239, 190, 95, 52, 0, 156, 236, 166, 128, 47, 0), # 25
(97, 247, 201, 98, 54, 0, 160, 247, 170, 129, 49, 0), # 26
(99, 258, 210, 102, 58, 0, 167, 258, 181, 130, 52, 0), # 27
(104, 269, 218, 105, 60, 0, 170, 269, 187, 135, 57, 0), # 28
(107, 281, 222, 107, 61, 0, 177, 276, 193, 145, 57, 0), # 29
(111, 293, 228, 107, 63, 0, 180, 288, 196, 153, 59, 0), # 30
(116, 300, 239, 109, 67, 0, 185, 293, 208, 158, 61, 0), # 31
(122, 311, 243, 113, 70, 0, 191, 300, 215, 163, 62, 0), # 32
(131, 323, 250, 117, 73, 0, 199, 312, 223, 170, 64, 0), # 33
(137, 328, 263, 121, 75, 0, 207, 317, 226, 172, 65, 0), # 34
(139, 333, 272, 126, 76, 0, 211, 330, 232, 179, 67, 0), # 35
(142, 342, 278, 135, 79, 0, 220, 338, 241, 181, 69, 0), # 36
(146, 351, 288, 138, 79, 0, 229, 344, 246, 185, 73, 0), # 37
(156, 363, 298, 141, 81, 0, 237, 359, 250, 189, 74, 0), # 38
(159, 374, 300, 147, 87, 0, 244, 369, 259, 192, 78, 0), # 39
(160, 386, 308, 151, 91, 0, 248, 375, 265, 195, 79, 0), # 40
(164, 399, 315, 155, 94, 0, 254, 390, 272, 198, 81, 0), # 41
(171, 407, 324, 156, 96, 0, 260, 399, 282, 201, 83, 0), # 42
(174, 421, 333, 161, 100, 0, 264, 406, 285, 206, 85, 0), # 43
(180, 433, 341, 167, 103, 0, 269, 419, 288, 211, 88, 0), # 44
(182, 444, 349, 168, 105, 0, 273, 427, 292, 216, 89, 0), # 45
(185, 455, 357, 175, 107, 0, 279, 434, 299, 218, 91, 0), # 46
(189, 467, 366, 181, 111, 0, 286, 445, 304, 222, 95, 0), # 47
(193, 477, 372, 183, 114, 0, 291, 455, 308, 227, 98, 0), # 48
(195, 484, 380, 191, 115, 0, 299, 463, 313, 233, 102, 0), # 49
(201, 492, 380, 195, 116, 0, 304, 468, 320, 238, 106, 0), # 50
(204, 502, 389, 196, 118, 0, 309, 474, 324, 241, 111, 0), # 51
(209, 507, 393, 199, 120, 0, 310, 492, 330, 245, 111, 0), # 52
(212, 517, 403, 202, 123, 0, 321, 500, 334, 250, 112, 0), # 53
(217, 520, 412, 206, 123, 0, 325, 510, 342, 254, 118, 0), # 54
(221, 525, 418, 212, 124, 0, 334, 516, 351, 264, 120, 0), # 55
(224, 534, 423, 215, 127, 0, 343, 522, 354, 269, 122, 0), # 56
(228, 545, 433, 218, 129, 0, 349, 535, 360, 273, 128, 0), # 57
(229, 561, 446, 220, 130, 0, 353, 545, 368, 279, 131, 0), # 58
(229, 561, 446, 220, 130, 0, 353, 545, 368, 279, 131, 0), # 59
)
passenger_arriving_rate = (
(3.7095121817383676, 7.612035984848484, 6.715158258354756, 3.5483152173913037, 2.000048076923077, 0.0, 6.659510869565219, 8.000192307692307, 5.322472826086956, 4.476772172236504, 1.903008996212121, 0.0), # 0
(3.7443308140669203, 7.696686590558361, 6.751429051520996, 3.5680760567632848, 2.0150386217948717, 0.0, 6.657240994867151, 8.060154487179487, 5.352114085144928, 4.500952701013997, 1.9241716476395903, 0.0), # 1
(3.7787518681104277, 7.780081571268237, 6.786838903170522, 3.58740193236715, 2.0297128205128203, 0.0, 6.654901690821256, 8.118851282051281, 5.381102898550726, 4.524559268780347, 1.9450203928170593, 0.0), # 2
(3.8127461259877085, 7.8621309375, 6.821361945694087, 3.6062763586956517, 2.044057211538462, 0.0, 6.652493274456523, 8.176228846153847, 5.409414538043478, 4.547574630462725, 1.965532734375, 0.0), # 3
(3.8462843698175795, 7.942744699775533, 6.854972311482434, 3.624682850241546, 2.0580583333333333, 0.0, 6.6500160628019325, 8.232233333333333, 5.437024275362319, 4.569981540988289, 1.9856861749438832, 0.0), # 4
(3.879337381718857, 8.021832868616723, 6.887644132926307, 3.6426049214975844, 2.0717027243589743, 0.0, 6.647470372886473, 8.286810897435897, 5.463907382246377, 4.591762755284204, 2.005458217154181, 0.0), # 5
(3.9118759438103607, 8.099305454545455, 6.919351542416455, 3.660026086956522, 2.084976923076923, 0.0, 6.644856521739131, 8.339907692307692, 5.490039130434783, 4.612901028277636, 2.0248263636363637, 0.0), # 6
(3.943870838210907, 8.175072468083613, 6.950068672343615, 3.6769298611111116, 2.0978674679487184, 0.0, 6.64217482638889, 8.391469871794873, 5.515394791666668, 4.633379114895743, 2.043768117020903, 0.0), # 7
(3.975292847039314, 8.249043919753085, 6.979769655098544, 3.693299758454106, 2.1103608974358976, 0.0, 6.639425603864735, 8.44144358974359, 5.5399496376811594, 4.653179770065696, 2.062260979938271, 0.0), # 8
(4.006112752414399, 8.321129820075758, 7.00842862307198, 3.709119293478261, 2.12244375, 0.0, 6.636609171195653, 8.489775, 5.563678940217391, 4.672285748714653, 2.0802824550189394, 0.0), # 9
(4.03630133645498, 8.391240179573513, 7.03601970865467, 3.724371980676329, 2.134102564102564, 0.0, 6.633725845410628, 8.536410256410257, 5.586557971014494, 4.690679805769779, 2.0978100448933783, 0.0), # 10
(4.065829381279876, 8.459285008768239, 7.06251704423736, 3.739041334541063, 2.145323878205128, 0.0, 6.630775943538648, 8.581295512820512, 5.608562001811595, 4.70834469615824, 2.1148212521920597, 0.0), # 11
(4.094667669007903, 8.525174318181818, 7.087894762210797, 3.7531108695652167, 2.156094230769231, 0.0, 6.627759782608695, 8.624376923076923, 5.6296663043478254, 4.725263174807198, 2.1312935795454546, 0.0), # 12
(4.122786981757876, 8.58881811833614, 7.112126994965724, 3.766564100241546, 2.1664001602564102, 0.0, 6.624677679649759, 8.665600641025641, 5.649846150362319, 4.741417996643816, 2.147204529584035, 0.0), # 13
(4.15015810164862, 8.650126419753088, 7.135187874892886, 3.779384541062801, 2.1762282051282047, 0.0, 6.621529951690821, 8.704912820512819, 5.669076811594202, 4.756791916595257, 2.162531604938272, 0.0), # 14
(4.1767518107989465, 8.709009232954545, 7.157051534383032, 3.7915557065217387, 2.1855649038461538, 0.0, 6.618316915760871, 8.742259615384615, 5.6873335597826085, 4.771367689588688, 2.177252308238636, 0.0), # 15
(4.202538891327675, 8.7653765684624, 7.177692105826908, 3.803061111111111, 2.194396794871795, 0.0, 6.61503888888889, 8.77758717948718, 5.7045916666666665, 4.785128070551272, 2.1913441421156, 0.0), # 16
(4.227490125353625, 8.81913843679854, 7.197083721615253, 3.8138842693236716, 2.202710416666667, 0.0, 6.611696188103866, 8.810841666666668, 5.720826403985508, 4.798055814410168, 2.204784609199635, 0.0), # 17
(4.25157629499561, 8.870204848484848, 7.215200514138818, 3.824008695652174, 2.2104923076923084, 0.0, 6.608289130434783, 8.841969230769234, 5.736013043478262, 4.810133676092545, 2.217551212121212, 0.0), # 18
(4.274768182372451, 8.918485814043208, 7.232016615788346, 3.8334179045893717, 2.2177290064102566, 0.0, 6.604818032910629, 8.870916025641026, 5.750126856884058, 4.8213444105255645, 2.229621453510802, 0.0), # 19
(4.297036569602966, 8.96389134399551, 7.247506158954584, 3.8420954106280196, 2.2244070512820517, 0.0, 6.601283212560387, 8.897628205128207, 5.76314311594203, 4.831670772636389, 2.2409728359988774, 0.0), # 20
(4.318352238805971, 9.006331448863634, 7.261643276028279, 3.8500247282608693, 2.2305129807692303, 0.0, 6.597684986413044, 8.922051923076921, 5.775037092391305, 4.841095517352186, 2.2515828622159084, 0.0), # 21
(4.338685972100283, 9.045716139169473, 7.274402099400172, 3.8571893719806765, 2.2360333333333333, 0.0, 6.5940236714975855, 8.944133333333333, 5.785784057971015, 4.849601399600115, 2.2614290347923682, 0.0), # 22
(4.358008551604722, 9.081955425434906, 7.285756761461012, 3.8635728562801934, 2.2409546474358972, 0.0, 6.590299584842997, 8.963818589743589, 5.79535928442029, 4.857171174307341, 2.2704888563587264, 0.0), # 23
(4.3762907594381035, 9.114959318181818, 7.295681394601543, 3.869158695652174, 2.2452634615384612, 0.0, 6.586513043478261, 8.981053846153845, 5.803738043478262, 4.863787596401028, 2.2787398295454544, 0.0), # 24
(4.393503377719247, 9.1446378279321, 7.304150131212511, 3.8739304045893723, 2.2489463141025636, 0.0, 6.582664364432368, 8.995785256410255, 5.810895606884059, 4.869433420808341, 2.286159456983025, 0.0), # 25
(4.409617188566969, 9.17090096520763, 7.311137103684661, 3.8778714975845405, 2.2519897435897436, 0.0, 6.5787538647343, 9.007958974358974, 5.816807246376811, 4.874091402456441, 2.2927252413019077, 0.0), # 26
(4.424602974100088, 9.193658740530301, 7.31661644440874, 3.880965489130435, 2.2543802884615385, 0.0, 6.574781861413045, 9.017521153846154, 5.821448233695653, 4.877744296272493, 2.2984146851325753, 0.0), # 27
(4.438431516437421, 9.212821164421996, 7.320562285775494, 3.8831958937198072, 2.256104487179487, 0.0, 6.570748671497586, 9.024417948717948, 5.824793840579711, 4.8803748571836625, 2.303205291105499, 0.0), # 28
(4.4510735976977855, 9.228298247404602, 7.322948760175664, 3.884546225845411, 2.257148878205128, 0.0, 6.566654612016909, 9.028595512820512, 5.826819338768117, 4.881965840117109, 2.3070745618511506, 0.0), # 29
(4.4625, 9.24, 7.32375, 3.885, 2.2575000000000003, 0.0, 6.562500000000001, 9.030000000000001, 5.8275, 4.8825, 2.31, 0.0), # 30
(4.47319183983376, 9.249720255681815, 7.323149356884057, 3.884918047385621, 2.257372225177305, 0.0, 6.556726763701484, 9.02948890070922, 5.827377071078432, 4.882099571256038, 2.312430063920454, 0.0), # 31
(4.4836528452685425, 9.259312045454546, 7.3213644202898545, 3.884673790849673, 2.2569916312056737, 0.0, 6.547834661835751, 9.027966524822695, 5.82701068627451, 4.880909613526569, 2.3148280113636366, 0.0), # 32
(4.493887715792838, 9.268774176136363, 7.3184206793478275, 3.8842696323529413, 2.2563623138297872, 0.0, 6.535910757121439, 9.025449255319149, 5.826404448529412, 4.878947119565218, 2.3171935440340907, 0.0), # 33
(4.503901150895141, 9.278105454545454, 7.314343623188405, 3.8837079738562093, 2.2554883687943263, 0.0, 6.521042112277196, 9.021953475177305, 5.825561960784314, 4.876229082125604, 2.3195263636363634, 0.0), # 34
(4.513697850063939, 9.287304687499997, 7.3091587409420296, 3.882991217320261, 2.2543738918439717, 0.0, 6.503315790021656, 9.017495567375887, 5.824486825980392, 4.872772493961353, 2.3218261718749993, 0.0), # 35
(4.523282512787724, 9.296370681818182, 7.302891521739131, 3.8821217647058828, 2.253022978723404, 0.0, 6.482818853073463, 9.012091914893617, 5.823182647058824, 4.868594347826087, 2.3240926704545455, 0.0), # 36
(4.532659838554988, 9.305302244318183, 7.295567454710145, 3.881102017973856, 2.2514397251773044, 0.0, 6.4596383641512585, 9.005758900709218, 5.821653026960784, 4.86371163647343, 2.3263255610795457, 0.0), # 37
(4.5418345268542195, 9.314098181818181, 7.287212028985508, 3.8799343790849674, 2.249628226950355, 0.0, 6.433861385973679, 8.99851290780142, 5.819901568627452, 4.858141352657005, 2.3285245454545453, 0.0), # 38
(4.5508112771739135, 9.322757301136363, 7.277850733695652, 3.87862125, 2.247592579787234, 0.0, 6.40557498125937, 8.990370319148935, 5.817931875, 4.8519004891304345, 2.330689325284091, 0.0), # 39
(4.559594789002558, 9.33127840909091, 7.267509057971015, 3.8771650326797387, 2.245336879432624, 0.0, 6.37486621272697, 8.981347517730496, 5.815747549019608, 4.845006038647344, 2.3328196022727274, 0.0), # 40
(4.568189761828645, 9.3396603125, 7.256212490942029, 3.8755681290849675, 2.2428652216312055, 0.0, 6.34182214309512, 8.971460886524822, 5.813352193627452, 4.837474993961353, 2.334915078125, 0.0), # 41
(4.576600895140665, 9.34790181818182, 7.2439865217391315, 3.8738329411764707, 2.2401817021276598, 0.0, 6.3065298350824595, 8.960726808510639, 5.810749411764706, 4.829324347826088, 2.336975454545455, 0.0), # 42
(4.584832888427111, 9.356001732954544, 7.230856639492753, 3.8719618709150327, 2.2372904166666667, 0.0, 6.26907635140763, 8.949161666666667, 5.80794280637255, 4.820571092995169, 2.339000433238636, 0.0), # 43
(4.592890441176471, 9.363958863636363, 7.216848333333333, 3.8699573202614377, 2.2341954609929076, 0.0, 6.229548754789272, 8.93678184397163, 5.804935980392157, 4.811232222222222, 2.3409897159090907, 0.0), # 44
(4.600778252877237, 9.371772017045453, 7.201987092391306, 3.8678216911764705, 2.230900930851064, 0.0, 6.188034107946028, 8.923603723404256, 5.801732536764706, 4.80132472826087, 2.3429430042613633, 0.0), # 45
(4.6085010230179035, 9.379440000000002, 7.186298405797103, 3.8655573856209147, 2.2274109219858156, 0.0, 6.144619473596536, 8.909643687943262, 5.798336078431372, 4.790865603864735, 2.3448600000000006, 0.0), # 46
(4.616063451086957, 9.386961619318182, 7.16980776268116, 3.8631668055555552, 2.223729530141844, 0.0, 6.099391914459438, 8.894918120567375, 5.794750208333333, 4.77987184178744, 2.3467404048295455, 0.0), # 47
(4.623470236572891, 9.394335681818182, 7.152540652173913, 3.8606523529411763, 2.21986085106383, 0.0, 6.052438493253375, 8.87944340425532, 5.790978529411765, 4.7683604347826085, 2.3485839204545456, 0.0), # 48
(4.630726078964194, 9.401560994318181, 7.134522563405797, 3.8580164297385626, 2.2158089804964543, 0.0, 6.003846272696985, 8.863235921985817, 5.787024644607844, 4.7563483756038645, 2.3503902485795454, 0.0), # 49
(4.6378356777493615, 9.408636363636361, 7.115778985507247, 3.8552614379084966, 2.211578014184397, 0.0, 5.953702315508913, 8.846312056737588, 5.782892156862745, 4.743852657004831, 2.3521590909090904, 0.0), # 50
(4.6448037324168805, 9.415560596590907, 7.096335407608696, 3.852389779411765, 2.2071720478723407, 0.0, 5.902093684407797, 8.828688191489363, 5.778584669117648, 4.73089027173913, 2.353890149147727, 0.0), # 51
(4.651634942455243, 9.4223325, 7.0762173188405795, 3.84940385620915, 2.2025951773049646, 0.0, 5.849107442112278, 8.810380709219858, 5.774105784313726, 4.717478212560386, 2.355583125, 0.0), # 52
(4.658334007352941, 9.428950880681818, 7.055450208333333, 3.8463060702614382, 2.1978514982269504, 0.0, 5.794830651340996, 8.791405992907801, 5.769459105392158, 4.703633472222222, 2.3572377201704544, 0.0), # 53
(4.6649056265984665, 9.435414545454544, 7.034059565217391, 3.843098823529412, 2.192945106382979, 0.0, 5.739350374812594, 8.771780425531915, 5.764648235294119, 4.689373043478261, 2.358853636363636, 0.0), # 54
(4.671354499680307, 9.441722301136364, 7.012070878623187, 3.8397845179738566, 2.1878800975177306, 0.0, 5.682753675245711, 8.751520390070922, 5.759676776960785, 4.674713919082125, 2.360430575284091, 0.0), # 55
(4.677685326086957, 9.447872954545453, 6.989509637681159, 3.8363655555555556, 2.1826605673758865, 0.0, 5.625127615358988, 8.730642269503546, 5.754548333333334, 4.65967309178744, 2.361968238636363, 0.0), # 56
(4.683902805306906, 9.453865312500001, 6.966401331521738, 3.832844338235294, 2.1772906117021273, 0.0, 5.566559257871065, 8.70916244680851, 5.749266507352941, 4.644267554347826, 2.3634663281250003, 0.0), # 57
(4.690011636828645, 9.459698181818181, 6.942771449275362, 3.8292232679738563, 2.1717743262411346, 0.0, 5.507135665500583, 8.687097304964539, 5.743834901960785, 4.628514299516908, 2.3649245454545453, 0.0), # 58
(0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0), # 59
)
passenger_allighting_rate = (
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 0
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 1
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 2
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 3
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 4
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 5
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 6
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 7
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 8
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 9
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 10
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 11
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 12
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 13
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 14
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 15
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 16
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 17
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 18
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 19
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 20
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 21
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 22
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 23
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 24
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 25
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 26
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 27
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 28
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 29
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 30
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 31
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 32
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 33
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 34
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 35
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 36
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 37
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 38
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 39
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 40
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 41
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 42
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 43
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 44
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 45
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 46
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 47
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 48
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 49
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 50
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 51
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 52
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 53
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 54
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 55
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 56
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 57
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 58
(0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), # 59
)
"""
parameters for reproducibiliy. More information: https://numpy.org/doc/stable/reference/random/parallel.html
"""
#initial entropy
entropy = 258194110137029475889902652135037600173
#index for seed sequence child
child_seed_index = (
1, # 0
5, # 1
)
| """
PASSENGERS
"""
num_passengers = 3262
passenger_arriving = ((3, 6, 4, 4, 3, 0, 2, 7, 3, 3, 0, 0), (3, 7, 9, 2, 1, 0, 3, 12, 1, 6, 2, 0), (3, 10, 6, 3, 0, 0, 6, 6, 7, 5, 0, 0), (5, 6, 12, 6, 0, 0, 8, 9, 3, 5, 2, 0), (3, 10, 4, 1, 1, 0, 9, 8, 5, 3, 0, 0), (4, 8, 3, 6, 2, 0, 5, 7, 7, 4, 0, 0), (3, 8, 9, 5, 4, 0, 4, 10, 10, 5, 3, 0), (5, 6, 6, 3, 1, 0, 6, 5, 9, 6, 1, 0), (5, 7, 8, 4, 1, 0, 5, 11, 7, 2, 2, 0), (5, 9, 10, 2, 1, 0, 4, 8, 5, 3, 2, 0), (4, 7, 11, 1, 0, 0, 4, 12, 6, 6, 3, 0), (7, 14, 3, 3, 8, 0, 6, 8, 9, 1, 3, 0), (5, 8, 1, 6, 1, 0, 5, 2, 7, 8, 0, 0), (1, 10, 8, 4, 6, 0, 9, 6, 10, 2, 1, 0), (4, 8, 13, 4, 3, 0, 5, 14, 8, 7, 2, 0), (1, 12, 12, 4, 2, 0, 9, 7, 4, 7, 2, 0), (3, 8, 6, 1, 1, 0, 5, 7, 4, 6, 1, 0), (4, 11, 8, 1, 0, 0, 8, 12, 2, 4, 2, 0), (3, 9, 5, 3, 3, 0, 7, 11, 6, 3, 1, 0), (1, 7, 12, 6, 2, 0, 8, 12, 10, 7, 4, 0), (3, 10, 8, 4, 1, 0, 6, 10, 7, 5, 3, 0), (5, 13, 9, 3, 3, 0, 8, 11, 4, 3, 4, 0), (4, 8, 5, 2, 1, 0, 7, 6, 9, 3, 2, 0), (6, 15, 6, 7, 3, 0, 4, 12, 4, 6, 1, 0), (3, 12, 9, 5, 2, 0, 11, 12, 11, 4, 1, 0), (2, 10, 3, 5, 2, 0, 2, 11, 8, 14, 5, 0), (2, 8, 11, 3, 2, 0, 4, 11, 4, 1, 2, 0), (2, 11, 9, 4, 4, 0, 7, 11, 11, 1, 3, 0), (5, 11, 8, 3, 2, 0, 3, 11, 6, 5, 5, 0), (3, 12, 4, 2, 1, 0, 7, 7, 6, 10, 0, 0), (4, 12, 6, 0, 2, 0, 3, 12, 3, 8, 2, 0), (5, 7, 11, 2, 4, 0, 5, 5, 12, 5, 2, 0), (6, 11, 4, 4, 3, 0, 6, 7, 7, 5, 1, 0), (9, 12, 7, 4, 3, 0, 8, 12, 8, 7, 2, 0), (6, 5, 13, 4, 2, 0, 8, 5, 3, 2, 1, 0), (2, 5, 9, 5, 1, 0, 4, 13, 6, 7, 2, 0), (3, 9, 6, 9, 3, 0, 9, 8, 9, 2, 2, 0), (4, 9, 10, 3, 0, 0, 9, 6, 5, 4, 4, 0), (10, 12, 10, 3, 2, 0, 8, 15, 4, 4, 1, 0), (3, 11, 2, 6, 6, 0, 7, 10, 9, 3, 4, 0), (1, 12, 8, 4, 4, 0, 4, 6, 6, 3, 1, 0), (4, 13, 7, 4, 3, 0, 6, 15, 7, 3, 2, 0), (7, 8, 9, 1, 2, 0, 6, 9, 10, 3, 2, 0), (3, 14, 9, 5, 4, 0, 4, 7, 3, 5, 2, 0), (6, 12, 8, 6, 3, 0, 5, 13, 3, 5, 3, 0), (2, 11, 8, 1, 2, 0, 4, 8, 4, 5, 1, 0), (3, 11, 8, 7, 2, 0, 6, 7, 7, 2, 2, 0), (4, 12, 9, 6, 4, 0, 7, 11, 5, 4, 4, 0), (4, 10, 6, 2, 3, 0, 5, 10, 4, 5, 3, 0), (2, 7, 8, 8, 1, 0, 8, 8, 5, 6, 4, 0), (6, 8, 0, 4, 1, 0, 5, 5, 7, 5, 4, 0), (3, 10, 9, 1, 2, 0, 5, 6, 4, 3, 5, 0), (5, 5, 4, 3, 2, 0, 1, 18, 6, 4, 0, 0), (3, 10, 10, 3, 3, 0, 11, 8, 4, 5, 1, 0), (5, 3, 9, 4, 0, 0, 4, 10, 8, 4, 6, 0), (4, 5, 6, 6, 1, 0, 9, 6, 9, 10, 2, 0), (3, 9, 5, 3, 3, 0, 9, 6, 3, 5, 2, 0), (4, 11, 10, 3, 2, 0, 6, 13, 6, 4, 6, 0), (1, 16, 13, 2, 1, 0, 4, 10, 8, 6, 3, 0), (0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0))
station_arriving_intensity = ((3.7095121817383676, 9.515044981060607, 11.19193043059126, 8.87078804347826, 10.000240384615385, 6.659510869565219), (3.7443308140669203, 9.620858238197952, 11.252381752534994, 8.920190141908213, 10.075193108974359, 6.657240994867151), (3.7787518681104277, 9.725101964085297, 11.31139817195087, 8.968504830917876, 10.148564102564103, 6.654901690821256), (3.8127461259877085, 9.827663671875001, 11.368936576156813, 9.01569089673913, 10.22028605769231, 6.652493274456523), (3.8462843698175795, 9.928430874719417, 11.424953852470724, 9.061707125603865, 10.290291666666668, 6.6500160628019325), (3.879337381718857, 10.027291085770905, 11.479406888210512, 9.106512303743962, 10.358513621794872, 6.647470372886473), (3.9118759438103607, 10.12413181818182, 11.53225257069409, 9.150065217391306, 10.424884615384617, 6.644856521739131), (3.943870838210907, 10.218840585104518, 11.58344778723936, 9.19232465277778, 10.489337339743592, 6.64217482638889), (3.975292847039314, 10.311304899691358, 11.632949425164242, 9.233249396135266, 10.551804487179488, 6.639425603864735), (4.006112752414399, 10.401412275094698, 11.680714371786634, 9.272798233695653, 10.61221875, 6.636609171195653), (4.03630133645498, 10.489050224466892, 11.72669951442445, 9.310929951690824, 10.670512820512823, 6.633725845410628), (4.065829381279876, 10.5741062609603, 11.7708617403956, 9.347603336352659, 10.726619391025642, 6.630775943538648), (4.094667669007903, 10.656467897727273, 11.813157937017996, 9.382777173913043, 10.780471153846154, 6.627759782608695), (4.122786981757876, 10.736022647920176, 11.85354499160954, 9.416410250603866, 10.832000801282053, 6.624677679649759), (4.15015810164862, 10.81265802469136, 11.891979791488144, 9.448461352657004, 10.881141025641025, 6.621529951690821), (4.1767518107989465, 10.886261541193182, 11.928419223971721, 9.478889266304348, 10.92782451923077, 6.618316915760871), (4.202538891327675, 10.956720710578002, 11.96282017637818, 9.507652777777778, 10.971983974358976, 6.61503888888889), (4.227490125353625, 11.023923045998176, 11.995139536025421, 9.53471067330918, 11.013552083333336, 6.611696188103866), (4.25157629499561, 11.087756060606061, 12.025334190231364, 9.560021739130436, 11.052461538461543, 6.608289130434783), (4.274768182372451, 11.148107267554012, 12.053361026313912, 9.58354476147343, 11.088645032051284, 6.604818032910629), (4.297036569602966, 11.204864179994388, 12.079176931590974, 9.60523852657005, 11.122035256410259, 6.601283212560387), (4.318352238805971, 11.257914311079544, 12.102738793380466, 9.625061820652174, 11.152564903846153, 6.597684986413044), (4.338685972100283, 11.307145173961842, 12.124003499000287, 9.642973429951692, 11.180166666666667, 6.5940236714975855), (4.358008551604722, 11.352444281793632, 12.142927935768354, 9.658932140700484, 11.204773237179488, 6.590299584842997), (4.3762907594381035, 11.393699147727272, 12.159468991002571, 9.672896739130437, 11.226317307692307, 6.586513043478261), (4.393503377719247, 11.430797284915124, 12.173583552020853, 9.684826011473431, 11.244731570512819, 6.582664364432368), (4.409617188566969, 11.46362620650954, 12.185228506141103, 9.694678743961353, 11.259948717948719, 6.5787538647343), (4.424602974100088, 11.492073425662877, 12.194360740681233, 9.702413722826089, 11.271901442307694, 6.574781861413045), (4.438431516437421, 11.516026455527497, 12.200937142959157, 9.707989734299519, 11.280522435897437, 6.570748671497586), (4.4510735976977855, 11.535372809255753, 12.204914600292774, 9.711365564613528, 11.285744391025641, 6.566654612016909), (4.4625, 11.55, 12.20625, 9.7125, 11.287500000000001, 6.562500000000001), (4.47319183983376, 11.56215031960227, 12.205248928140096, 9.712295118464054, 11.286861125886526, 6.556726763701484), (4.4836528452685425, 11.574140056818184, 12.202274033816424, 9.711684477124184, 11.28495815602837, 6.547834661835751), (4.493887715792838, 11.585967720170455, 12.197367798913046, 9.710674080882354, 11.281811569148937, 6.535910757121439), (4.503901150895141, 11.597631818181819, 12.19057270531401, 9.709269934640524, 11.277441843971632, 6.521042112277196), (4.513697850063939, 11.609130859374998, 12.181931234903383, 9.707478043300654, 11.27186945921986, 6.503315790021656), (4.523282512787724, 11.62046335227273, 12.171485869565219, 9.705304411764708, 11.265114893617023, 6.482818853073463), (4.532659838554988, 11.631627805397729, 12.159279091183576, 9.70275504493464, 11.257198625886524, 6.4596383641512585), (4.5418345268542195, 11.642622727272729, 12.145353381642513, 9.699835947712419, 11.248141134751775, 6.433861385973679), (4.5508112771739135, 11.653446626420456, 12.129751222826087, 9.696553125000001, 11.23796289893617, 6.40557498125937), (4.559594789002558, 11.664098011363638, 12.11251509661836, 9.692912581699348, 11.22668439716312, 6.37486621272697), (4.568189761828645, 11.674575390625, 12.093687484903382, 9.68892032271242, 11.214326108156028, 6.34182214309512), (4.576600895140665, 11.684877272727276, 12.07331086956522, 9.684582352941177, 11.2009085106383, 6.3065298350824595), (4.584832888427111, 11.69500216619318, 12.051427732487923, 9.679904677287583, 11.186452083333334, 6.26907635140763), (4.592890441176471, 11.704948579545455, 12.028080555555556, 9.674893300653595, 11.17097730496454, 6.229548754789272), (4.600778252877237, 11.714715021306818, 12.003311820652177, 9.669554227941177, 11.15450465425532, 6.188034107946028), (4.6085010230179035, 11.724300000000003, 11.97716400966184, 9.663893464052288, 11.137054609929079, 6.144619473596536), (4.616063451086957, 11.733702024147728, 11.9496796044686, 9.65791701388889, 11.118647650709221, 6.099391914459438), (4.623470236572891, 11.742919602272728, 11.920901086956523, 9.651630882352942, 11.099304255319149, 6.052438493253375), (4.630726078964194, 11.751951242897727, 11.890870939009663, 9.645041074346407, 11.079044902482272, 6.003846272696985), (4.6378356777493615, 11.760795454545454, 11.85963164251208, 9.638153594771243, 11.057890070921987, 5.953702315508913), (4.6448037324168805, 11.769450745738636, 11.827225679347826, 9.630974448529413, 11.035860239361703, 5.902093684407797), (4.651634942455243, 11.777915625, 11.793695531400965, 9.623509640522876, 11.012975886524824, 5.849107442112278), (4.658334007352941, 11.786188600852274, 11.759083680555555, 9.615765175653596, 10.989257491134753, 5.794830651340996), (4.6649056265984665, 11.79426818181818, 11.723432608695653, 9.60774705882353, 10.964725531914894, 5.739350374812594), (4.671354499680307, 11.802152876420456, 11.686784797705313, 9.599461294934642, 10.939400487588653, 5.682753675245711), (4.677685326086957, 11.809841193181818, 11.649182729468599, 9.59091388888889, 10.913302836879433, 5.625127615358988), (4.683902805306906, 11.817331640625003, 11.610668885869565, 9.582110845588236, 10.886453058510638, 5.566559257871065), (4.690011636828645, 11.824622727272727, 11.57128574879227, 9.573058169934642, 10.858871631205675, 5.507135665500583), (0.0, 0.0, 0.0, 0.0, 0.0, 0.0))
passenger_arriving_acc = ((3, 6, 4, 4, 3, 0, 2, 7, 3, 3, 0, 0), (6, 13, 13, 6, 4, 0, 5, 19, 4, 9, 2, 0), (9, 23, 19, 9, 4, 0, 11, 25, 11, 14, 2, 0), (14, 29, 31, 15, 4, 0, 19, 34, 14, 19, 4, 0), (17, 39, 35, 16, 5, 0, 28, 42, 19, 22, 4, 0), (21, 47, 38, 22, 7, 0, 33, 49, 26, 26, 4, 0), (24, 55, 47, 27, 11, 0, 37, 59, 36, 31, 7, 0), (29, 61, 53, 30, 12, 0, 43, 64, 45, 37, 8, 0), (34, 68, 61, 34, 13, 0, 48, 75, 52, 39, 10, 0), (39, 77, 71, 36, 14, 0, 52, 83, 57, 42, 12, 0), (43, 84, 82, 37, 14, 0, 56, 95, 63, 48, 15, 0), (50, 98, 85, 40, 22, 0, 62, 103, 72, 49, 18, 0), (55, 106, 86, 46, 23, 0, 67, 105, 79, 57, 18, 0), (56, 116, 94, 50, 29, 0, 76, 111, 89, 59, 19, 0), (60, 124, 107, 54, 32, 0, 81, 125, 97, 66, 21, 0), (61, 136, 119, 58, 34, 0, 90, 132, 101, 73, 23, 0), (64, 144, 125, 59, 35, 0, 95, 139, 105, 79, 24, 0), (68, 155, 133, 60, 35, 0, 103, 151, 107, 83, 26, 0), (71, 164, 138, 63, 38, 0, 110, 162, 113, 86, 27, 0), (72, 171, 150, 69, 40, 0, 118, 174, 123, 93, 31, 0), (75, 181, 158, 73, 41, 0, 124, 184, 130, 98, 34, 0), (80, 194, 167, 76, 44, 0, 132, 195, 134, 101, 38, 0), (84, 202, 172, 78, 45, 0, 139, 201, 143, 104, 40, 0), (90, 217, 178, 85, 48, 0, 143, 213, 147, 110, 41, 0), (93, 229, 187, 90, 50, 0, 154, 225, 158, 114, 42, 0), (95, 239, 190, 95, 52, 0, 156, 236, 166, 128, 47, 0), (97, 247, 201, 98, 54, 0, 160, 247, 170, 129, 49, 0), (99, 258, 210, 102, 58, 0, 167, 258, 181, 130, 52, 0), (104, 269, 218, 105, 60, 0, 170, 269, 187, 135, 57, 0), (107, 281, 222, 107, 61, 0, 177, 276, 193, 145, 57, 0), (111, 293, 228, 107, 63, 0, 180, 288, 196, 153, 59, 0), (116, 300, 239, 109, 67, 0, 185, 293, 208, 158, 61, 0), (122, 311, 243, 113, 70, 0, 191, 300, 215, 163, 62, 0), (131, 323, 250, 117, 73, 0, 199, 312, 223, 170, 64, 0), (137, 328, 263, 121, 75, 0, 207, 317, 226, 172, 65, 0), (139, 333, 272, 126, 76, 0, 211, 330, 232, 179, 67, 0), (142, 342, 278, 135, 79, 0, 220, 338, 241, 181, 69, 0), (146, 351, 288, 138, 79, 0, 229, 344, 246, 185, 73, 0), (156, 363, 298, 141, 81, 0, 237, 359, 250, 189, 74, 0), (159, 374, 300, 147, 87, 0, 244, 369, 259, 192, 78, 0), (160, 386, 308, 151, 91, 0, 248, 375, 265, 195, 79, 0), (164, 399, 315, 155, 94, 0, 254, 390, 272, 198, 81, 0), (171, 407, 324, 156, 96, 0, 260, 399, 282, 201, 83, 0), (174, 421, 333, 161, 100, 0, 264, 406, 285, 206, 85, 0), (180, 433, 341, 167, 103, 0, 269, 419, 288, 211, 88, 0), (182, 444, 349, 168, 105, 0, 273, 427, 292, 216, 89, 0), (185, 455, 357, 175, 107, 0, 279, 434, 299, 218, 91, 0), (189, 467, 366, 181, 111, 0, 286, 445, 304, 222, 95, 0), (193, 477, 372, 183, 114, 0, 291, 455, 308, 227, 98, 0), (195, 484, 380, 191, 115, 0, 299, 463, 313, 233, 102, 0), (201, 492, 380, 195, 116, 0, 304, 468, 320, 238, 106, 0), (204, 502, 389, 196, 118, 0, 309, 474, 324, 241, 111, 0), (209, 507, 393, 199, 120, 0, 310, 492, 330, 245, 111, 0), (212, 517, 403, 202, 123, 0, 321, 500, 334, 250, 112, 0), (217, 520, 412, 206, 123, 0, 325, 510, 342, 254, 118, 0), (221, 525, 418, 212, 124, 0, 334, 516, 351, 264, 120, 0), (224, 534, 423, 215, 127, 0, 343, 522, 354, 269, 122, 0), (228, 545, 433, 218, 129, 0, 349, 535, 360, 273, 128, 0), (229, 561, 446, 220, 130, 0, 353, 545, 368, 279, 131, 0), (229, 561, 446, 220, 130, 0, 353, 545, 368, 279, 131, 0))
passenger_arriving_rate = ((3.7095121817383676, 7.612035984848484, 6.715158258354756, 3.5483152173913037, 2.000048076923077, 0.0, 6.659510869565219, 8.000192307692307, 5.322472826086956, 4.476772172236504, 1.903008996212121, 0.0), (3.7443308140669203, 7.696686590558361, 6.751429051520996, 3.5680760567632848, 2.0150386217948717, 0.0, 6.657240994867151, 8.060154487179487, 5.352114085144928, 4.500952701013997, 1.9241716476395903, 0.0), (3.7787518681104277, 7.780081571268237, 6.786838903170522, 3.58740193236715, 2.0297128205128203, 0.0, 6.654901690821256, 8.118851282051281, 5.381102898550726, 4.524559268780347, 1.9450203928170593, 0.0), (3.8127461259877085, 7.8621309375, 6.821361945694087, 3.6062763586956517, 2.044057211538462, 0.0, 6.652493274456523, 8.176228846153847, 5.409414538043478, 4.547574630462725, 1.965532734375, 0.0), (3.8462843698175795, 7.942744699775533, 6.854972311482434, 3.624682850241546, 2.0580583333333333, 0.0, 6.6500160628019325, 8.232233333333333, 5.437024275362319, 4.569981540988289, 1.9856861749438832, 0.0), (3.879337381718857, 8.021832868616723, 6.887644132926307, 3.6426049214975844, 2.0717027243589743, 0.0, 6.647470372886473, 8.286810897435897, 5.463907382246377, 4.591762755284204, 2.005458217154181, 0.0), (3.9118759438103607, 8.099305454545455, 6.919351542416455, 3.660026086956522, 2.084976923076923, 0.0, 6.644856521739131, 8.339907692307692, 5.490039130434783, 4.612901028277636, 2.0248263636363637, 0.0), (3.943870838210907, 8.175072468083613, 6.950068672343615, 3.6769298611111116, 2.0978674679487184, 0.0, 6.64217482638889, 8.391469871794873, 5.515394791666668, 4.633379114895743, 2.043768117020903, 0.0), (3.975292847039314, 8.249043919753085, 6.979769655098544, 3.693299758454106, 2.1103608974358976, 0.0, 6.639425603864735, 8.44144358974359, 5.5399496376811594, 4.653179770065696, 2.062260979938271, 0.0), (4.006112752414399, 8.321129820075758, 7.00842862307198, 3.709119293478261, 2.12244375, 0.0, 6.636609171195653, 8.489775, 5.563678940217391, 4.672285748714653, 2.0802824550189394, 0.0), (4.03630133645498, 8.391240179573513, 7.03601970865467, 3.724371980676329, 2.134102564102564, 0.0, 6.633725845410628, 8.536410256410257, 5.586557971014494, 4.690679805769779, 2.0978100448933783, 0.0), (4.065829381279876, 8.459285008768239, 7.06251704423736, 3.739041334541063, 2.145323878205128, 0.0, 6.630775943538648, 8.581295512820512, 5.608562001811595, 4.70834469615824, 2.1148212521920597, 0.0), (4.094667669007903, 8.525174318181818, 7.087894762210797, 3.7531108695652167, 2.156094230769231, 0.0, 6.627759782608695, 8.624376923076923, 5.6296663043478254, 4.725263174807198, 2.1312935795454546, 0.0), (4.122786981757876, 8.58881811833614, 7.112126994965724, 3.766564100241546, 2.1664001602564102, 0.0, 6.624677679649759, 8.665600641025641, 5.649846150362319, 4.741417996643816, 2.147204529584035, 0.0), (4.15015810164862, 8.650126419753088, 7.135187874892886, 3.779384541062801, 2.1762282051282047, 0.0, 6.621529951690821, 8.704912820512819, 5.669076811594202, 4.756791916595257, 2.162531604938272, 0.0), (4.1767518107989465, 8.709009232954545, 7.157051534383032, 3.7915557065217387, 2.1855649038461538, 0.0, 6.618316915760871, 8.742259615384615, 5.6873335597826085, 4.771367689588688, 2.177252308238636, 0.0), (4.202538891327675, 8.7653765684624, 7.177692105826908, 3.803061111111111, 2.194396794871795, 0.0, 6.61503888888889, 8.77758717948718, 5.7045916666666665, 4.785128070551272, 2.1913441421156, 0.0), (4.227490125353625, 8.81913843679854, 7.197083721615253, 3.8138842693236716, 2.202710416666667, 0.0, 6.611696188103866, 8.810841666666668, 5.720826403985508, 4.798055814410168, 2.204784609199635, 0.0), (4.25157629499561, 8.870204848484848, 7.215200514138818, 3.824008695652174, 2.2104923076923084, 0.0, 6.608289130434783, 8.841969230769234, 5.736013043478262, 4.810133676092545, 2.217551212121212, 0.0), (4.274768182372451, 8.918485814043208, 7.232016615788346, 3.8334179045893717, 2.2177290064102566, 0.0, 6.604818032910629, 8.870916025641026, 5.750126856884058, 4.8213444105255645, 2.229621453510802, 0.0), (4.297036569602966, 8.96389134399551, 7.247506158954584, 3.8420954106280196, 2.2244070512820517, 0.0, 6.601283212560387, 8.897628205128207, 5.76314311594203, 4.831670772636389, 2.2409728359988774, 0.0), (4.318352238805971, 9.006331448863634, 7.261643276028279, 3.8500247282608693, 2.2305129807692303, 0.0, 6.597684986413044, 8.922051923076921, 5.775037092391305, 4.841095517352186, 2.2515828622159084, 0.0), (4.338685972100283, 9.045716139169473, 7.274402099400172, 3.8571893719806765, 2.2360333333333333, 0.0, 6.5940236714975855, 8.944133333333333, 5.785784057971015, 4.849601399600115, 2.2614290347923682, 0.0), (4.358008551604722, 9.081955425434906, 7.285756761461012, 3.8635728562801934, 2.2409546474358972, 0.0, 6.590299584842997, 8.963818589743589, 5.79535928442029, 4.857171174307341, 2.2704888563587264, 0.0), (4.3762907594381035, 9.114959318181818, 7.295681394601543, 3.869158695652174, 2.2452634615384612, 0.0, 6.586513043478261, 8.981053846153845, 5.803738043478262, 4.863787596401028, 2.2787398295454544, 0.0), (4.393503377719247, 9.1446378279321, 7.304150131212511, 3.8739304045893723, 2.2489463141025636, 0.0, 6.582664364432368, 8.995785256410255, 5.810895606884059, 4.869433420808341, 2.286159456983025, 0.0), (4.409617188566969, 9.17090096520763, 7.311137103684661, 3.8778714975845405, 2.2519897435897436, 0.0, 6.5787538647343, 9.007958974358974, 5.816807246376811, 4.874091402456441, 2.2927252413019077, 0.0), (4.424602974100088, 9.193658740530301, 7.31661644440874, 3.880965489130435, 2.2543802884615385, 0.0, 6.574781861413045, 9.017521153846154, 5.821448233695653, 4.877744296272493, 2.2984146851325753, 0.0), (4.438431516437421, 9.212821164421996, 7.320562285775494, 3.8831958937198072, 2.256104487179487, 0.0, 6.570748671497586, 9.024417948717948, 5.824793840579711, 4.8803748571836625, 2.303205291105499, 0.0), (4.4510735976977855, 9.228298247404602, 7.322948760175664, 3.884546225845411, 2.257148878205128, 0.0, 6.566654612016909, 9.028595512820512, 5.826819338768117, 4.881965840117109, 2.3070745618511506, 0.0), (4.4625, 9.24, 7.32375, 3.885, 2.2575000000000003, 0.0, 6.562500000000001, 9.030000000000001, 5.8275, 4.8825, 2.31, 0.0), (4.47319183983376, 9.249720255681815, 7.323149356884057, 3.884918047385621, 2.257372225177305, 0.0, 6.556726763701484, 9.02948890070922, 5.827377071078432, 4.882099571256038, 2.312430063920454, 0.0), (4.4836528452685425, 9.259312045454546, 7.3213644202898545, 3.884673790849673, 2.2569916312056737, 0.0, 6.547834661835751, 9.027966524822695, 5.82701068627451, 4.880909613526569, 2.3148280113636366, 0.0), (4.493887715792838, 9.268774176136363, 7.3184206793478275, 3.8842696323529413, 2.2563623138297872, 0.0, 6.535910757121439, 9.025449255319149, 5.826404448529412, 4.878947119565218, 2.3171935440340907, 0.0), (4.503901150895141, 9.278105454545454, 7.314343623188405, 3.8837079738562093, 2.2554883687943263, 0.0, 6.521042112277196, 9.021953475177305, 5.825561960784314, 4.876229082125604, 2.3195263636363634, 0.0), (4.513697850063939, 9.287304687499997, 7.3091587409420296, 3.882991217320261, 2.2543738918439717, 0.0, 6.503315790021656, 9.017495567375887, 5.824486825980392, 4.872772493961353, 2.3218261718749993, 0.0), (4.523282512787724, 9.296370681818182, 7.302891521739131, 3.8821217647058828, 2.253022978723404, 0.0, 6.482818853073463, 9.012091914893617, 5.823182647058824, 4.868594347826087, 2.3240926704545455, 0.0), (4.532659838554988, 9.305302244318183, 7.295567454710145, 3.881102017973856, 2.2514397251773044, 0.0, 6.4596383641512585, 9.005758900709218, 5.821653026960784, 4.86371163647343, 2.3263255610795457, 0.0), (4.5418345268542195, 9.314098181818181, 7.287212028985508, 3.8799343790849674, 2.249628226950355, 0.0, 6.433861385973679, 8.99851290780142, 5.819901568627452, 4.858141352657005, 2.3285245454545453, 0.0), (4.5508112771739135, 9.322757301136363, 7.277850733695652, 3.87862125, 2.247592579787234, 0.0, 6.40557498125937, 8.990370319148935, 5.817931875, 4.8519004891304345, 2.330689325284091, 0.0), (4.559594789002558, 9.33127840909091, 7.267509057971015, 3.8771650326797387, 2.245336879432624, 0.0, 6.37486621272697, 8.981347517730496, 5.815747549019608, 4.845006038647344, 2.3328196022727274, 0.0), (4.568189761828645, 9.3396603125, 7.256212490942029, 3.8755681290849675, 2.2428652216312055, 0.0, 6.34182214309512, 8.971460886524822, 5.813352193627452, 4.837474993961353, 2.334915078125, 0.0), (4.576600895140665, 9.34790181818182, 7.2439865217391315, 3.8738329411764707, 2.2401817021276598, 0.0, 6.3065298350824595, 8.960726808510639, 5.810749411764706, 4.829324347826088, 2.336975454545455, 0.0), (4.584832888427111, 9.356001732954544, 7.230856639492753, 3.8719618709150327, 2.2372904166666667, 0.0, 6.26907635140763, 8.949161666666667, 5.80794280637255, 4.820571092995169, 2.339000433238636, 0.0), (4.592890441176471, 9.363958863636363, 7.216848333333333, 3.8699573202614377, 2.2341954609929076, 0.0, 6.229548754789272, 8.93678184397163, 5.804935980392157, 4.811232222222222, 2.3409897159090907, 0.0), (4.600778252877237, 9.371772017045453, 7.201987092391306, 3.8678216911764705, 2.230900930851064, 0.0, 6.188034107946028, 8.923603723404256, 5.801732536764706, 4.80132472826087, 2.3429430042613633, 0.0), (4.6085010230179035, 9.379440000000002, 7.186298405797103, 3.8655573856209147, 2.2274109219858156, 0.0, 6.144619473596536, 8.909643687943262, 5.798336078431372, 4.790865603864735, 2.3448600000000006, 0.0), (4.616063451086957, 9.386961619318182, 7.16980776268116, 3.8631668055555552, 2.223729530141844, 0.0, 6.099391914459438, 8.894918120567375, 5.794750208333333, 4.77987184178744, 2.3467404048295455, 0.0), (4.623470236572891, 9.394335681818182, 7.152540652173913, 3.8606523529411763, 2.21986085106383, 0.0, 6.052438493253375, 8.87944340425532, 5.790978529411765, 4.7683604347826085, 2.3485839204545456, 0.0), (4.630726078964194, 9.401560994318181, 7.134522563405797, 3.8580164297385626, 2.2158089804964543, 0.0, 6.003846272696985, 8.863235921985817, 5.787024644607844, 4.7563483756038645, 2.3503902485795454, 0.0), (4.6378356777493615, 9.408636363636361, 7.115778985507247, 3.8552614379084966, 2.211578014184397, 0.0, 5.953702315508913, 8.846312056737588, 5.782892156862745, 4.743852657004831, 2.3521590909090904, 0.0), (4.6448037324168805, 9.415560596590907, 7.096335407608696, 3.852389779411765, 2.2071720478723407, 0.0, 5.902093684407797, 8.828688191489363, 5.778584669117648, 4.73089027173913, 2.353890149147727, 0.0), (4.651634942455243, 9.4223325, 7.0762173188405795, 3.84940385620915, 2.2025951773049646, 0.0, 5.849107442112278, 8.810380709219858, 5.774105784313726, 4.717478212560386, 2.355583125, 0.0), (4.658334007352941, 9.428950880681818, 7.055450208333333, 3.8463060702614382, 2.1978514982269504, 0.0, 5.794830651340996, 8.791405992907801, 5.769459105392158, 4.703633472222222, 2.3572377201704544, 0.0), (4.6649056265984665, 9.435414545454544, 7.034059565217391, 3.843098823529412, 2.192945106382979, 0.0, 5.739350374812594, 8.771780425531915, 5.764648235294119, 4.689373043478261, 2.358853636363636, 0.0), (4.671354499680307, 9.441722301136364, 7.012070878623187, 3.8397845179738566, 2.1878800975177306, 0.0, 5.682753675245711, 8.751520390070922, 5.759676776960785, 4.674713919082125, 2.360430575284091, 0.0), (4.677685326086957, 9.447872954545453, 6.989509637681159, 3.8363655555555556, 2.1826605673758865, 0.0, 5.625127615358988, 8.730642269503546, 5.754548333333334, 4.65967309178744, 2.361968238636363, 0.0), (4.683902805306906, 9.453865312500001, 6.966401331521738, 3.832844338235294, 2.1772906117021273, 0.0, 5.566559257871065, 8.70916244680851, 5.749266507352941, 4.644267554347826, 2.3634663281250003, 0.0), (4.690011636828645, 9.459698181818181, 6.942771449275362, 3.8292232679738563, 2.1717743262411346, 0.0, 5.507135665500583, 8.687097304964539, 5.743834901960785, 4.628514299516908, 2.3649245454545453, 0.0), (0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0, 0.0))
passenger_allighting_rate = ((0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1), (0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1, 0, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 0.16666666666666666, 1))
'\nparameters for reproducibiliy. More information: https://numpy.org/doc/stable/reference/random/parallel.html\n'
entropy = 258194110137029475889902652135037600173
child_seed_index = (1, 5) |
## =========================================================
## Copyright 2019 Dietrich Bollmann
##
## Licensed under the Apache License, Version 2.0 (the "License");
## you may not use this file except in compliance with the License.
## You may obtain a copy of the License at
##
## http://www.apache.org/licenses/LICENSE-2.0
##
## Unless required by applicable law or agreed to in writing, software
## distributed under the License is distributed on an "AS IS" BASIS,
## WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
## See the License for the specific language governing permissions and
## limitations under the License.
## ---------------------------------------------------------
"""newskylabs/utils/generic.py:
Generic utilities...
"""
## =========================================================
## Utilities for python dictionaries
## ---------------------------------------------------------
def set_recursively(structure, path, value):
"""Set a value in a recursive structure."""
path = path.split('.')
lastkey = path.pop()
for key in path:
if not key in structure or not isinstance(structure[key], dict):
structure[key] = {}
structure = structure[key]
structure[lastkey] = value
def get_recursively(structure, keychain):
"""Get a value from a recursive structure."""
val = structure
# Follow the key chain to recursively find the value
for key in keychain.split('.'):
if isinstance(val, dict) and key in val:
val = val[key]
elif key.isdigit() and isinstance(val, list) and int(key) < len(val):
val = val[int(key)]
else:
return None
return val
## =========================================================
## =========================================================
## fin.
| """newskylabs/utils/generic.py:
Generic utilities...
"""
def set_recursively(structure, path, value):
"""Set a value in a recursive structure."""
path = path.split('.')
lastkey = path.pop()
for key in path:
if not key in structure or not isinstance(structure[key], dict):
structure[key] = {}
structure = structure[key]
structure[lastkey] = value
def get_recursively(structure, keychain):
"""Get a value from a recursive structure."""
val = structure
for key in keychain.split('.'):
if isinstance(val, dict) and key in val:
val = val[key]
elif key.isdigit() and isinstance(val, list) and (int(key) < len(val)):
val = val[int(key)]
else:
return None
return val |
class Route:
def __init__(self, routes, graph):
self.routes = routes
self.graph = graph
self.v_start = graph[0]
self.dist = self.route_dist()
def route_dist(self):
'''total route distance (fitness)'''
total_dist = 0
for route in self.routes:
if len(route) == 0:
continue
for idx in range(len(route)):
if idx < len(route) - 1:
total_dist += self.graph[route[idx]].distanceTo(self.graph[route[idx + 1]])
total_dist += self.v_start.distanceTo(self.graph[route[0]])
total_dist += self.v_start.distanceTo(self.graph[route[idx]])
return total_dist
def get_dist(self):
return self.dist
def get_fitness(self):
return 10000 / self.dist
def set_route(self, route, idx):
self.routes[idx] = route
def __str__(self):
res = 'Route:\n'
for i, route in enumerate(self.routes, 1):
res += f'salesman-{i}:'
res += str(self.v_start)
for coord in route:
res += str(self.graph[coord])
res += f'{self.v_start}\n'
return res
| class Route:
def __init__(self, routes, graph):
self.routes = routes
self.graph = graph
self.v_start = graph[0]
self.dist = self.route_dist()
def route_dist(self):
"""total route distance (fitness)"""
total_dist = 0
for route in self.routes:
if len(route) == 0:
continue
for idx in range(len(route)):
if idx < len(route) - 1:
total_dist += self.graph[route[idx]].distanceTo(self.graph[route[idx + 1]])
total_dist += self.v_start.distanceTo(self.graph[route[0]])
total_dist += self.v_start.distanceTo(self.graph[route[idx]])
return total_dist
def get_dist(self):
return self.dist
def get_fitness(self):
return 10000 / self.dist
def set_route(self, route, idx):
self.routes[idx] = route
def __str__(self):
res = 'Route:\n'
for (i, route) in enumerate(self.routes, 1):
res += f'salesman-{i}:'
res += str(self.v_start)
for coord in route:
res += str(self.graph[coord])
res += f'{self.v_start}\n'
return res |
#Given two (singly) linked lists, determine if the two lists intersect. Return the intersecting node . Note that the intersetion is defined
#based on reference, not value. That is if kth node of the first linked list is the exact same node(by reference) as the jth node of the
#second linked list, the they are intersecting.
class Node:
next = None
def __init__(self, value):
self.value = value
class LinkedList:
head = None
tail = None
size = 0
def debug(self):
current = self.head
while current:
print(current.value)
current = current.next
def insert(self,value):
if (self.tail is None) and (self.head is None):
self.tail = value
self.head = value
else:
value.previous = self.tail
self.tail.next = value
self.tail = value
self.size += 1
def intersection(listA, listB):
currentA = listA.head
currentB = listB.head
while currentA and currentB:
if currentA == currentB:
return currentA
currentA = currentA.next
currentB = currentB.next
node1 = Node("A")
node2 = Node("B")
node3 = Node("C")
node4 = Node("D")
node5 = Node("E")
node6 = Node("F")
node7 = Node("G")
node8 = Node("H")
listA = LinkedList()
listA.insert(node1)
listA.insert(node2)
listA.insert(node3)
listA.insert(node4)
listB = LinkedList()
listB.insert(node5)
listB.insert(node6)
listB.insert(node3)
listB.insert(node7)
listB.insert(node8)
node = intersection(listA,listB)
if node is not None:
print(node.value)
else:
print("NO CONNECT")
| class Node:
next = None
def __init__(self, value):
self.value = value
class Linkedlist:
head = None
tail = None
size = 0
def debug(self):
current = self.head
while current:
print(current.value)
current = current.next
def insert(self, value):
if self.tail is None and self.head is None:
self.tail = value
self.head = value
else:
value.previous = self.tail
self.tail.next = value
self.tail = value
self.size += 1
def intersection(listA, listB):
current_a = listA.head
current_b = listB.head
while currentA and currentB:
if currentA == currentB:
return currentA
current_a = currentA.next
current_b = currentB.next
node1 = node('A')
node2 = node('B')
node3 = node('C')
node4 = node('D')
node5 = node('E')
node6 = node('F')
node7 = node('G')
node8 = node('H')
list_a = linked_list()
listA.insert(node1)
listA.insert(node2)
listA.insert(node3)
listA.insert(node4)
list_b = linked_list()
listB.insert(node5)
listB.insert(node6)
listB.insert(node3)
listB.insert(node7)
listB.insert(node8)
node = intersection(listA, listB)
if node is not None:
print(node.value)
else:
print('NO CONNECT') |
EPOCHS = 3
LOG_ITER = 25
TEST_ITER = 50
WRITE_PERIOD = 100
#1440 train examples
#360 train examples | epochs = 3
log_iter = 25
test_iter = 50
write_period = 100 |
class BaseLinOp:
def __init__(self):
pass
@property
def T(self):
return Adjoint(self)
def __add__(self, other):
if isinstance(other, BaseLinOp):
return Sum(self, other)
else:
return ScalarSum(self, other)
def __radd__(self, other):
if isinstance(other, BaseLinOp):
return Sum(self, other)
else:
return ScalarSum(self, other)
def __sub__(self, other):
if isinstance(other, BaseLinOp):
return Diff(self, other)
else:
return ScalarDiff(self, other)
def __rsub__(self, other):
if isinstance(other, BaseLinOp):
return Diff(self, other)
else:
return ScalarDiff(self, other)
def __mul__(self, other):
if isinstance(other, BaseLinOp):
raise NameError('The multiplication operator can only be performed between a LinOp object and a scalar or vector.')
else:
return ScalarMul(self, other)
def __rmul__(self, other):
if isinstance(other, BaseLinOp):
raise NameError('The multiplication operator can only be performed between a LinOp object and a scalar or vector.')
else:
return ScalarMul(self, other)
def __matmul__(self, other):
if isinstance(other, BaseLinOp):
return Composition(self, other)
else:
raise NameError('The matrix multiplication operator can only be performed between two LinOp objects.')
class Composition(BaseLinOp):
def __init__(self, LinOp1, LinOp2):
if LinOp2.out_size != LinOp1.in_size and LinOp2.out_size != -1 and LinOp1.in_size != -1:
raise NameError('The dimensions of the LinOp composition do not match.')
self.LinOp1 = LinOp1
self.LinOp2 = LinOp2
self.in_size = LinOp2.in_size if LinOp2.in_size != -1 else LinOp1.in_size
self.out_size = LinOp1.out_size if LinOp1.out_size != -1 else LinOp2.out_size
def apply(self, x):
return self.LinOp1.apply(self.LinOp2.apply(x))
def applyAdjoint(self, x):
return self.LinOp2.applyAdjoint(self.LinOp1.applyAdjoint(x))
class Sum(BaseLinOp):
def __init__(self, LinOp1, LinOp2):
if LinOp2.in_size != LinOp1.in_size and LinOp2.in_size != -1 and LinOp1.in_size != -1:
raise NameError('The input dimensions of the LinOp sum do not match.')
if LinOp2.out_size != LinOp1.out_size and LinOp2.out_size != -1 and LinOp1.out_size != -1:
raise NameError('The output dimensions of the LinOp sum do not match.')
self.LinOp1 = LinOp1
self.LinOp2 = LinOp2
self.in_size = max(LinOp1.in_size, LinOp2.in_size) # it is -1 if size is undefined
self.out_size = max(LinOp1.out_size, LinOp2.out_size)
def apply(self, x):
return self.LinOp1.apply(x) + self.LinOp2.apply(x)
def applyAdjoint(self, x):
return self.LinOp2.applyAdjoint(x) + self.LinOp1.applyAdjoint(x)
class ScalarSum(BaseLinOp):
def __init__(self, LinOp, other):
self.LinOp = LinOp
self.other = other
self.in_size = LinOp.in_size
self.out_size = LinOp.out_size
def apply(self, x):
return self.LinOp.apply(x) + self.other
def applyAdjoint(self, x):
return self.LinOp.applyAdjoint(x)
class Diff(BaseLinOp):
def __init__(self, LinOp1, LinOp2):
if LinOp2.in_size != LinOp1.in_size and LinOp2.in_size != -1 and LinOp1.in_size != -1:
raise NameError('The input dimensions of the LinOp sum do not match.')
if LinOp2.out_size != LinOp1.out_size and LinOp2.out_size != -1 and LinOp1.out_size != -1:
raise NameError('The output dimensions of the LinOp sum do not match.')
self.LinOp1 = LinOp1
self.LinOp2 = LinOp2
self.in_size = max(LinOp1.in_size, LinOp2.in_size)
self.out_size = max(LinOp1.out_size, LinOp2.out_size)
def apply(self, x):
return self.LinOp1.apply(x) - self.LinOp2.apply(x)
def applyAdjoint(self, x):
return self.LinOp1.applyAdjoint(x) - self.LinOp2.applyAdjoint(x)
class ScalarDiff(BaseLinOp):
def __init__(self, LinOp, other):
self.LinOp = LinOp
self.other = other
self.in_size = LinOp.in_size
self.out_size = LinOp.out_size
def apply(self, x):
return self.LinOp.apply(x) - self.other
def applyAdjoint(self, x):
return self.LinOp.applyAdjoint(x)
class ScalarMul(BaseLinOp):
def __init__(self, LinOp, other):
self.LinOp = LinOp
self.other = other
self.in_size = LinOp.in_size
self.out_size = LinOp.out_size
def apply(self, x):
return self.other * self.LinOp.apply(x)
def applyAdjoint(self, x):
return self.other * self.LinOp.applyAdjoint(x)
class Adjoint(BaseLinOp):
def __init__(self, LinOp):
self.LinOp = LinOp
self.in_size = LinOp.out_size
self.out_size = LinOp.in_size
def apply(self, x):
return self.LinOp.applyAdjoint(x)
def applyAdjoint(self, x):
return self.LinOp.apply(x)
| class Baselinop:
def __init__(self):
pass
@property
def t(self):
return adjoint(self)
def __add__(self, other):
if isinstance(other, BaseLinOp):
return sum(self, other)
else:
return scalar_sum(self, other)
def __radd__(self, other):
if isinstance(other, BaseLinOp):
return sum(self, other)
else:
return scalar_sum(self, other)
def __sub__(self, other):
if isinstance(other, BaseLinOp):
return diff(self, other)
else:
return scalar_diff(self, other)
def __rsub__(self, other):
if isinstance(other, BaseLinOp):
return diff(self, other)
else:
return scalar_diff(self, other)
def __mul__(self, other):
if isinstance(other, BaseLinOp):
raise name_error('The multiplication operator can only be performed between a LinOp object and a scalar or vector.')
else:
return scalar_mul(self, other)
def __rmul__(self, other):
if isinstance(other, BaseLinOp):
raise name_error('The multiplication operator can only be performed between a LinOp object and a scalar or vector.')
else:
return scalar_mul(self, other)
def __matmul__(self, other):
if isinstance(other, BaseLinOp):
return composition(self, other)
else:
raise name_error('The matrix multiplication operator can only be performed between two LinOp objects.')
class Composition(BaseLinOp):
def __init__(self, LinOp1, LinOp2):
if LinOp2.out_size != LinOp1.in_size and LinOp2.out_size != -1 and (LinOp1.in_size != -1):
raise name_error('The dimensions of the LinOp composition do not match.')
self.LinOp1 = LinOp1
self.LinOp2 = LinOp2
self.in_size = LinOp2.in_size if LinOp2.in_size != -1 else LinOp1.in_size
self.out_size = LinOp1.out_size if LinOp1.out_size != -1 else LinOp2.out_size
def apply(self, x):
return self.LinOp1.apply(self.LinOp2.apply(x))
def apply_adjoint(self, x):
return self.LinOp2.applyAdjoint(self.LinOp1.applyAdjoint(x))
class Sum(BaseLinOp):
def __init__(self, LinOp1, LinOp2):
if LinOp2.in_size != LinOp1.in_size and LinOp2.in_size != -1 and (LinOp1.in_size != -1):
raise name_error('The input dimensions of the LinOp sum do not match.')
if LinOp2.out_size != LinOp1.out_size and LinOp2.out_size != -1 and (LinOp1.out_size != -1):
raise name_error('The output dimensions of the LinOp sum do not match.')
self.LinOp1 = LinOp1
self.LinOp2 = LinOp2
self.in_size = max(LinOp1.in_size, LinOp2.in_size)
self.out_size = max(LinOp1.out_size, LinOp2.out_size)
def apply(self, x):
return self.LinOp1.apply(x) + self.LinOp2.apply(x)
def apply_adjoint(self, x):
return self.LinOp2.applyAdjoint(x) + self.LinOp1.applyAdjoint(x)
class Scalarsum(BaseLinOp):
def __init__(self, LinOp, other):
self.LinOp = LinOp
self.other = other
self.in_size = LinOp.in_size
self.out_size = LinOp.out_size
def apply(self, x):
return self.LinOp.apply(x) + self.other
def apply_adjoint(self, x):
return self.LinOp.applyAdjoint(x)
class Diff(BaseLinOp):
def __init__(self, LinOp1, LinOp2):
if LinOp2.in_size != LinOp1.in_size and LinOp2.in_size != -1 and (LinOp1.in_size != -1):
raise name_error('The input dimensions of the LinOp sum do not match.')
if LinOp2.out_size != LinOp1.out_size and LinOp2.out_size != -1 and (LinOp1.out_size != -1):
raise name_error('The output dimensions of the LinOp sum do not match.')
self.LinOp1 = LinOp1
self.LinOp2 = LinOp2
self.in_size = max(LinOp1.in_size, LinOp2.in_size)
self.out_size = max(LinOp1.out_size, LinOp2.out_size)
def apply(self, x):
return self.LinOp1.apply(x) - self.LinOp2.apply(x)
def apply_adjoint(self, x):
return self.LinOp1.applyAdjoint(x) - self.LinOp2.applyAdjoint(x)
class Scalardiff(BaseLinOp):
def __init__(self, LinOp, other):
self.LinOp = LinOp
self.other = other
self.in_size = LinOp.in_size
self.out_size = LinOp.out_size
def apply(self, x):
return self.LinOp.apply(x) - self.other
def apply_adjoint(self, x):
return self.LinOp.applyAdjoint(x)
class Scalarmul(BaseLinOp):
def __init__(self, LinOp, other):
self.LinOp = LinOp
self.other = other
self.in_size = LinOp.in_size
self.out_size = LinOp.out_size
def apply(self, x):
return self.other * self.LinOp.apply(x)
def apply_adjoint(self, x):
return self.other * self.LinOp.applyAdjoint(x)
class Adjoint(BaseLinOp):
def __init__(self, LinOp):
self.LinOp = LinOp
self.in_size = LinOp.out_size
self.out_size = LinOp.in_size
def apply(self, x):
return self.LinOp.applyAdjoint(x)
def apply_adjoint(self, x):
return self.LinOp.apply(x) |
#
# PySNMP MIB module Nortel-MsCarrier-MscPassport-LogicalProcessorMIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Nortel-MsCarrier-MscPassport-LogicalProcessorMIB
# Produced by pysmi-0.3.4 at Mon Apr 29 20:19:33 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")
ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection")
Gauge32, Unsigned32, Integer32, DisplayString, StorageType, RowStatus, RowPointer, Counter32, InterfaceIndex = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-StandardTextualConventionsMIB", "Gauge32", "Unsigned32", "Integer32", "DisplayString", "StorageType", "RowStatus", "RowPointer", "Counter32", "InterfaceIndex")
Link, EnterpriseDateAndTime, AsciiString, NonReplicated, Hex, PassportCounter64 = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-TextualConventionsMIB", "Link", "EnterpriseDateAndTime", "AsciiString", "NonReplicated", "Hex", "PassportCounter64")
mscPassportMIBs, mscComponents = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-UsefulDefinitionsMIB", "mscPassportMIBs", "mscComponents")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
NotificationType, Gauge32, Integer32, Bits, ModuleIdentity, ObjectIdentity, Unsigned32, iso, IpAddress, MibIdentifier, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "Gauge32", "Integer32", "Bits", "ModuleIdentity", "ObjectIdentity", "Unsigned32", "iso", "IpAddress", "MibIdentifier", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Counter32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
logicalProcessorMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11))
mscLp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12))
mscLpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1), )
if mibBuilder.loadTexts: mscLpRowStatusTable.setStatus('mandatory')
mscLpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpRowStatusEntry.setStatus('mandatory')
mscLpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpRowStatus.setStatus('mandatory')
mscLpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpComponentName.setStatus('mandatory')
mscLpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpStorageType.setStatus('mandatory')
mscLpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15)))
if mibBuilder.loadTexts: mscLpIndex.setStatus('mandatory')
mscLpProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100), )
if mibBuilder.loadTexts: mscLpProvTable.setStatus('mandatory')
mscLpProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpProvEntry.setStatus('mandatory')
mscLpMainCard = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1, 1), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpMainCard.setStatus('mandatory')
mscLpSpareCard = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1, 2), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSpareCard.setStatus('mandatory')
mscLpLogicalProcessorType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1, 3), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpLogicalProcessorType.setStatus('mandatory')
mscLpCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 101), )
if mibBuilder.loadTexts: mscLpCidDataTable.setStatus('mandatory')
mscLpCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 101, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpCidDataEntry.setStatus('mandatory')
mscLpCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 101, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpCustomerIdentifier.setStatus('mandatory')
mscLpStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102), )
if mibBuilder.loadTexts: mscLpStateTable.setStatus('mandatory')
mscLpStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpStateEntry.setStatus('mandatory')
mscLpAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpAdminState.setStatus('mandatory')
mscLpOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpOperationalState.setStatus('mandatory')
mscLpUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpUsageState.setStatus('mandatory')
mscLpAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpAvailabilityStatus.setStatus('mandatory')
mscLpProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpProceduralStatus.setStatus('mandatory')
mscLpControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpControlStatus.setStatus('mandatory')
mscLpAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpAlarmStatus.setStatus('mandatory')
mscLpStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpStandbyStatus.setStatus('mandatory')
mscLpUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpUnknownStatus.setStatus('mandatory')
mscLpOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103), )
if mibBuilder.loadTexts: mscLpOperTable.setStatus('mandatory')
mscLpOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpOperEntry.setStatus('mandatory')
mscLpActiveCard = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 1), RowPointer()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpActiveCard.setStatus('mandatory')
mscLpMainCardStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 3, 4))).clone(namedValues=NamedValues(("notProvisioned", 0), ("notAvailable", 1), ("available", 3), ("active", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMainCardStatus.setStatus('mandatory')
mscLpSpareCardStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("notProvisioned", 0), ("notAvailable", 1), ("alreadyInUse", 2), ("available", 3), ("active", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSpareCardStatus.setStatus('mandatory')
mscLpRestartOnCpSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpRestartOnCpSwitch.setStatus('mandatory')
mscLpScheduledSwitchover = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 5), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(16, 16), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpScheduledSwitchover.setStatus('mandatory')
mscLpUtilTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104), )
if mibBuilder.loadTexts: mscLpUtilTable.setStatus('mandatory')
mscLpUtilEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpUtilEntry.setStatus('mandatory')
mscLpTimeInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpTimeInterval.setStatus('mandatory')
mscLpCpuUtil = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 2), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpCpuUtil.setStatus('mandatory')
mscLpCpuUtilAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpCpuUtilAvg.setStatus('mandatory')
mscLpCpuUtilAvgMin = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpCpuUtilAvgMin.setStatus('mandatory')
mscLpCpuUtilAvgMax = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 5), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpCpuUtilAvgMax.setStatus('mandatory')
mscLpMsgBlockUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 6), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMsgBlockUsage.setStatus('mandatory')
mscLpMsgBlockUsageAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 7), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMsgBlockUsageAvg.setStatus('mandatory')
mscLpMsgBlockUsageAvgMin = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 8), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMsgBlockUsageAvgMin.setStatus('mandatory')
mscLpMsgBlockUsageAvgMax = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 9), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMsgBlockUsageAvgMax.setStatus('mandatory')
mscLpLocalMsgBlockUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 10), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpLocalMsgBlockUsage.setStatus('mandatory')
mscLpLocalMsgBlockUsageAvg = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 11), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpLocalMsgBlockUsageAvg.setStatus('mandatory')
mscLpLocalMsgBlockUsageMin = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 12), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpLocalMsgBlockUsageMin.setStatus('mandatory')
mscLpLocalMsgBlockUsageMax = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 13), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpLocalMsgBlockUsageMax.setStatus('mandatory')
mscLpCapTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105), )
if mibBuilder.loadTexts: mscLpCapTable.setStatus('mandatory')
mscLpCapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"))
if mibBuilder.loadTexts: mscLpCapEntry.setStatus('mandatory')
mscLpMsgBlockCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMsgBlockCapacity.setStatus('mandatory')
mscLpLocalMsgBlockCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpLocalMsgBlockCapacity.setStatus('mandatory')
mscLpLinkToApplicationsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 242), )
if mibBuilder.loadTexts: mscLpLinkToApplicationsTable.setStatus('mandatory')
mscLpLinkToApplicationsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 242, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpLinkToApplicationsValue"))
if mibBuilder.loadTexts: mscLpLinkToApplicationsEntry.setStatus('mandatory')
mscLpLinkToApplicationsValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 242, 1, 1), Link()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpLinkToApplicationsValue.setStatus('mandatory')
mscLpMemoryCapacityTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244), )
if mibBuilder.loadTexts: mscLpMemoryCapacityTable.setStatus('mandatory')
mscLpMemoryCapacityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpMemoryCapacityIndex"))
if mibBuilder.loadTexts: mscLpMemoryCapacityEntry.setStatus('mandatory')
mscLpMemoryCapacityIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("fastRam", 0), ("normalRam", 1), ("sharedRam", 2))))
if mibBuilder.loadTexts: mscLpMemoryCapacityIndex.setStatus('mandatory')
mscLpMemoryCapacityValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMemoryCapacityValue.setStatus('mandatory')
mscLpMemoryUsageTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245), )
if mibBuilder.loadTexts: mscLpMemoryUsageTable.setStatus('mandatory')
mscLpMemoryUsageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpMemoryUsageIndex"))
if mibBuilder.loadTexts: mscLpMemoryUsageEntry.setStatus('mandatory')
mscLpMemoryUsageIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("fastRam", 0), ("normalRam", 1), ("sharedRam", 2))))
if mibBuilder.loadTexts: mscLpMemoryUsageIndex.setStatus('mandatory')
mscLpMemoryUsageValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245, 1, 2), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMemoryUsageValue.setStatus('mandatory')
mscLpMemoryUsageAvgTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276), )
if mibBuilder.loadTexts: mscLpMemoryUsageAvgTable.setStatus('mandatory')
mscLpMemoryUsageAvgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpMemoryUsageAvgIndex"))
if mibBuilder.loadTexts: mscLpMemoryUsageAvgEntry.setStatus('mandatory')
mscLpMemoryUsageAvgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("fastRam", 0), ("normalRam", 1), ("sharedRam", 2))))
if mibBuilder.loadTexts: mscLpMemoryUsageAvgIndex.setStatus('mandatory')
mscLpMemoryUsageAvgValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276, 1, 2), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMemoryUsageAvgValue.setStatus('mandatory')
mscLpMemoryUsageAvgMinTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277), )
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMinTable.setStatus('mandatory')
mscLpMemoryUsageAvgMinEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpMemoryUsageAvgMinIndex"))
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMinEntry.setStatus('mandatory')
mscLpMemoryUsageAvgMinIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("fastRam", 0), ("normalRam", 1), ("sharedRam", 2))))
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMinIndex.setStatus('mandatory')
mscLpMemoryUsageAvgMinValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277, 1, 2), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMinValue.setStatus('mandatory')
mscLpMemoryUsageAvgMaxTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278), )
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMaxTable.setStatus('mandatory')
mscLpMemoryUsageAvgMaxEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpMemoryUsageAvgMaxIndex"))
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMaxEntry.setStatus('mandatory')
mscLpMemoryUsageAvgMaxIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("fastRam", 0), ("normalRam", 1), ("sharedRam", 2))))
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMaxIndex.setStatus('mandatory')
mscLpMemoryUsageAvgMaxValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278, 1, 2), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpMemoryUsageAvgMaxValue.setStatus('mandatory')
mscLpDS3 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5))
mscLpDS3RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1), )
if mibBuilder.loadTexts: mscLpDS3RowStatusTable.setStatus('mandatory')
mscLpDS3RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3RowStatusEntry.setStatus('mandatory')
mscLpDS3RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3RowStatus.setStatus('mandatory')
mscLpDS3ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3ComponentName.setStatus('mandatory')
mscLpDS3StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3StorageType.setStatus('mandatory')
mscLpDS3Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 11)))
if mibBuilder.loadTexts: mscLpDS3Index.setStatus('mandatory')
mscLpDS3ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10), )
if mibBuilder.loadTexts: mscLpDS3ProvTable.setStatus('mandatory')
mscLpDS3ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3ProvEntry.setStatus('mandatory')
mscLpDS3CbitParity = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('on')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CbitParity.setStatus('mandatory')
mscLpDS3LineLength = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 450)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3LineLength.setStatus('mandatory')
mscLpDS3ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 4))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2), ("otherPort", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3ClockingSource.setStatus('mandatory')
mscLpDS3ApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 4), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3ApplicationFramerName.setStatus('mandatory')
mscLpDS3Mapping = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("direct", 0), ("plcp", 1))).clone('direct')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3Mapping.setStatus('mandatory')
mscLpDS3CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 11), )
if mibBuilder.loadTexts: mscLpDS3CidDataTable.setStatus('mandatory')
mscLpDS3CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3CidDataEntry.setStatus('mandatory')
mscLpDS3CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CustomerIdentifier.setStatus('mandatory')
mscLpDS3AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12), )
if mibBuilder.loadTexts: mscLpDS3AdminInfoTable.setStatus('mandatory')
mscLpDS3AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3AdminInfoEntry.setStatus('mandatory')
mscLpDS3Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3Vendor.setStatus('mandatory')
mscLpDS3CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CommentText.setStatus('mandatory')
mscLpDS3IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13), )
if mibBuilder.loadTexts: mscLpDS3IfEntryTable.setStatus('mandatory')
mscLpDS3IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3IfEntryEntry.setStatus('mandatory')
mscLpDS3IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3IfAdminStatus.setStatus('mandatory')
mscLpDS3IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3IfIndex.setStatus('mandatory')
mscLpDS3OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 14), )
if mibBuilder.loadTexts: mscLpDS3OperStatusTable.setStatus('mandatory')
mscLpDS3OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3OperStatusEntry.setStatus('mandatory')
mscLpDS3SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3SnmpOperStatus.setStatus('mandatory')
mscLpDS3StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15), )
if mibBuilder.loadTexts: mscLpDS3StateTable.setStatus('mandatory')
mscLpDS3StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3StateEntry.setStatus('mandatory')
mscLpDS3AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3AdminState.setStatus('mandatory')
mscLpDS3OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3OperationalState.setStatus('mandatory')
mscLpDS3UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3UsageState.setStatus('mandatory')
mscLpDS3AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3AvailabilityStatus.setStatus('mandatory')
mscLpDS3ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3ProceduralStatus.setStatus('mandatory')
mscLpDS3ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3ControlStatus.setStatus('mandatory')
mscLpDS3AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3AlarmStatus.setStatus('mandatory')
mscLpDS3StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3StandbyStatus.setStatus('mandatory')
mscLpDS3UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3UnknownStatus.setStatus('mandatory')
mscLpDS3OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16), )
if mibBuilder.loadTexts: mscLpDS3OperTable.setStatus('mandatory')
mscLpDS3OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3OperEntry.setStatus('mandatory')
mscLpDS3LosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LosAlarm.setStatus('mandatory')
mscLpDS3LofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LofAlarm.setStatus('mandatory')
mscLpDS3RxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3RxAisAlarm.setStatus('mandatory')
mscLpDS3RxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3RxRaiAlarm.setStatus('mandatory')
mscLpDS3RxIdle = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3RxIdle.setStatus('mandatory')
mscLpDS3TxAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TxAis.setStatus('mandatory')
mscLpDS3TxRai = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TxRai.setStatus('mandatory')
mscLpDS3TxIdle = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TxIdle.setStatus('mandatory')
mscLpDS3StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17), )
if mibBuilder.loadTexts: mscLpDS3StatsTable.setStatus('mandatory')
mscLpDS3StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"))
if mibBuilder.loadTexts: mscLpDS3StatsEntry.setStatus('mandatory')
mscLpDS3RunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3RunningTime.setStatus('mandatory')
mscLpDS3ErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3ErrorFreeSec.setStatus('mandatory')
mscLpDS3LineCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LineCodeViolations.setStatus('mandatory')
mscLpDS3LineErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LineErroredSec.setStatus('mandatory')
mscLpDS3LineSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LineSevErroredSec.setStatus('mandatory')
mscLpDS3LineLosSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LineLosSec.setStatus('mandatory')
mscLpDS3LineFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3LineFailures.setStatus('mandatory')
mscLpDS3PathCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PathCodeViolations.setStatus('mandatory')
mscLpDS3PathErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PathErroredSec.setStatus('mandatory')
mscLpDS3PathSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PathSevErroredSec.setStatus('mandatory')
mscLpDS3PathSefAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PathSefAisSec.setStatus('mandatory')
mscLpDS3PathUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PathUnavailSec.setStatus('mandatory')
mscLpDS3PathFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PathFailures.setStatus('mandatory')
mscLpDS3Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2))
mscLpDS3TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1), )
if mibBuilder.loadTexts: mscLpDS3TestRowStatusTable.setStatus('mandatory')
mscLpDS3TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3TestIndex"))
if mibBuilder.loadTexts: mscLpDS3TestRowStatusEntry.setStatus('mandatory')
mscLpDS3TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestRowStatus.setStatus('mandatory')
mscLpDS3TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestComponentName.setStatus('mandatory')
mscLpDS3TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestStorageType.setStatus('mandatory')
mscLpDS3TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3TestIndex.setStatus('mandatory')
mscLpDS3TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10), )
if mibBuilder.loadTexts: mscLpDS3TestStateTable.setStatus('mandatory')
mscLpDS3TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3TestIndex"))
if mibBuilder.loadTexts: mscLpDS3TestStateEntry.setStatus('mandatory')
mscLpDS3TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestAdminState.setStatus('mandatory')
mscLpDS3TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestOperationalState.setStatus('mandatory')
mscLpDS3TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestUsageState.setStatus('mandatory')
mscLpDS3TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11), )
if mibBuilder.loadTexts: mscLpDS3TestSetupTable.setStatus('mandatory')
mscLpDS3TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3TestIndex"))
if mibBuilder.loadTexts: mscLpDS3TestSetupEntry.setStatus('mandatory')
mscLpDS3TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestPurpose.setStatus('mandatory')
mscLpDS3TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestType.setStatus('mandatory')
mscLpDS3TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestFrmSize.setStatus('mandatory')
mscLpDS3TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestFrmPatternType.setStatus('mandatory')
mscLpDS3TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestCustomizedPattern.setStatus('mandatory')
mscLpDS3TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestDataStartDelay.setStatus('mandatory')
mscLpDS3TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestDisplayInterval.setStatus('mandatory')
mscLpDS3TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3TestDuration.setStatus('mandatory')
mscLpDS3TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12), )
if mibBuilder.loadTexts: mscLpDS3TestResultsTable.setStatus('mandatory')
mscLpDS3TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3TestIndex"))
if mibBuilder.loadTexts: mscLpDS3TestResultsEntry.setStatus('mandatory')
mscLpDS3TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestElapsedTime.setStatus('mandatory')
mscLpDS3TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestTimeRemaining.setStatus('mandatory')
mscLpDS3TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestCauseOfTermination.setStatus('mandatory')
mscLpDS3TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestBitsTx.setStatus('mandatory')
mscLpDS3TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestBytesTx.setStatus('mandatory')
mscLpDS3TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestFrmTx.setStatus('mandatory')
mscLpDS3TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestBitsRx.setStatus('mandatory')
mscLpDS3TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestBytesRx.setStatus('mandatory')
mscLpDS3TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestFrmRx.setStatus('mandatory')
mscLpDS3TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestErroredFrmRx.setStatus('mandatory')
mscLpDS3TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3TestBitErrorRate.setStatus('mandatory')
mscLpDS3CBit = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3))
mscLpDS3CBitRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1), )
if mibBuilder.loadTexts: mscLpDS3CBitRowStatusTable.setStatus('mandatory')
mscLpDS3CBitRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CBitIndex"))
if mibBuilder.loadTexts: mscLpDS3CBitRowStatusEntry.setStatus('mandatory')
mscLpDS3CBitRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitRowStatus.setStatus('mandatory')
mscLpDS3CBitComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitComponentName.setStatus('mandatory')
mscLpDS3CBitStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitStorageType.setStatus('mandatory')
mscLpDS3CBitIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3CBitIndex.setStatus('mandatory')
mscLpDS3CBitOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10), )
if mibBuilder.loadTexts: mscLpDS3CBitOperationalTable.setStatus('mandatory')
mscLpDS3CBitOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CBitIndex"))
if mibBuilder.loadTexts: mscLpDS3CBitOperationalEntry.setStatus('mandatory')
mscLpDS3CBitFarEndAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("equipmentFailure", 0), ("los", 1), ("sef", 2), ("ais", 3), ("idle", 4), ("none", 5))).clone('none')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndAlarm.setStatus('mandatory')
mscLpDS3CBitLoopedbackToFarEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitLoopedbackToFarEnd.setStatus('mandatory')
mscLpDS3CBitLoopbackAtFarEndRequested = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitLoopbackAtFarEndRequested.setStatus('mandatory')
mscLpDS3CBitStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11), )
if mibBuilder.loadTexts: mscLpDS3CBitStatsTable.setStatus('mandatory')
mscLpDS3CBitStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CBitIndex"))
if mibBuilder.loadTexts: mscLpDS3CBitStatsEntry.setStatus('mandatory')
mscLpDS3CBitCbitErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitCbitErrorFreeSec.setStatus('mandatory')
mscLpDS3CBitCbitCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitCbitCodeViolations.setStatus('mandatory')
mscLpDS3CBitCbitErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitCbitErroredSec.setStatus('mandatory')
mscLpDS3CBitCbitSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitCbitSevErroredSec.setStatus('mandatory')
mscLpDS3CBitCbitUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitCbitUnavailSec.setStatus('mandatory')
mscLpDS3CBitFarEndErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndErrorFreeSec.setStatus('mandatory')
mscLpDS3CBitFarEndCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndCodeViolations.setStatus('mandatory')
mscLpDS3CBitFarEndErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndErroredSec.setStatus('mandatory')
mscLpDS3CBitFarEndSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndSevErroredSec.setStatus('mandatory')
mscLpDS3CBitFarEndSefAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndSefAisSec.setStatus('mandatory')
mscLpDS3CBitFarEndUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndUnavailSec.setStatus('mandatory')
mscLpDS3CBitFarEndFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CBitFarEndFailures.setStatus('mandatory')
mscLpDS3Plcp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4))
mscLpDS3PlcpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1), )
if mibBuilder.loadTexts: mscLpDS3PlcpRowStatusTable.setStatus('mandatory')
mscLpDS3PlcpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3PlcpIndex"))
if mibBuilder.loadTexts: mscLpDS3PlcpRowStatusEntry.setStatus('mandatory')
mscLpDS3PlcpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpRowStatus.setStatus('mandatory')
mscLpDS3PlcpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpComponentName.setStatus('mandatory')
mscLpDS3PlcpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpStorageType.setStatus('mandatory')
mscLpDS3PlcpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3PlcpIndex.setStatus('mandatory')
mscLpDS3PlcpOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10), )
if mibBuilder.loadTexts: mscLpDS3PlcpOperationalTable.setStatus('mandatory')
mscLpDS3PlcpOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3PlcpIndex"))
if mibBuilder.loadTexts: mscLpDS3PlcpOperationalEntry.setStatus('mandatory')
mscLpDS3PlcpLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpLofAlarm.setStatus('mandatory')
mscLpDS3PlcpRxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpRxRaiAlarm.setStatus('mandatory')
mscLpDS3PlcpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11), )
if mibBuilder.loadTexts: mscLpDS3PlcpStatsTable.setStatus('mandatory')
mscLpDS3PlcpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3PlcpIndex"))
if mibBuilder.loadTexts: mscLpDS3PlcpStatsEntry.setStatus('mandatory')
mscLpDS3PlcpErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpErrorFreeSec.setStatus('mandatory')
mscLpDS3PlcpCodingViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpCodingViolations.setStatus('mandatory')
mscLpDS3PlcpErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpErroredSec.setStatus('mandatory')
mscLpDS3PlcpSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpSevErroredSec.setStatus('mandatory')
mscLpDS3PlcpSevErroredFramingSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpSevErroredFramingSec.setStatus('mandatory')
mscLpDS3PlcpUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpUnavailSec.setStatus('mandatory')
mscLpDS3PlcpFarEndErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpFarEndErrorFreeSec.setStatus('mandatory')
mscLpDS3PlcpFarEndCodingViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpFarEndCodingViolations.setStatus('mandatory')
mscLpDS3PlcpFarEndErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpFarEndErroredSec.setStatus('mandatory')
mscLpDS3PlcpFarEndSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpFarEndSevErroredSec.setStatus('mandatory')
mscLpDS3PlcpFarEndUnavailableSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3PlcpFarEndUnavailableSec.setStatus('mandatory')
mscLpDS3Cell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5))
mscLpDS3CellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1), )
if mibBuilder.loadTexts: mscLpDS3CellRowStatusTable.setStatus('mandatory')
mscLpDS3CellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CellIndex"))
if mibBuilder.loadTexts: mscLpDS3CellRowStatusEntry.setStatus('mandatory')
mscLpDS3CellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CellRowStatus.setStatus('mandatory')
mscLpDS3CellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellComponentName.setStatus('mandatory')
mscLpDS3CellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellStorageType.setStatus('mandatory')
mscLpDS3CellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3CellIndex.setStatus('mandatory')
mscLpDS3CellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10), )
if mibBuilder.loadTexts: mscLpDS3CellProvTable.setStatus('mandatory')
mscLpDS3CellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CellIndex"))
if mibBuilder.loadTexts: mscLpDS3CellProvEntry.setStatus('mandatory')
mscLpDS3CellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CellAlarmActDelay.setStatus('mandatory')
mscLpDS3CellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CellScrambleCellPayload.setStatus('mandatory')
mscLpDS3CellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3CellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpDS3CellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 11), )
if mibBuilder.loadTexts: mscLpDS3CellOperTable.setStatus('mandatory')
mscLpDS3CellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CellIndex"))
if mibBuilder.loadTexts: mscLpDS3CellOperEntry.setStatus('mandatory')
mscLpDS3CellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellLcdAlarm.setStatus('mandatory')
mscLpDS3CellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12), )
if mibBuilder.loadTexts: mscLpDS3CellStatsTable.setStatus('mandatory')
mscLpDS3CellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3CellIndex"))
if mibBuilder.loadTexts: mscLpDS3CellStatsEntry.setStatus('mandatory')
mscLpDS3CellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellUncorrectableHecErrors.setStatus('mandatory')
mscLpDS3CellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellSevErroredSec.setStatus('mandatory')
mscLpDS3CellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellReceiveCellUtilization.setStatus('mandatory')
mscLpDS3CellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellTransmitCellUtilization.setStatus('mandatory')
mscLpDS3CellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3CellCorrectableHeaderErrors.setStatus('mandatory')
mscLpDS3DS1 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6))
mscLpDS3DS1RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1), )
if mibBuilder.loadTexts: mscLpDS3DS1RowStatusTable.setStatus('mandatory')
mscLpDS3DS1RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1RowStatusEntry.setStatus('mandatory')
mscLpDS3DS1RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1RowStatus.setStatus('mandatory')
mscLpDS3DS1ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ComponentName.setStatus('mandatory')
mscLpDS3DS1StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1StorageType.setStatus('mandatory')
mscLpDS3DS1Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 28)))
if mibBuilder.loadTexts: mscLpDS3DS1Index.setStatus('mandatory')
mscLpDS3DS1ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10), )
if mibBuilder.loadTexts: mscLpDS3DS1ProvTable.setStatus('mandatory')
mscLpDS3DS1ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1ProvEntry.setStatus('mandatory')
mscLpDS3DS1LineType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 4, 5))).clone(namedValues=NamedValues(("d4", 0), ("esf", 1), ("d4Cas", 4), ("esfCas", 5))).clone('esf')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1LineType.setStatus('mandatory')
mscLpDS3DS1ZeroCoding = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 3))).clone(namedValues=NamedValues(("bit7Stuffing", 0), ("none", 3))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ZeroCoding.setStatus('mandatory')
mscLpDS3DS1ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ClockingSource.setStatus('mandatory')
mscLpDS3DS1CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 11), )
if mibBuilder.loadTexts: mscLpDS3DS1CidDataTable.setStatus('mandatory')
mscLpDS3DS1CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1CidDataEntry.setStatus('mandatory')
mscLpDS3DS1CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1CustomerIdentifier.setStatus('mandatory')
mscLpDS3DS1AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12), )
if mibBuilder.loadTexts: mscLpDS3DS1AdminInfoTable.setStatus('mandatory')
mscLpDS3DS1AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1AdminInfoEntry.setStatus('mandatory')
mscLpDS3DS1Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1Vendor.setStatus('mandatory')
mscLpDS3DS1CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1CommentText.setStatus('mandatory')
mscLpDS3DS1IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13), )
if mibBuilder.loadTexts: mscLpDS3DS1IfEntryTable.setStatus('mandatory')
mscLpDS3DS1IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1IfEntryEntry.setStatus('mandatory')
mscLpDS3DS1IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1IfAdminStatus.setStatus('mandatory')
mscLpDS3DS1IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1IfIndex.setStatus('mandatory')
mscLpDS3DS1OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 14), )
if mibBuilder.loadTexts: mscLpDS3DS1OperStatusTable.setStatus('mandatory')
mscLpDS3DS1OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1OperStatusEntry.setStatus('mandatory')
mscLpDS3DS1SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1SnmpOperStatus.setStatus('mandatory')
mscLpDS3DS1StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15), )
if mibBuilder.loadTexts: mscLpDS3DS1StateTable.setStatus('mandatory')
mscLpDS3DS1StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1StateEntry.setStatus('mandatory')
mscLpDS3DS1AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1AdminState.setStatus('mandatory')
mscLpDS3DS1OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1OperationalState.setStatus('mandatory')
mscLpDS3DS1UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1UsageState.setStatus('mandatory')
mscLpDS3DS1AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1AvailabilityStatus.setStatus('mandatory')
mscLpDS3DS1ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ProceduralStatus.setStatus('mandatory')
mscLpDS3DS1ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ControlStatus.setStatus('mandatory')
mscLpDS3DS1AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1AlarmStatus.setStatus('mandatory')
mscLpDS3DS1StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1StandbyStatus.setStatus('mandatory')
mscLpDS3DS1UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1UnknownStatus.setStatus('mandatory')
mscLpDS3DS1OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16), )
if mibBuilder.loadTexts: mscLpDS3DS1OperTable.setStatus('mandatory')
mscLpDS3DS1OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1OperEntry.setStatus('mandatory')
mscLpDS3DS1RxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1RxAisAlarm.setStatus('mandatory')
mscLpDS3DS1LofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1LofAlarm.setStatus('mandatory')
mscLpDS3DS1RxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1RxRaiAlarm.setStatus('mandatory')
mscLpDS3DS1TxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TxAisAlarm.setStatus('mandatory')
mscLpDS3DS1TxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TxRaiAlarm.setStatus('mandatory')
mscLpDS3DS1StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17), )
if mibBuilder.loadTexts: mscLpDS3DS1StatsTable.setStatus('mandatory')
mscLpDS3DS1StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"))
if mibBuilder.loadTexts: mscLpDS3DS1StatsEntry.setStatus('mandatory')
mscLpDS3DS1RunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1RunningTime.setStatus('mandatory')
mscLpDS3DS1ErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ErrorFreeSec.setStatus('mandatory')
mscLpDS3DS1ErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ErroredSec.setStatus('mandatory')
mscLpDS3DS1SevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1SevErroredSec.setStatus('mandatory')
mscLpDS3DS1SevErroredFrmSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1SevErroredFrmSec.setStatus('mandatory')
mscLpDS3DS1UnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1UnavailSec.setStatus('mandatory')
mscLpDS3DS1CrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1CrcErrors.setStatus('mandatory')
mscLpDS3DS1FrmErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1FrmErrors.setStatus('mandatory')
mscLpDS3DS1SlipErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1SlipErrors.setStatus('mandatory')
mscLpDS3DS1Chan = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2))
mscLpDS3DS1ChanRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanRowStatusTable.setStatus('mandatory')
mscLpDS3DS1ChanRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanRowStatusEntry.setStatus('mandatory')
mscLpDS3DS1ChanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanRowStatus.setStatus('mandatory')
mscLpDS3DS1ChanComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanComponentName.setStatus('mandatory')
mscLpDS3DS1ChanStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanStorageType.setStatus('mandatory')
mscLpDS3DS1ChanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0)))
if mibBuilder.loadTexts: mscLpDS3DS1ChanIndex.setStatus('mandatory')
mscLpDS3DS1ChanProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanProvTable.setStatus('mandatory')
mscLpDS3DS1ChanProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanProvEntry.setStatus('mandatory')
mscLpDS3DS1ChanTimeslots = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTimeslots.setStatus('mandatory')
mscLpDS3DS1ChanTimeslotDataRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("n56k", 0), ("doNotOverride", 1))).clone('doNotOverride')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTimeslotDataRate.setStatus('mandatory')
mscLpDS3DS1ChanApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1, 3), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanApplicationFramerName.setStatus('mandatory')
mscLpDS3DS1ChanCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 11), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanCidDataTable.setStatus('mandatory')
mscLpDS3DS1ChanCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanCidDataEntry.setStatus('mandatory')
mscLpDS3DS1ChanCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCustomerIdentifier.setStatus('mandatory')
mscLpDS3DS1ChanIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanIfEntryTable.setStatus('mandatory')
mscLpDS3DS1ChanIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanIfEntryEntry.setStatus('mandatory')
mscLpDS3DS1ChanIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanIfAdminStatus.setStatus('mandatory')
mscLpDS3DS1ChanIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanIfIndex.setStatus('mandatory')
mscLpDS3DS1ChanOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 13), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanOperStatusTable.setStatus('mandatory')
mscLpDS3DS1ChanOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanOperStatusEntry.setStatus('mandatory')
mscLpDS3DS1ChanSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanSnmpOperStatus.setStatus('mandatory')
mscLpDS3DS1ChanStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanStateTable.setStatus('mandatory')
mscLpDS3DS1ChanStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanStateEntry.setStatus('mandatory')
mscLpDS3DS1ChanAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanAdminState.setStatus('mandatory')
mscLpDS3DS1ChanOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanOperationalState.setStatus('mandatory')
mscLpDS3DS1ChanUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanUsageState.setStatus('mandatory')
mscLpDS3DS1ChanAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanAvailabilityStatus.setStatus('mandatory')
mscLpDS3DS1ChanProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanProceduralStatus.setStatus('mandatory')
mscLpDS3DS1ChanControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanControlStatus.setStatus('mandatory')
mscLpDS3DS1ChanAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanAlarmStatus.setStatus('mandatory')
mscLpDS3DS1ChanStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanStandbyStatus.setStatus('mandatory')
mscLpDS3DS1ChanUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanUnknownStatus.setStatus('mandatory')
mscLpDS3DS1ChanOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 15), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanOperTable.setStatus('mandatory')
mscLpDS3DS1ChanOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanOperEntry.setStatus('mandatory')
mscLpDS3DS1ChanActualChannelSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 15, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanActualChannelSpeed.setStatus('mandatory')
mscLpDS3DS1ChanAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanAdminInfoTable.setStatus('mandatory')
mscLpDS3DS1ChanAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanAdminInfoEntry.setStatus('mandatory')
mscLpDS3DS1ChanVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanVendor.setStatus('mandatory')
mscLpDS3DS1ChanCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCommentText.setStatus('mandatory')
mscLpDS3DS1ChanTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2))
mscLpDS3DS1ChanTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestRowStatusTable.setStatus('mandatory')
mscLpDS3DS1ChanTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestRowStatusEntry.setStatus('mandatory')
mscLpDS3DS1ChanTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestRowStatus.setStatus('mandatory')
mscLpDS3DS1ChanTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestComponentName.setStatus('mandatory')
mscLpDS3DS1ChanTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestStorageType.setStatus('mandatory')
mscLpDS3DS1ChanTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestIndex.setStatus('mandatory')
mscLpDS3DS1ChanTestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestStateTable.setStatus('mandatory')
mscLpDS3DS1ChanTestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestStateEntry.setStatus('mandatory')
mscLpDS3DS1ChanTestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestAdminState.setStatus('mandatory')
mscLpDS3DS1ChanTestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestOperationalState.setStatus('mandatory')
mscLpDS3DS1ChanTestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestUsageState.setStatus('mandatory')
mscLpDS3DS1ChanTestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestSetupTable.setStatus('mandatory')
mscLpDS3DS1ChanTestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestSetupEntry.setStatus('mandatory')
mscLpDS3DS1ChanTestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestPurpose.setStatus('mandatory')
mscLpDS3DS1ChanTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestType.setStatus('mandatory')
mscLpDS3DS1ChanTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestFrmSize.setStatus('mandatory')
mscLpDS3DS1ChanTestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestFrmPatternType.setStatus('mandatory')
mscLpDS3DS1ChanTestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestCustomizedPattern.setStatus('mandatory')
mscLpDS3DS1ChanTestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestDataStartDelay.setStatus('mandatory')
mscLpDS3DS1ChanTestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestDisplayInterval.setStatus('mandatory')
mscLpDS3DS1ChanTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestDuration.setStatus('mandatory')
mscLpDS3DS1ChanTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestResultsTable.setStatus('mandatory')
mscLpDS3DS1ChanTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestResultsEntry.setStatus('mandatory')
mscLpDS3DS1ChanTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestElapsedTime.setStatus('mandatory')
mscLpDS3DS1ChanTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestTimeRemaining.setStatus('mandatory')
mscLpDS3DS1ChanTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestCauseOfTermination.setStatus('mandatory')
mscLpDS3DS1ChanTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestBitsTx.setStatus('mandatory')
mscLpDS3DS1ChanTestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestBytesTx.setStatus('mandatory')
mscLpDS3DS1ChanTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestFrmTx.setStatus('mandatory')
mscLpDS3DS1ChanTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestBitsRx.setStatus('mandatory')
mscLpDS3DS1ChanTestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestBytesRx.setStatus('mandatory')
mscLpDS3DS1ChanTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestFrmRx.setStatus('mandatory')
mscLpDS3DS1ChanTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestErroredFrmRx.setStatus('mandatory')
mscLpDS3DS1ChanTestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTestBitErrorRate.setStatus('mandatory')
mscLpDS3DS1ChanCell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3))
mscLpDS3DS1ChanCellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellRowStatusTable.setStatus('mandatory')
mscLpDS3DS1ChanCellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellRowStatusEntry.setStatus('mandatory')
mscLpDS3DS1ChanCellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellRowStatus.setStatus('mandatory')
mscLpDS3DS1ChanCellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellComponentName.setStatus('mandatory')
mscLpDS3DS1ChanCellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellStorageType.setStatus('mandatory')
mscLpDS3DS1ChanCellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellIndex.setStatus('mandatory')
mscLpDS3DS1ChanCellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellProvTable.setStatus('mandatory')
mscLpDS3DS1ChanCellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellProvEntry.setStatus('mandatory')
mscLpDS3DS1ChanCellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellAlarmActDelay.setStatus('mandatory')
mscLpDS3DS1ChanCellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellScrambleCellPayload.setStatus('mandatory')
mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpDS3DS1ChanCellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 11), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellOperTable.setStatus('mandatory')
mscLpDS3DS1ChanCellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellOperEntry.setStatus('mandatory')
mscLpDS3DS1ChanCellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellLcdAlarm.setStatus('mandatory')
mscLpDS3DS1ChanCellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellStatsTable.setStatus('mandatory')
mscLpDS3DS1ChanCellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellStatsEntry.setStatus('mandatory')
mscLpDS3DS1ChanCellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellUncorrectableHecErrors.setStatus('mandatory')
mscLpDS3DS1ChanCellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellSevErroredSec.setStatus('mandatory')
mscLpDS3DS1ChanCellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellReceiveCellUtilization.setStatus('mandatory')
mscLpDS3DS1ChanCellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellTransmitCellUtilization.setStatus('mandatory')
mscLpDS3DS1ChanCellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanCellCorrectableHeaderErrors.setStatus('mandatory')
mscLpDS3DS1ChanTc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4))
mscLpDS3DS1ChanTcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcRowStatusTable.setStatus('mandatory')
mscLpDS3DS1ChanTcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcRowStatusEntry.setStatus('mandatory')
mscLpDS3DS1ChanTcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcRowStatus.setStatus('mandatory')
mscLpDS3DS1ChanTcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcComponentName.setStatus('mandatory')
mscLpDS3DS1ChanTcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcStorageType.setStatus('mandatory')
mscLpDS3DS1ChanTcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcIndex.setStatus('mandatory')
mscLpDS3DS1ChanTcProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcProvTable.setStatus('mandatory')
mscLpDS3DS1ChanTcProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcProvEntry.setStatus('mandatory')
mscLpDS3DS1ChanTcReplacementData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10, 1, 1), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcReplacementData.setStatus('mandatory')
mscLpDS3DS1ChanTcSignalOneDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSignalOneDuration.setStatus('mandatory')
mscLpDS3DS1ChanTcOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcOpTable.setStatus('mandatory')
mscLpDS3DS1ChanTcOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcOpEntry.setStatus('mandatory')
mscLpDS3DS1ChanTcIngressConditioning = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcIngressConditioning.setStatus('mandatory')
mscLpDS3DS1ChanTcEgressConditioning = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcEgressConditioning.setStatus('mandatory')
mscLpDS3DS1ChanTcSigOneTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigOneTable.setStatus('mandatory')
mscLpDS3DS1ChanTcSigOneEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcSigOneIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigOneEntry.setStatus('mandatory')
mscLpDS3DS1ChanTcSigOneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("d", 0), ("c", 1), ("b", 2), ("a", 3))))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigOneIndex.setStatus('mandatory')
mscLpDS3DS1ChanTcSigOneValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigOneValue.setStatus('mandatory')
mscLpDS3DS1ChanTcSigTwoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399), )
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigTwoTable.setStatus('mandatory')
mscLpDS3DS1ChanTcSigTwoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1ChanTcSigTwoIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigTwoEntry.setStatus('mandatory')
mscLpDS3DS1ChanTcSigTwoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("d", 0), ("c", 1), ("b", 2), ("a", 3))))
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigTwoIndex.setStatus('mandatory')
mscLpDS3DS1ChanTcSigTwoValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1ChanTcSigTwoValue.setStatus('mandatory')
mscLpDS3DS1Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3))
mscLpDS3DS1TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1), )
if mibBuilder.loadTexts: mscLpDS3DS1TestRowStatusTable.setStatus('mandatory')
mscLpDS3DS1TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1TestRowStatusEntry.setStatus('mandatory')
mscLpDS3DS1TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestRowStatus.setStatus('mandatory')
mscLpDS3DS1TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestComponentName.setStatus('mandatory')
mscLpDS3DS1TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestStorageType.setStatus('mandatory')
mscLpDS3DS1TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS3DS1TestIndex.setStatus('mandatory')
mscLpDS3DS1TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10), )
if mibBuilder.loadTexts: mscLpDS3DS1TestStateTable.setStatus('mandatory')
mscLpDS3DS1TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1TestStateEntry.setStatus('mandatory')
mscLpDS3DS1TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestAdminState.setStatus('mandatory')
mscLpDS3DS1TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestOperationalState.setStatus('mandatory')
mscLpDS3DS1TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestUsageState.setStatus('mandatory')
mscLpDS3DS1TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11), )
if mibBuilder.loadTexts: mscLpDS3DS1TestSetupTable.setStatus('mandatory')
mscLpDS3DS1TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1TestSetupEntry.setStatus('mandatory')
mscLpDS3DS1TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestPurpose.setStatus('mandatory')
mscLpDS3DS1TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestType.setStatus('mandatory')
mscLpDS3DS1TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestFrmSize.setStatus('mandatory')
mscLpDS3DS1TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestFrmPatternType.setStatus('mandatory')
mscLpDS3DS1TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestCustomizedPattern.setStatus('mandatory')
mscLpDS3DS1TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestDataStartDelay.setStatus('mandatory')
mscLpDS3DS1TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestDisplayInterval.setStatus('mandatory')
mscLpDS3DS1TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS3DS1TestDuration.setStatus('mandatory')
mscLpDS3DS1TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12), )
if mibBuilder.loadTexts: mscLpDS3DS1TestResultsTable.setStatus('mandatory')
mscLpDS3DS1TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS3DS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS3DS1TestResultsEntry.setStatus('mandatory')
mscLpDS3DS1TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestElapsedTime.setStatus('mandatory')
mscLpDS3DS1TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestTimeRemaining.setStatus('mandatory')
mscLpDS3DS1TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestCauseOfTermination.setStatus('mandatory')
mscLpDS3DS1TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestBitsTx.setStatus('mandatory')
mscLpDS3DS1TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestBytesTx.setStatus('mandatory')
mscLpDS3DS1TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestFrmTx.setStatus('mandatory')
mscLpDS3DS1TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestBitsRx.setStatus('mandatory')
mscLpDS3DS1TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestBytesRx.setStatus('mandatory')
mscLpDS3DS1TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestFrmRx.setStatus('mandatory')
mscLpDS3DS1TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestErroredFrmRx.setStatus('mandatory')
mscLpDS3DS1TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS3DS1TestBitErrorRate.setStatus('mandatory')
mscLpE3 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6))
mscLpE3RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1), )
if mibBuilder.loadTexts: mscLpE3RowStatusTable.setStatus('mandatory')
mscLpE3RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3RowStatusEntry.setStatus('mandatory')
mscLpE3RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3RowStatus.setStatus('mandatory')
mscLpE3ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3ComponentName.setStatus('mandatory')
mscLpE3StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3StorageType.setStatus('mandatory')
mscLpE3Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 11)))
if mibBuilder.loadTexts: mscLpE3Index.setStatus('mandatory')
mscLpE3ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10), )
if mibBuilder.loadTexts: mscLpE3ProvTable.setStatus('mandatory')
mscLpE3ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3ProvEntry.setStatus('mandatory')
mscLpE3LineLength = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 300)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3LineLength.setStatus('mandatory')
mscLpE3ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 4))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2), ("otherPort", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3ClockingSource.setStatus('mandatory')
mscLpE3ApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 3), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3ApplicationFramerName.setStatus('mandatory')
mscLpE3Mapping = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("direct", 0), ("plcp", 1))).clone('direct')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3Mapping.setStatus('mandatory')
mscLpE3Framing = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("g751", 0), ("g832", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3Framing.setStatus('mandatory')
mscLpE3LinkAlarmActivationThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(100, 2600)).clone(2200)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3LinkAlarmActivationThreshold.setStatus('mandatory')
mscLpE3LinkAlarmScanInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(50, 250)).clone(200)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3LinkAlarmScanInterval.setStatus('mandatory')
mscLpE3CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 11), )
if mibBuilder.loadTexts: mscLpE3CidDataTable.setStatus('mandatory')
mscLpE3CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3CidDataEntry.setStatus('mandatory')
mscLpE3CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3CustomerIdentifier.setStatus('mandatory')
mscLpE3AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12), )
if mibBuilder.loadTexts: mscLpE3AdminInfoTable.setStatus('mandatory')
mscLpE3AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3AdminInfoEntry.setStatus('mandatory')
mscLpE3Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3Vendor.setStatus('mandatory')
mscLpE3CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3CommentText.setStatus('mandatory')
mscLpE3IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13), )
if mibBuilder.loadTexts: mscLpE3IfEntryTable.setStatus('mandatory')
mscLpE3IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3IfEntryEntry.setStatus('mandatory')
mscLpE3IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3IfAdminStatus.setStatus('mandatory')
mscLpE3IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3IfIndex.setStatus('mandatory')
mscLpE3OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 14), )
if mibBuilder.loadTexts: mscLpE3OperStatusTable.setStatus('mandatory')
mscLpE3OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3OperStatusEntry.setStatus('mandatory')
mscLpE3SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3SnmpOperStatus.setStatus('mandatory')
mscLpE3StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15), )
if mibBuilder.loadTexts: mscLpE3StateTable.setStatus('mandatory')
mscLpE3StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3StateEntry.setStatus('mandatory')
mscLpE3AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3AdminState.setStatus('mandatory')
mscLpE3OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3OperationalState.setStatus('mandatory')
mscLpE3UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3UsageState.setStatus('mandatory')
mscLpE3AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3AvailabilityStatus.setStatus('mandatory')
mscLpE3ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3ProceduralStatus.setStatus('mandatory')
mscLpE3ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3ControlStatus.setStatus('mandatory')
mscLpE3AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3AlarmStatus.setStatus('mandatory')
mscLpE3StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3StandbyStatus.setStatus('mandatory')
mscLpE3UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3UnknownStatus.setStatus('mandatory')
mscLpE3OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16), )
if mibBuilder.loadTexts: mscLpE3OperTable.setStatus('mandatory')
mscLpE3OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3OperEntry.setStatus('mandatory')
mscLpE3LosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LosAlarm.setStatus('mandatory')
mscLpE3LofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LofAlarm.setStatus('mandatory')
mscLpE3RxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3RxAisAlarm.setStatus('mandatory')
mscLpE3RxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3RxRaiAlarm.setStatus('mandatory')
mscLpE3TxAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TxAis.setStatus('mandatory')
mscLpE3TxRai = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TxRai.setStatus('mandatory')
mscLpE3StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17), )
if mibBuilder.loadTexts: mscLpE3StatsTable.setStatus('mandatory')
mscLpE3StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"))
if mibBuilder.loadTexts: mscLpE3StatsEntry.setStatus('mandatory')
mscLpE3RunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3RunningTime.setStatus('mandatory')
mscLpE3ErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3ErrorFreeSec.setStatus('mandatory')
mscLpE3LineCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LineCodeViolations.setStatus('mandatory')
mscLpE3LineErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LineErroredSec.setStatus('mandatory')
mscLpE3LineSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LineSevErroredSec.setStatus('mandatory')
mscLpE3LineLosSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LineLosSec.setStatus('mandatory')
mscLpE3LineFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3LineFailures.setStatus('mandatory')
mscLpE3PathCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PathCodeViolations.setStatus('mandatory')
mscLpE3PathErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PathErroredSec.setStatus('mandatory')
mscLpE3PathSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PathSevErroredSec.setStatus('mandatory')
mscLpE3PathSefAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PathSefAisSec.setStatus('mandatory')
mscLpE3PathUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PathUnavailSec.setStatus('mandatory')
mscLpE3PathFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PathFailures.setStatus('mandatory')
mscLpE3Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2))
mscLpE3TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1), )
if mibBuilder.loadTexts: mscLpE3TestRowStatusTable.setStatus('mandatory')
mscLpE3TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3TestIndex"))
if mibBuilder.loadTexts: mscLpE3TestRowStatusEntry.setStatus('mandatory')
mscLpE3TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestRowStatus.setStatus('mandatory')
mscLpE3TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestComponentName.setStatus('mandatory')
mscLpE3TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestStorageType.setStatus('mandatory')
mscLpE3TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE3TestIndex.setStatus('mandatory')
mscLpE3TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10), )
if mibBuilder.loadTexts: mscLpE3TestStateTable.setStatus('mandatory')
mscLpE3TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3TestIndex"))
if mibBuilder.loadTexts: mscLpE3TestStateEntry.setStatus('mandatory')
mscLpE3TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestAdminState.setStatus('mandatory')
mscLpE3TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestOperationalState.setStatus('mandatory')
mscLpE3TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestUsageState.setStatus('mandatory')
mscLpE3TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11), )
if mibBuilder.loadTexts: mscLpE3TestSetupTable.setStatus('mandatory')
mscLpE3TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3TestIndex"))
if mibBuilder.loadTexts: mscLpE3TestSetupEntry.setStatus('mandatory')
mscLpE3TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestPurpose.setStatus('mandatory')
mscLpE3TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestType.setStatus('mandatory')
mscLpE3TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestFrmSize.setStatus('mandatory')
mscLpE3TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestFrmPatternType.setStatus('mandatory')
mscLpE3TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestCustomizedPattern.setStatus('mandatory')
mscLpE3TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestDataStartDelay.setStatus('mandatory')
mscLpE3TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestDisplayInterval.setStatus('mandatory')
mscLpE3TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3TestDuration.setStatus('mandatory')
mscLpE3TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12), )
if mibBuilder.loadTexts: mscLpE3TestResultsTable.setStatus('mandatory')
mscLpE3TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3TestIndex"))
if mibBuilder.loadTexts: mscLpE3TestResultsEntry.setStatus('mandatory')
mscLpE3TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestElapsedTime.setStatus('mandatory')
mscLpE3TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestTimeRemaining.setStatus('mandatory')
mscLpE3TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestCauseOfTermination.setStatus('mandatory')
mscLpE3TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestBitsTx.setStatus('mandatory')
mscLpE3TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestBytesTx.setStatus('mandatory')
mscLpE3TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestFrmTx.setStatus('mandatory')
mscLpE3TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestBitsRx.setStatus('mandatory')
mscLpE3TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestBytesRx.setStatus('mandatory')
mscLpE3TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestFrmRx.setStatus('mandatory')
mscLpE3TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestErroredFrmRx.setStatus('mandatory')
mscLpE3TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3TestBitErrorRate.setStatus('mandatory')
mscLpE3G832 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3))
mscLpE3G832RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1), )
if mibBuilder.loadTexts: mscLpE3G832RowStatusTable.setStatus('mandatory')
mscLpE3G832RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3G832Index"))
if mibBuilder.loadTexts: mscLpE3G832RowStatusEntry.setStatus('mandatory')
mscLpE3G832RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3G832RowStatus.setStatus('mandatory')
mscLpE3G832ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832ComponentName.setStatus('mandatory')
mscLpE3G832StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832StorageType.setStatus('mandatory')
mscLpE3G832Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE3G832Index.setStatus('mandatory')
mscLpE3G832ProvisionedTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10), )
if mibBuilder.loadTexts: mscLpE3G832ProvisionedTable.setStatus('mandatory')
mscLpE3G832ProvisionedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3G832Index"))
if mibBuilder.loadTexts: mscLpE3G832ProvisionedEntry.setStatus('mandatory')
mscLpE3G832TrailTraceTransmitted = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 15)).clone(hexValue="")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3G832TrailTraceTransmitted.setStatus('mandatory')
mscLpE3G832TrailTraceExpected = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 15)).clone(hexValue="")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3G832TrailTraceExpected.setStatus('mandatory')
mscLpE3G832OperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11), )
if mibBuilder.loadTexts: mscLpE3G832OperationalTable.setStatus('mandatory')
mscLpE3G832OperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3G832Index"))
if mibBuilder.loadTexts: mscLpE3G832OperationalEntry.setStatus('mandatory')
mscLpE3G832UnexpectedPayloadType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832UnexpectedPayloadType.setStatus('mandatory')
mscLpE3G832TrailTraceMismatch = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832TrailTraceMismatch.setStatus('mandatory')
mscLpE3G832TimingMarker = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("notTraceable", 0), ("traceable", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832TimingMarker.setStatus('mandatory')
mscLpE3G832TrailTraceReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 4), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832TrailTraceReceived.setStatus('mandatory')
mscLpE3G832StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12), )
if mibBuilder.loadTexts: mscLpE3G832StatsTable.setStatus('mandatory')
mscLpE3G832StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3G832Index"))
if mibBuilder.loadTexts: mscLpE3G832StatsEntry.setStatus('mandatory')
mscLpE3G832FarEndErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832FarEndErrorFreeSec.setStatus('mandatory')
mscLpE3G832FarEndCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832FarEndCodeViolations.setStatus('mandatory')
mscLpE3G832FarEndErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832FarEndErroredSec.setStatus('mandatory')
mscLpE3G832FarEndSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832FarEndSevErroredSec.setStatus('mandatory')
mscLpE3G832FarEndSefAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832FarEndSefAisSec.setStatus('mandatory')
mscLpE3G832FarEndUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3G832FarEndUnavailSec.setStatus('mandatory')
mscLpE3Plcp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4))
mscLpE3PlcpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1), )
if mibBuilder.loadTexts: mscLpE3PlcpRowStatusTable.setStatus('mandatory')
mscLpE3PlcpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3PlcpIndex"))
if mibBuilder.loadTexts: mscLpE3PlcpRowStatusEntry.setStatus('mandatory')
mscLpE3PlcpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpRowStatus.setStatus('mandatory')
mscLpE3PlcpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpComponentName.setStatus('mandatory')
mscLpE3PlcpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpStorageType.setStatus('mandatory')
mscLpE3PlcpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE3PlcpIndex.setStatus('mandatory')
mscLpE3PlcpOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10), )
if mibBuilder.loadTexts: mscLpE3PlcpOperationalTable.setStatus('mandatory')
mscLpE3PlcpOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3PlcpIndex"))
if mibBuilder.loadTexts: mscLpE3PlcpOperationalEntry.setStatus('mandatory')
mscLpE3PlcpLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpLofAlarm.setStatus('mandatory')
mscLpE3PlcpRxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpRxRaiAlarm.setStatus('mandatory')
mscLpE3PlcpStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11), )
if mibBuilder.loadTexts: mscLpE3PlcpStatsTable.setStatus('mandatory')
mscLpE3PlcpStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3PlcpIndex"))
if mibBuilder.loadTexts: mscLpE3PlcpStatsEntry.setStatus('mandatory')
mscLpE3PlcpErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpErrorFreeSec.setStatus('mandatory')
mscLpE3PlcpCodingViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpCodingViolations.setStatus('mandatory')
mscLpE3PlcpErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpErroredSec.setStatus('mandatory')
mscLpE3PlcpSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpSevErroredSec.setStatus('mandatory')
mscLpE3PlcpSevErroredFramingSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpSevErroredFramingSec.setStatus('mandatory')
mscLpE3PlcpUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpUnavailSec.setStatus('mandatory')
mscLpE3PlcpFarEndErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpFarEndErrorFreeSec.setStatus('mandatory')
mscLpE3PlcpFarEndCodingViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpFarEndCodingViolations.setStatus('mandatory')
mscLpE3PlcpFarEndErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpFarEndErroredSec.setStatus('mandatory')
mscLpE3PlcpFarEndSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpFarEndSevErroredSec.setStatus('mandatory')
mscLpE3PlcpFarEndUnavailableSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3PlcpFarEndUnavailableSec.setStatus('mandatory')
mscLpE3Cell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5))
mscLpE3CellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1), )
if mibBuilder.loadTexts: mscLpE3CellRowStatusTable.setStatus('mandatory')
mscLpE3CellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3CellIndex"))
if mibBuilder.loadTexts: mscLpE3CellRowStatusEntry.setStatus('mandatory')
mscLpE3CellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3CellRowStatus.setStatus('mandatory')
mscLpE3CellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellComponentName.setStatus('mandatory')
mscLpE3CellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellStorageType.setStatus('mandatory')
mscLpE3CellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE3CellIndex.setStatus('mandatory')
mscLpE3CellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10), )
if mibBuilder.loadTexts: mscLpE3CellProvTable.setStatus('mandatory')
mscLpE3CellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3CellIndex"))
if mibBuilder.loadTexts: mscLpE3CellProvEntry.setStatus('mandatory')
mscLpE3CellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3CellAlarmActDelay.setStatus('mandatory')
mscLpE3CellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3CellScrambleCellPayload.setStatus('mandatory')
mscLpE3CellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE3CellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpE3CellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 11), )
if mibBuilder.loadTexts: mscLpE3CellOperTable.setStatus('mandatory')
mscLpE3CellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3CellIndex"))
if mibBuilder.loadTexts: mscLpE3CellOperEntry.setStatus('mandatory')
mscLpE3CellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellLcdAlarm.setStatus('mandatory')
mscLpE3CellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12), )
if mibBuilder.loadTexts: mscLpE3CellStatsTable.setStatus('mandatory')
mscLpE3CellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE3CellIndex"))
if mibBuilder.loadTexts: mscLpE3CellStatsEntry.setStatus('mandatory')
mscLpE3CellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellUncorrectableHecErrors.setStatus('mandatory')
mscLpE3CellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellSevErroredSec.setStatus('mandatory')
mscLpE3CellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellReceiveCellUtilization.setStatus('mandatory')
mscLpE3CellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellTransmitCellUtilization.setStatus('mandatory')
mscLpE3CellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE3CellCorrectableHeaderErrors.setStatus('mandatory')
mscLpDS1 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7))
mscLpDS1RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1), )
if mibBuilder.loadTexts: mscLpDS1RowStatusTable.setStatus('mandatory')
mscLpDS1RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1RowStatusEntry.setStatus('mandatory')
mscLpDS1RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1RowStatus.setStatus('mandatory')
mscLpDS1ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ComponentName.setStatus('mandatory')
mscLpDS1StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1StorageType.setStatus('mandatory')
mscLpDS1Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 31)))
if mibBuilder.loadTexts: mscLpDS1Index.setStatus('mandatory')
mscLpDS1ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10), )
if mibBuilder.loadTexts: mscLpDS1ProvTable.setStatus('mandatory')
mscLpDS1ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1ProvEntry.setStatus('mandatory')
mscLpDS1LineType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 4, 5, 6))).clone(namedValues=NamedValues(("d4", 0), ("esf", 1), ("d4Cas", 4), ("esfCas", 5), ("unframed", 6))).clone('esf')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1LineType.setStatus('mandatory')
mscLpDS1ZeroCoding = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("bit7Stuffing", 0), ("b8zs", 1), ("ami", 2))).clone('b8zs')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ZeroCoding.setStatus('mandatory')
mscLpDS1ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2), ("otherPort", 3), ("srtsMode", 4), ("adaptiveMode", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ClockingSource.setStatus('mandatory')
mscLpDS1RaiAlarmType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("sBit", 0), ("bit2", 1), ("fdl", 2))).clone('fdl')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1RaiAlarmType.setStatus('mandatory')
mscLpDS1LineLength = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 655))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1LineLength.setStatus('mandatory')
mscLpDS1CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 11), )
if mibBuilder.loadTexts: mscLpDS1CidDataTable.setStatus('mandatory')
mscLpDS1CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1CidDataEntry.setStatus('mandatory')
mscLpDS1CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1CustomerIdentifier.setStatus('mandatory')
mscLpDS1AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12), )
if mibBuilder.loadTexts: mscLpDS1AdminInfoTable.setStatus('mandatory')
mscLpDS1AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1AdminInfoEntry.setStatus('mandatory')
mscLpDS1Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1Vendor.setStatus('mandatory')
mscLpDS1CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1CommentText.setStatus('mandatory')
mscLpDS1IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13), )
if mibBuilder.loadTexts: mscLpDS1IfEntryTable.setStatus('mandatory')
mscLpDS1IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1IfEntryEntry.setStatus('mandatory')
mscLpDS1IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1IfAdminStatus.setStatus('mandatory')
mscLpDS1IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1IfIndex.setStatus('mandatory')
mscLpDS1OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 14), )
if mibBuilder.loadTexts: mscLpDS1OperStatusTable.setStatus('mandatory')
mscLpDS1OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1OperStatusEntry.setStatus('mandatory')
mscLpDS1SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1SnmpOperStatus.setStatus('mandatory')
mscLpDS1StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15), )
if mibBuilder.loadTexts: mscLpDS1StateTable.setStatus('mandatory')
mscLpDS1StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1StateEntry.setStatus('mandatory')
mscLpDS1AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1AdminState.setStatus('mandatory')
mscLpDS1OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1OperationalState.setStatus('mandatory')
mscLpDS1UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1UsageState.setStatus('mandatory')
mscLpDS1AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1AvailabilityStatus.setStatus('mandatory')
mscLpDS1ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ProceduralStatus.setStatus('mandatory')
mscLpDS1ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ControlStatus.setStatus('mandatory')
mscLpDS1AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1AlarmStatus.setStatus('mandatory')
mscLpDS1StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1StandbyStatus.setStatus('mandatory')
mscLpDS1UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1UnknownStatus.setStatus('mandatory')
mscLpDS1OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16), )
if mibBuilder.loadTexts: mscLpDS1OperTable.setStatus('mandatory')
mscLpDS1OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1OperEntry.setStatus('mandatory')
mscLpDS1LosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1LosAlarm.setStatus('mandatory')
mscLpDS1RxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1RxAisAlarm.setStatus('mandatory')
mscLpDS1LofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1LofAlarm.setStatus('mandatory')
mscLpDS1RxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1RxRaiAlarm.setStatus('mandatory')
mscLpDS1TxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TxAisAlarm.setStatus('mandatory')
mscLpDS1TxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TxRaiAlarm.setStatus('mandatory')
mscLpDS1StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17), )
if mibBuilder.loadTexts: mscLpDS1StatsTable.setStatus('mandatory')
mscLpDS1StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"))
if mibBuilder.loadTexts: mscLpDS1StatsEntry.setStatus('mandatory')
mscLpDS1RunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1RunningTime.setStatus('mandatory')
mscLpDS1ErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ErrorFreeSec.setStatus('mandatory')
mscLpDS1ErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ErroredSec.setStatus('mandatory')
mscLpDS1SevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1SevErroredSec.setStatus('mandatory')
mscLpDS1SevErroredFrmSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1SevErroredFrmSec.setStatus('mandatory')
mscLpDS1UnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1UnavailSec.setStatus('mandatory')
mscLpDS1BpvErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1BpvErrors.setStatus('mandatory')
mscLpDS1CrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1CrcErrors.setStatus('mandatory')
mscLpDS1FrmErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1FrmErrors.setStatus('mandatory')
mscLpDS1LosStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1LosStateChanges.setStatus('mandatory')
mscLpDS1SlipErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1SlipErrors.setStatus('mandatory')
mscLpDS1Chan = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2))
mscLpDS1ChanRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1), )
if mibBuilder.loadTexts: mscLpDS1ChanRowStatusTable.setStatus('mandatory')
mscLpDS1ChanRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanRowStatusEntry.setStatus('mandatory')
mscLpDS1ChanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanRowStatus.setStatus('mandatory')
mscLpDS1ChanComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanComponentName.setStatus('mandatory')
mscLpDS1ChanStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanStorageType.setStatus('mandatory')
mscLpDS1ChanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 24)))
if mibBuilder.loadTexts: mscLpDS1ChanIndex.setStatus('mandatory')
mscLpDS1ChanProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10), )
if mibBuilder.loadTexts: mscLpDS1ChanProvTable.setStatus('mandatory')
mscLpDS1ChanProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanProvEntry.setStatus('mandatory')
mscLpDS1ChanTimeslots = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTimeslots.setStatus('mandatory')
mscLpDS1ChanTimeslotDataRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("n56k", 0), ("doNotOverride", 1))).clone('doNotOverride')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTimeslotDataRate.setStatus('mandatory')
mscLpDS1ChanApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1, 3), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanApplicationFramerName.setStatus('mandatory')
mscLpDS1ChanCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 11), )
if mibBuilder.loadTexts: mscLpDS1ChanCidDataTable.setStatus('mandatory')
mscLpDS1ChanCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanCidDataEntry.setStatus('mandatory')
mscLpDS1ChanCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanCustomerIdentifier.setStatus('mandatory')
mscLpDS1ChanIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12), )
if mibBuilder.loadTexts: mscLpDS1ChanIfEntryTable.setStatus('mandatory')
mscLpDS1ChanIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanIfEntryEntry.setStatus('mandatory')
mscLpDS1ChanIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanIfAdminStatus.setStatus('mandatory')
mscLpDS1ChanIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanIfIndex.setStatus('mandatory')
mscLpDS1ChanOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 13), )
if mibBuilder.loadTexts: mscLpDS1ChanOperStatusTable.setStatus('mandatory')
mscLpDS1ChanOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanOperStatusEntry.setStatus('mandatory')
mscLpDS1ChanSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanSnmpOperStatus.setStatus('mandatory')
mscLpDS1ChanStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14), )
if mibBuilder.loadTexts: mscLpDS1ChanStateTable.setStatus('mandatory')
mscLpDS1ChanStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanStateEntry.setStatus('mandatory')
mscLpDS1ChanAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanAdminState.setStatus('mandatory')
mscLpDS1ChanOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanOperationalState.setStatus('mandatory')
mscLpDS1ChanUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanUsageState.setStatus('mandatory')
mscLpDS1ChanAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanAvailabilityStatus.setStatus('mandatory')
mscLpDS1ChanProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanProceduralStatus.setStatus('mandatory')
mscLpDS1ChanControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanControlStatus.setStatus('mandatory')
mscLpDS1ChanAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanAlarmStatus.setStatus('mandatory')
mscLpDS1ChanStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanStandbyStatus.setStatus('mandatory')
mscLpDS1ChanUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanUnknownStatus.setStatus('mandatory')
mscLpDS1ChanOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 15), )
if mibBuilder.loadTexts: mscLpDS1ChanOperTable.setStatus('mandatory')
mscLpDS1ChanOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanOperEntry.setStatus('mandatory')
mscLpDS1ChanActualChannelSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 15, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanActualChannelSpeed.setStatus('mandatory')
mscLpDS1ChanAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16), )
if mibBuilder.loadTexts: mscLpDS1ChanAdminInfoTable.setStatus('mandatory')
mscLpDS1ChanAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanAdminInfoEntry.setStatus('mandatory')
mscLpDS1ChanVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanVendor.setStatus('mandatory')
mscLpDS1ChanCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanCommentText.setStatus('mandatory')
mscLpDS1ChanTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2))
mscLpDS1ChanTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1), )
if mibBuilder.loadTexts: mscLpDS1ChanTestRowStatusTable.setStatus('mandatory')
mscLpDS1ChanTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTestRowStatusEntry.setStatus('mandatory')
mscLpDS1ChanTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestRowStatus.setStatus('mandatory')
mscLpDS1ChanTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestComponentName.setStatus('mandatory')
mscLpDS1ChanTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestStorageType.setStatus('mandatory')
mscLpDS1ChanTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS1ChanTestIndex.setStatus('mandatory')
mscLpDS1ChanTestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10), )
if mibBuilder.loadTexts: mscLpDS1ChanTestStateTable.setStatus('mandatory')
mscLpDS1ChanTestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTestStateEntry.setStatus('mandatory')
mscLpDS1ChanTestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestAdminState.setStatus('mandatory')
mscLpDS1ChanTestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestOperationalState.setStatus('mandatory')
mscLpDS1ChanTestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestUsageState.setStatus('mandatory')
mscLpDS1ChanTestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11), )
if mibBuilder.loadTexts: mscLpDS1ChanTestSetupTable.setStatus('mandatory')
mscLpDS1ChanTestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTestSetupEntry.setStatus('mandatory')
mscLpDS1ChanTestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestPurpose.setStatus('mandatory')
mscLpDS1ChanTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestType.setStatus('mandatory')
mscLpDS1ChanTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestFrmSize.setStatus('mandatory')
mscLpDS1ChanTestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestFrmPatternType.setStatus('mandatory')
mscLpDS1ChanTestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestCustomizedPattern.setStatus('mandatory')
mscLpDS1ChanTestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestDataStartDelay.setStatus('mandatory')
mscLpDS1ChanTestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestDisplayInterval.setStatus('mandatory')
mscLpDS1ChanTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTestDuration.setStatus('mandatory')
mscLpDS1ChanTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12), )
if mibBuilder.loadTexts: mscLpDS1ChanTestResultsTable.setStatus('mandatory')
mscLpDS1ChanTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTestResultsEntry.setStatus('mandatory')
mscLpDS1ChanTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestElapsedTime.setStatus('mandatory')
mscLpDS1ChanTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestTimeRemaining.setStatus('mandatory')
mscLpDS1ChanTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestCauseOfTermination.setStatus('mandatory')
mscLpDS1ChanTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestBitsTx.setStatus('mandatory')
mscLpDS1ChanTestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestBytesTx.setStatus('mandatory')
mscLpDS1ChanTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestFrmTx.setStatus('mandatory')
mscLpDS1ChanTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestBitsRx.setStatus('mandatory')
mscLpDS1ChanTestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestBytesRx.setStatus('mandatory')
mscLpDS1ChanTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestFrmRx.setStatus('mandatory')
mscLpDS1ChanTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestErroredFrmRx.setStatus('mandatory')
mscLpDS1ChanTestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTestBitErrorRate.setStatus('mandatory')
mscLpDS1ChanCell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3))
mscLpDS1ChanCellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1), )
if mibBuilder.loadTexts: mscLpDS1ChanCellRowStatusTable.setStatus('mandatory')
mscLpDS1ChanCellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanCellRowStatusEntry.setStatus('mandatory')
mscLpDS1ChanCellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanCellRowStatus.setStatus('mandatory')
mscLpDS1ChanCellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellComponentName.setStatus('mandatory')
mscLpDS1ChanCellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellStorageType.setStatus('mandatory')
mscLpDS1ChanCellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS1ChanCellIndex.setStatus('mandatory')
mscLpDS1ChanCellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10), )
if mibBuilder.loadTexts: mscLpDS1ChanCellProvTable.setStatus('mandatory')
mscLpDS1ChanCellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanCellProvEntry.setStatus('mandatory')
mscLpDS1ChanCellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanCellAlarmActDelay.setStatus('mandatory')
mscLpDS1ChanCellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanCellScrambleCellPayload.setStatus('mandatory')
mscLpDS1ChanCellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpDS1ChanCellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 11), )
if mibBuilder.loadTexts: mscLpDS1ChanCellOperTable.setStatus('mandatory')
mscLpDS1ChanCellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanCellOperEntry.setStatus('mandatory')
mscLpDS1ChanCellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellLcdAlarm.setStatus('mandatory')
mscLpDS1ChanCellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12), )
if mibBuilder.loadTexts: mscLpDS1ChanCellStatsTable.setStatus('mandatory')
mscLpDS1ChanCellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanCellStatsEntry.setStatus('mandatory')
mscLpDS1ChanCellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellUncorrectableHecErrors.setStatus('mandatory')
mscLpDS1ChanCellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellSevErroredSec.setStatus('mandatory')
mscLpDS1ChanCellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellReceiveCellUtilization.setStatus('mandatory')
mscLpDS1ChanCellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellTransmitCellUtilization.setStatus('mandatory')
mscLpDS1ChanCellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanCellCorrectableHeaderErrors.setStatus('mandatory')
mscLpDS1ChanTc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4))
mscLpDS1ChanTcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1), )
if mibBuilder.loadTexts: mscLpDS1ChanTcRowStatusTable.setStatus('mandatory')
mscLpDS1ChanTcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTcRowStatusEntry.setStatus('mandatory')
mscLpDS1ChanTcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTcRowStatus.setStatus('mandatory')
mscLpDS1ChanTcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTcComponentName.setStatus('mandatory')
mscLpDS1ChanTcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTcStorageType.setStatus('mandatory')
mscLpDS1ChanTcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS1ChanTcIndex.setStatus('mandatory')
mscLpDS1ChanTcProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10), )
if mibBuilder.loadTexts: mscLpDS1ChanTcProvTable.setStatus('mandatory')
mscLpDS1ChanTcProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTcProvEntry.setStatus('mandatory')
mscLpDS1ChanTcReplacementData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10, 1, 1), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTcReplacementData.setStatus('mandatory')
mscLpDS1ChanTcSignalOneDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTcSignalOneDuration.setStatus('mandatory')
mscLpDS1ChanTcOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11), )
if mibBuilder.loadTexts: mscLpDS1ChanTcOpTable.setStatus('mandatory')
mscLpDS1ChanTcOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTcOpEntry.setStatus('mandatory')
mscLpDS1ChanTcIngressConditioning = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTcIngressConditioning.setStatus('mandatory')
mscLpDS1ChanTcEgressConditioning = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1ChanTcEgressConditioning.setStatus('mandatory')
mscLpDS1ChanTcSigOneTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398), )
if mibBuilder.loadTexts: mscLpDS1ChanTcSigOneTable.setStatus('mandatory')
mscLpDS1ChanTcSigOneEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcSigOneIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTcSigOneEntry.setStatus('mandatory')
mscLpDS1ChanTcSigOneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("d", 0), ("c", 1), ("b", 2), ("a", 3))))
if mibBuilder.loadTexts: mscLpDS1ChanTcSigOneIndex.setStatus('mandatory')
mscLpDS1ChanTcSigOneValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTcSigOneValue.setStatus('mandatory')
mscLpDS1ChanTcSigTwoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399), )
if mibBuilder.loadTexts: mscLpDS1ChanTcSigTwoTable.setStatus('mandatory')
mscLpDS1ChanTcSigTwoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1ChanTcSigTwoIndex"))
if mibBuilder.loadTexts: mscLpDS1ChanTcSigTwoEntry.setStatus('mandatory')
mscLpDS1ChanTcSigTwoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("d", 0), ("c", 1), ("b", 2), ("a", 3))))
if mibBuilder.loadTexts: mscLpDS1ChanTcSigTwoIndex.setStatus('mandatory')
mscLpDS1ChanTcSigTwoValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1ChanTcSigTwoValue.setStatus('mandatory')
mscLpDS1Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3))
mscLpDS1TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1), )
if mibBuilder.loadTexts: mscLpDS1TestRowStatusTable.setStatus('mandatory')
mscLpDS1TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS1TestRowStatusEntry.setStatus('mandatory')
mscLpDS1TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestRowStatus.setStatus('mandatory')
mscLpDS1TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestComponentName.setStatus('mandatory')
mscLpDS1TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestStorageType.setStatus('mandatory')
mscLpDS1TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS1TestIndex.setStatus('mandatory')
mscLpDS1TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10), )
if mibBuilder.loadTexts: mscLpDS1TestStateTable.setStatus('mandatory')
mscLpDS1TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS1TestStateEntry.setStatus('mandatory')
mscLpDS1TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestAdminState.setStatus('mandatory')
mscLpDS1TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestOperationalState.setStatus('mandatory')
mscLpDS1TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestUsageState.setStatus('mandatory')
mscLpDS1TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11), )
if mibBuilder.loadTexts: mscLpDS1TestSetupTable.setStatus('mandatory')
mscLpDS1TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS1TestSetupEntry.setStatus('mandatory')
mscLpDS1TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestPurpose.setStatus('mandatory')
mscLpDS1TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestType.setStatus('mandatory')
mscLpDS1TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestFrmSize.setStatus('mandatory')
mscLpDS1TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestFrmPatternType.setStatus('mandatory')
mscLpDS1TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestCustomizedPattern.setStatus('mandatory')
mscLpDS1TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestDataStartDelay.setStatus('mandatory')
mscLpDS1TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestDisplayInterval.setStatus('mandatory')
mscLpDS1TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpDS1TestDuration.setStatus('mandatory')
mscLpDS1TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12), )
if mibBuilder.loadTexts: mscLpDS1TestResultsTable.setStatus('mandatory')
mscLpDS1TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1TestIndex"))
if mibBuilder.loadTexts: mscLpDS1TestResultsEntry.setStatus('mandatory')
mscLpDS1TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestElapsedTime.setStatus('mandatory')
mscLpDS1TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestTimeRemaining.setStatus('mandatory')
mscLpDS1TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestCauseOfTermination.setStatus('mandatory')
mscLpDS1TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestBitsTx.setStatus('mandatory')
mscLpDS1TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestBytesTx.setStatus('mandatory')
mscLpDS1TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestFrmTx.setStatus('mandatory')
mscLpDS1TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestBitsRx.setStatus('mandatory')
mscLpDS1TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestBytesRx.setStatus('mandatory')
mscLpDS1TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestFrmRx.setStatus('mandatory')
mscLpDS1TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestErroredFrmRx.setStatus('mandatory')
mscLpDS1TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1TestBitErrorRate.setStatus('mandatory')
mscLpDS1Dsp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4))
mscLpDS1DspRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1), )
if mibBuilder.loadTexts: mscLpDS1DspRowStatusTable.setStatus('mandatory')
mscLpDS1DspRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1DspIndex"))
if mibBuilder.loadTexts: mscLpDS1DspRowStatusEntry.setStatus('mandatory')
mscLpDS1DspRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1DspRowStatus.setStatus('mandatory')
mscLpDS1DspComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1DspComponentName.setStatus('mandatory')
mscLpDS1DspStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1DspStorageType.setStatus('mandatory')
mscLpDS1DspIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS1DspIndex.setStatus('mandatory')
mscLpDS1Audio = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5))
mscLpDS1AudioRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1), )
if mibBuilder.loadTexts: mscLpDS1AudioRowStatusTable.setStatus('mandatory')
mscLpDS1AudioRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpDS1AudioIndex"))
if mibBuilder.loadTexts: mscLpDS1AudioRowStatusEntry.setStatus('mandatory')
mscLpDS1AudioRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1AudioRowStatus.setStatus('mandatory')
mscLpDS1AudioComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1AudioComponentName.setStatus('mandatory')
mscLpDS1AudioStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpDS1AudioStorageType.setStatus('mandatory')
mscLpDS1AudioIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpDS1AudioIndex.setStatus('mandatory')
mscLpE1 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8))
mscLpE1RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1), )
if mibBuilder.loadTexts: mscLpE1RowStatusTable.setStatus('mandatory')
mscLpE1RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1RowStatusEntry.setStatus('mandatory')
mscLpE1RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1RowStatus.setStatus('mandatory')
mscLpE1ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ComponentName.setStatus('mandatory')
mscLpE1StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1StorageType.setStatus('mandatory')
mscLpE1Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 31)))
if mibBuilder.loadTexts: mscLpE1Index.setStatus('mandatory')
mscLpE1ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10), )
if mibBuilder.loadTexts: mscLpE1ProvTable.setStatus('mandatory')
mscLpE1ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1ProvEntry.setStatus('mandatory')
mscLpE1LineType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 6))).clone(namedValues=NamedValues(("ccs", 2), ("cas", 3), ("unframed", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1LineType.setStatus('mandatory')
mscLpE1ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2), ("otherPort", 3), ("srtsMode", 4), ("adaptiveMode", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ClockingSource.setStatus('mandatory')
mscLpE1Crc4Mode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1Crc4Mode.setStatus('mandatory')
mscLpE1SendRaiOnAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('yes')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1SendRaiOnAis.setStatus('mandatory')
mscLpE1RaiDeclareAlarmTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 20000), )).clone(100)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1RaiDeclareAlarmTime.setStatus('mandatory')
mscLpE1RaiClearAlarmTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 6), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 20000), )).clone(100)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1RaiClearAlarmTime.setStatus('mandatory')
mscLpE1CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 11), )
if mibBuilder.loadTexts: mscLpE1CidDataTable.setStatus('mandatory')
mscLpE1CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1CidDataEntry.setStatus('mandatory')
mscLpE1CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1CustomerIdentifier.setStatus('mandatory')
mscLpE1AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12), )
if mibBuilder.loadTexts: mscLpE1AdminInfoTable.setStatus('mandatory')
mscLpE1AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1AdminInfoEntry.setStatus('mandatory')
mscLpE1Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1Vendor.setStatus('mandatory')
mscLpE1CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1CommentText.setStatus('mandatory')
mscLpE1IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13), )
if mibBuilder.loadTexts: mscLpE1IfEntryTable.setStatus('mandatory')
mscLpE1IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1IfEntryEntry.setStatus('mandatory')
mscLpE1IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1IfAdminStatus.setStatus('mandatory')
mscLpE1IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1IfIndex.setStatus('mandatory')
mscLpE1OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 14), )
if mibBuilder.loadTexts: mscLpE1OperStatusTable.setStatus('mandatory')
mscLpE1OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1OperStatusEntry.setStatus('mandatory')
mscLpE1SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1SnmpOperStatus.setStatus('mandatory')
mscLpE1StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15), )
if mibBuilder.loadTexts: mscLpE1StateTable.setStatus('mandatory')
mscLpE1StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1StateEntry.setStatus('mandatory')
mscLpE1AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1AdminState.setStatus('mandatory')
mscLpE1OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1OperationalState.setStatus('mandatory')
mscLpE1UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1UsageState.setStatus('mandatory')
mscLpE1AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1AvailabilityStatus.setStatus('mandatory')
mscLpE1ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ProceduralStatus.setStatus('mandatory')
mscLpE1ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ControlStatus.setStatus('mandatory')
mscLpE1AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1AlarmStatus.setStatus('mandatory')
mscLpE1StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1StandbyStatus.setStatus('mandatory')
mscLpE1UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1UnknownStatus.setStatus('mandatory')
mscLpE1OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16), )
if mibBuilder.loadTexts: mscLpE1OperTable.setStatus('mandatory')
mscLpE1OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1OperEntry.setStatus('mandatory')
mscLpE1LosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1LosAlarm.setStatus('mandatory')
mscLpE1RxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1RxAisAlarm.setStatus('mandatory')
mscLpE1LofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1LofAlarm.setStatus('mandatory')
mscLpE1RxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1RxRaiAlarm.setStatus('mandatory')
mscLpE1TxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TxAisAlarm.setStatus('mandatory')
mscLpE1TxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TxRaiAlarm.setStatus('mandatory')
mscLpE1E1OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17), )
if mibBuilder.loadTexts: mscLpE1E1OperTable.setStatus('mandatory')
mscLpE1E1OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1E1OperEntry.setStatus('mandatory')
mscLpE1MultifrmLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1MultifrmLofAlarm.setStatus('mandatory')
mscLpE1RxMultifrmRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1RxMultifrmRaiAlarm.setStatus('mandatory')
mscLpE1TxMultifrmRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TxMultifrmRaiAlarm.setStatus('mandatory')
mscLpE1StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18), )
if mibBuilder.loadTexts: mscLpE1StatsTable.setStatus('mandatory')
mscLpE1StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"))
if mibBuilder.loadTexts: mscLpE1StatsEntry.setStatus('mandatory')
mscLpE1RunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1RunningTime.setStatus('mandatory')
mscLpE1ErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ErrorFreeSec.setStatus('mandatory')
mscLpE1ErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ErroredSec.setStatus('mandatory')
mscLpE1SevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1SevErroredSec.setStatus('mandatory')
mscLpE1SevErroredFrmSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1SevErroredFrmSec.setStatus('mandatory')
mscLpE1UnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1UnavailSec.setStatus('mandatory')
mscLpE1BpvErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1BpvErrors.setStatus('mandatory')
mscLpE1CrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1CrcErrors.setStatus('mandatory')
mscLpE1FrmErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1FrmErrors.setStatus('mandatory')
mscLpE1LosStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1LosStateChanges.setStatus('mandatory')
mscLpE1SlipErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1SlipErrors.setStatus('mandatory')
mscLpE1Chan = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2))
mscLpE1ChanRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1), )
if mibBuilder.loadTexts: mscLpE1ChanRowStatusTable.setStatus('mandatory')
mscLpE1ChanRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanRowStatusEntry.setStatus('mandatory')
mscLpE1ChanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanRowStatus.setStatus('mandatory')
mscLpE1ChanComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanComponentName.setStatus('mandatory')
mscLpE1ChanStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanStorageType.setStatus('mandatory')
mscLpE1ChanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 31)))
if mibBuilder.loadTexts: mscLpE1ChanIndex.setStatus('mandatory')
mscLpE1ChanProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10), )
if mibBuilder.loadTexts: mscLpE1ChanProvTable.setStatus('mandatory')
mscLpE1ChanProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanProvEntry.setStatus('mandatory')
mscLpE1ChanTimeslots = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTimeslots.setStatus('mandatory')
mscLpE1ChanTimeslotDataRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("n56k", 0), ("doNotOverride", 1))).clone('doNotOverride')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTimeslotDataRate.setStatus('mandatory')
mscLpE1ChanApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1, 3), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanApplicationFramerName.setStatus('mandatory')
mscLpE1ChanCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 11), )
if mibBuilder.loadTexts: mscLpE1ChanCidDataTable.setStatus('mandatory')
mscLpE1ChanCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanCidDataEntry.setStatus('mandatory')
mscLpE1ChanCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanCustomerIdentifier.setStatus('mandatory')
mscLpE1ChanIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12), )
if mibBuilder.loadTexts: mscLpE1ChanIfEntryTable.setStatus('mandatory')
mscLpE1ChanIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanIfEntryEntry.setStatus('mandatory')
mscLpE1ChanIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanIfAdminStatus.setStatus('mandatory')
mscLpE1ChanIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanIfIndex.setStatus('mandatory')
mscLpE1ChanOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 13), )
if mibBuilder.loadTexts: mscLpE1ChanOperStatusTable.setStatus('mandatory')
mscLpE1ChanOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanOperStatusEntry.setStatus('mandatory')
mscLpE1ChanSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanSnmpOperStatus.setStatus('mandatory')
mscLpE1ChanStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14), )
if mibBuilder.loadTexts: mscLpE1ChanStateTable.setStatus('mandatory')
mscLpE1ChanStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanStateEntry.setStatus('mandatory')
mscLpE1ChanAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanAdminState.setStatus('mandatory')
mscLpE1ChanOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanOperationalState.setStatus('mandatory')
mscLpE1ChanUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanUsageState.setStatus('mandatory')
mscLpE1ChanAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanAvailabilityStatus.setStatus('mandatory')
mscLpE1ChanProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanProceduralStatus.setStatus('mandatory')
mscLpE1ChanControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanControlStatus.setStatus('mandatory')
mscLpE1ChanAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanAlarmStatus.setStatus('mandatory')
mscLpE1ChanStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanStandbyStatus.setStatus('mandatory')
mscLpE1ChanUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanUnknownStatus.setStatus('mandatory')
mscLpE1ChanOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 15), )
if mibBuilder.loadTexts: mscLpE1ChanOperTable.setStatus('mandatory')
mscLpE1ChanOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanOperEntry.setStatus('mandatory')
mscLpE1ChanActualChannelSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 15, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanActualChannelSpeed.setStatus('mandatory')
mscLpE1ChanAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16), )
if mibBuilder.loadTexts: mscLpE1ChanAdminInfoTable.setStatus('mandatory')
mscLpE1ChanAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"))
if mibBuilder.loadTexts: mscLpE1ChanAdminInfoEntry.setStatus('mandatory')
mscLpE1ChanVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanVendor.setStatus('mandatory')
mscLpE1ChanCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanCommentText.setStatus('mandatory')
mscLpE1ChanTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2))
mscLpE1ChanTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1), )
if mibBuilder.loadTexts: mscLpE1ChanTestRowStatusTable.setStatus('mandatory')
mscLpE1ChanTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTestRowStatusEntry.setStatus('mandatory')
mscLpE1ChanTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestRowStatus.setStatus('mandatory')
mscLpE1ChanTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestComponentName.setStatus('mandatory')
mscLpE1ChanTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestStorageType.setStatus('mandatory')
mscLpE1ChanTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1ChanTestIndex.setStatus('mandatory')
mscLpE1ChanTestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10), )
if mibBuilder.loadTexts: mscLpE1ChanTestStateTable.setStatus('mandatory')
mscLpE1ChanTestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTestStateEntry.setStatus('mandatory')
mscLpE1ChanTestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestAdminState.setStatus('mandatory')
mscLpE1ChanTestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestOperationalState.setStatus('mandatory')
mscLpE1ChanTestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestUsageState.setStatus('mandatory')
mscLpE1ChanTestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11), )
if mibBuilder.loadTexts: mscLpE1ChanTestSetupTable.setStatus('mandatory')
mscLpE1ChanTestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTestSetupEntry.setStatus('mandatory')
mscLpE1ChanTestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestPurpose.setStatus('mandatory')
mscLpE1ChanTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestType.setStatus('mandatory')
mscLpE1ChanTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestFrmSize.setStatus('mandatory')
mscLpE1ChanTestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestFrmPatternType.setStatus('mandatory')
mscLpE1ChanTestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestCustomizedPattern.setStatus('mandatory')
mscLpE1ChanTestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestDataStartDelay.setStatus('mandatory')
mscLpE1ChanTestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestDisplayInterval.setStatus('mandatory')
mscLpE1ChanTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTestDuration.setStatus('mandatory')
mscLpE1ChanTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12), )
if mibBuilder.loadTexts: mscLpE1ChanTestResultsTable.setStatus('mandatory')
mscLpE1ChanTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTestIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTestResultsEntry.setStatus('mandatory')
mscLpE1ChanTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestElapsedTime.setStatus('mandatory')
mscLpE1ChanTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestTimeRemaining.setStatus('mandatory')
mscLpE1ChanTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestCauseOfTermination.setStatus('mandatory')
mscLpE1ChanTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestBitsTx.setStatus('mandatory')
mscLpE1ChanTestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestBytesTx.setStatus('mandatory')
mscLpE1ChanTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestFrmTx.setStatus('mandatory')
mscLpE1ChanTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestBitsRx.setStatus('mandatory')
mscLpE1ChanTestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestBytesRx.setStatus('mandatory')
mscLpE1ChanTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestFrmRx.setStatus('mandatory')
mscLpE1ChanTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestErroredFrmRx.setStatus('mandatory')
mscLpE1ChanTestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTestBitErrorRate.setStatus('mandatory')
mscLpE1ChanCell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3))
mscLpE1ChanCellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1), )
if mibBuilder.loadTexts: mscLpE1ChanCellRowStatusTable.setStatus('mandatory')
mscLpE1ChanCellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpE1ChanCellRowStatusEntry.setStatus('mandatory')
mscLpE1ChanCellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanCellRowStatus.setStatus('mandatory')
mscLpE1ChanCellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellComponentName.setStatus('mandatory')
mscLpE1ChanCellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellStorageType.setStatus('mandatory')
mscLpE1ChanCellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1ChanCellIndex.setStatus('mandatory')
mscLpE1ChanCellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10), )
if mibBuilder.loadTexts: mscLpE1ChanCellProvTable.setStatus('mandatory')
mscLpE1ChanCellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpE1ChanCellProvEntry.setStatus('mandatory')
mscLpE1ChanCellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanCellAlarmActDelay.setStatus('mandatory')
mscLpE1ChanCellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanCellScrambleCellPayload.setStatus('mandatory')
mscLpE1ChanCellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpE1ChanCellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 11), )
if mibBuilder.loadTexts: mscLpE1ChanCellOperTable.setStatus('mandatory')
mscLpE1ChanCellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpE1ChanCellOperEntry.setStatus('mandatory')
mscLpE1ChanCellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellLcdAlarm.setStatus('mandatory')
mscLpE1ChanCellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12), )
if mibBuilder.loadTexts: mscLpE1ChanCellStatsTable.setStatus('mandatory')
mscLpE1ChanCellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanCellIndex"))
if mibBuilder.loadTexts: mscLpE1ChanCellStatsEntry.setStatus('mandatory')
mscLpE1ChanCellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellUncorrectableHecErrors.setStatus('mandatory')
mscLpE1ChanCellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellSevErroredSec.setStatus('mandatory')
mscLpE1ChanCellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellReceiveCellUtilization.setStatus('mandatory')
mscLpE1ChanCellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellTransmitCellUtilization.setStatus('mandatory')
mscLpE1ChanCellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanCellCorrectableHeaderErrors.setStatus('mandatory')
mscLpE1ChanTc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4))
mscLpE1ChanTcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1), )
if mibBuilder.loadTexts: mscLpE1ChanTcRowStatusTable.setStatus('mandatory')
mscLpE1ChanTcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTcRowStatusEntry.setStatus('mandatory')
mscLpE1ChanTcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTcRowStatus.setStatus('mandatory')
mscLpE1ChanTcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTcComponentName.setStatus('mandatory')
mscLpE1ChanTcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTcStorageType.setStatus('mandatory')
mscLpE1ChanTcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1ChanTcIndex.setStatus('mandatory')
mscLpE1ChanTcProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10), )
if mibBuilder.loadTexts: mscLpE1ChanTcProvTable.setStatus('mandatory')
mscLpE1ChanTcProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTcProvEntry.setStatus('mandatory')
mscLpE1ChanTcReplacementData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10, 1, 1), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(255)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTcReplacementData.setStatus('mandatory')
mscLpE1ChanTcSignalOneDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTcSignalOneDuration.setStatus('mandatory')
mscLpE1ChanTcOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11), )
if mibBuilder.loadTexts: mscLpE1ChanTcOpTable.setStatus('mandatory')
mscLpE1ChanTcOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTcOpEntry.setStatus('mandatory')
mscLpE1ChanTcIngressConditioning = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTcIngressConditioning.setStatus('mandatory')
mscLpE1ChanTcEgressConditioning = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanTcEgressConditioning.setStatus('mandatory')
mscLpE1ChanTcSigOneTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398), )
if mibBuilder.loadTexts: mscLpE1ChanTcSigOneTable.setStatus('mandatory')
mscLpE1ChanTcSigOneEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcSigOneIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTcSigOneEntry.setStatus('mandatory')
mscLpE1ChanTcSigOneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("d", 0), ("c", 1), ("b", 2), ("a", 3))))
if mibBuilder.loadTexts: mscLpE1ChanTcSigOneIndex.setStatus('mandatory')
mscLpE1ChanTcSigOneValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTcSigOneValue.setStatus('mandatory')
mscLpE1ChanTcSigTwoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399), )
if mibBuilder.loadTexts: mscLpE1ChanTcSigTwoTable.setStatus('mandatory')
mscLpE1ChanTcSigTwoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanTcSigTwoIndex"))
if mibBuilder.loadTexts: mscLpE1ChanTcSigTwoEntry.setStatus('mandatory')
mscLpE1ChanTcSigTwoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("d", 0), ("c", 1), ("b", 2), ("a", 3))))
if mibBuilder.loadTexts: mscLpE1ChanTcSigTwoIndex.setStatus('mandatory')
mscLpE1ChanTcSigTwoValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanTcSigTwoValue.setStatus('mandatory')
mscLpE1ChanFlm = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5))
mscLpE1ChanFlmRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1), )
if mibBuilder.loadTexts: mscLpE1ChanFlmRowStatusTable.setStatus('mandatory')
mscLpE1ChanFlmRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanFlmIndex"))
if mibBuilder.loadTexts: mscLpE1ChanFlmRowStatusEntry.setStatus('mandatory')
mscLpE1ChanFlmRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanFlmRowStatus.setStatus('mandatory')
mscLpE1ChanFlmComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanFlmComponentName.setStatus('mandatory')
mscLpE1ChanFlmStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanFlmStorageType.setStatus('mandatory')
mscLpE1ChanFlmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1ChanFlmIndex.setStatus('mandatory')
mscLpE1ChanFlmProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10), )
if mibBuilder.loadTexts: mscLpE1ChanFlmProvTable.setStatus('mandatory')
mscLpE1ChanFlmProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanFlmIndex"))
if mibBuilder.loadTexts: mscLpE1ChanFlmProvEntry.setStatus('mandatory')
mscLpE1ChanFlmABitMonitoring = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanFlmABitMonitoring.setStatus('mandatory')
mscLpE1ChanFlmHdlcMonitoring = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1ChanFlmHdlcMonitoring.setStatus('mandatory')
mscLpE1ChanFlmOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 11), )
if mibBuilder.loadTexts: mscLpE1ChanFlmOpTable.setStatus('mandatory')
mscLpE1ChanFlmOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1ChanFlmIndex"))
if mibBuilder.loadTexts: mscLpE1ChanFlmOpEntry.setStatus('mandatory')
mscLpE1ChanFlmFlmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("notMonitoring", 0), ("frameLinkUp", 1), ("frameLinkDown", 2), ("lossOfHdlc", 3), ("lossOfAbit", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1ChanFlmFlmStatus.setStatus('mandatory')
mscLpE1Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3))
mscLpE1TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1), )
if mibBuilder.loadTexts: mscLpE1TestRowStatusTable.setStatus('mandatory')
mscLpE1TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1TestIndex"))
if mibBuilder.loadTexts: mscLpE1TestRowStatusEntry.setStatus('mandatory')
mscLpE1TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestRowStatus.setStatus('mandatory')
mscLpE1TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestComponentName.setStatus('mandatory')
mscLpE1TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestStorageType.setStatus('mandatory')
mscLpE1TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1TestIndex.setStatus('mandatory')
mscLpE1TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10), )
if mibBuilder.loadTexts: mscLpE1TestStateTable.setStatus('mandatory')
mscLpE1TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1TestIndex"))
if mibBuilder.loadTexts: mscLpE1TestStateEntry.setStatus('mandatory')
mscLpE1TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestAdminState.setStatus('mandatory')
mscLpE1TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestOperationalState.setStatus('mandatory')
mscLpE1TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestUsageState.setStatus('mandatory')
mscLpE1TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11), )
if mibBuilder.loadTexts: mscLpE1TestSetupTable.setStatus('mandatory')
mscLpE1TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1TestIndex"))
if mibBuilder.loadTexts: mscLpE1TestSetupEntry.setStatus('mandatory')
mscLpE1TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestPurpose.setStatus('mandatory')
mscLpE1TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestType.setStatus('mandatory')
mscLpE1TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestFrmSize.setStatus('mandatory')
mscLpE1TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestFrmPatternType.setStatus('mandatory')
mscLpE1TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestCustomizedPattern.setStatus('mandatory')
mscLpE1TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestDataStartDelay.setStatus('mandatory')
mscLpE1TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestDisplayInterval.setStatus('mandatory')
mscLpE1TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpE1TestDuration.setStatus('mandatory')
mscLpE1TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12), )
if mibBuilder.loadTexts: mscLpE1TestResultsTable.setStatus('mandatory')
mscLpE1TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1TestIndex"))
if mibBuilder.loadTexts: mscLpE1TestResultsEntry.setStatus('mandatory')
mscLpE1TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestElapsedTime.setStatus('mandatory')
mscLpE1TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestTimeRemaining.setStatus('mandatory')
mscLpE1TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestCauseOfTermination.setStatus('mandatory')
mscLpE1TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestBitsTx.setStatus('mandatory')
mscLpE1TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestBytesTx.setStatus('mandatory')
mscLpE1TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestFrmTx.setStatus('mandatory')
mscLpE1TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestBitsRx.setStatus('mandatory')
mscLpE1TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestBytesRx.setStatus('mandatory')
mscLpE1TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestFrmRx.setStatus('mandatory')
mscLpE1TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestErroredFrmRx.setStatus('mandatory')
mscLpE1TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1TestBitErrorRate.setStatus('mandatory')
mscLpE1Dsp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4))
mscLpE1DspRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1), )
if mibBuilder.loadTexts: mscLpE1DspRowStatusTable.setStatus('mandatory')
mscLpE1DspRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1DspIndex"))
if mibBuilder.loadTexts: mscLpE1DspRowStatusEntry.setStatus('mandatory')
mscLpE1DspRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1DspRowStatus.setStatus('mandatory')
mscLpE1DspComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1DspComponentName.setStatus('mandatory')
mscLpE1DspStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1DspStorageType.setStatus('mandatory')
mscLpE1DspIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1DspIndex.setStatus('mandatory')
mscLpE1Audio = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5))
mscLpE1AudioRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1), )
if mibBuilder.loadTexts: mscLpE1AudioRowStatusTable.setStatus('mandatory')
mscLpE1AudioRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpE1AudioIndex"))
if mibBuilder.loadTexts: mscLpE1AudioRowStatusEntry.setStatus('mandatory')
mscLpE1AudioRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1AudioRowStatus.setStatus('mandatory')
mscLpE1AudioComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1AudioComponentName.setStatus('mandatory')
mscLpE1AudioStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpE1AudioStorageType.setStatus('mandatory')
mscLpE1AudioIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpE1AudioIndex.setStatus('mandatory')
mscLpV35 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9))
mscLpV35RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1), )
if mibBuilder.loadTexts: mscLpV35RowStatusTable.setStatus('mandatory')
mscLpV35RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35RowStatusEntry.setStatus('mandatory')
mscLpV35RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35RowStatus.setStatus('mandatory')
mscLpV35ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35ComponentName.setStatus('mandatory')
mscLpV35StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35StorageType.setStatus('mandatory')
mscLpV35Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7)))
if mibBuilder.loadTexts: mscLpV35Index.setStatus('mandatory')
mscLpV35ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10), )
if mibBuilder.loadTexts: mscLpV35ProvTable.setStatus('mandatory')
mscLpV35ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35ProvEntry.setStatus('mandatory')
mscLpV35LinkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 128))).clone(namedValues=NamedValues(("dte", 0), ("dce", 128))).clone('dte')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35LinkMode.setStatus('mandatory')
mscLpV35ReadyLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="f0")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35ReadyLineState.setStatus('mandatory')
mscLpV35DataTransferLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="f0")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35DataTransferLineState.setStatus('mandatory')
mscLpV35LineStatusTimeOut = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 20000)).clone(1000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35LineStatusTimeOut.setStatus('mandatory')
mscLpV35LineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(9600, 3840000)).clone(192000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35LineSpeed.setStatus('mandatory')
mscLpV35ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("local", 0), ("module", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35ClockingSource.setStatus('mandatory')
mscLpV35DteDataClockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 2))).clone(namedValues=NamedValues(("fromDce", 0), ("fromDte", 2))).clone('fromDce')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35DteDataClockSource.setStatus('mandatory')
mscLpV35ApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 8), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35ApplicationFramerName.setStatus('mandatory')
mscLpV35EnableDynamicSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('no')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35EnableDynamicSpeed.setStatus('mandatory')
mscLpV35CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 11), )
if mibBuilder.loadTexts: mscLpV35CidDataTable.setStatus('mandatory')
mscLpV35CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35CidDataEntry.setStatus('mandatory')
mscLpV35CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35CustomerIdentifier.setStatus('mandatory')
mscLpV35AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12), )
if mibBuilder.loadTexts: mscLpV35AdminInfoTable.setStatus('mandatory')
mscLpV35AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35AdminInfoEntry.setStatus('mandatory')
mscLpV35Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35Vendor.setStatus('mandatory')
mscLpV35CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35CommentText.setStatus('mandatory')
mscLpV35IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13), )
if mibBuilder.loadTexts: mscLpV35IfEntryTable.setStatus('mandatory')
mscLpV35IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35IfEntryEntry.setStatus('mandatory')
mscLpV35IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35IfAdminStatus.setStatus('mandatory')
mscLpV35IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35IfIndex.setStatus('mandatory')
mscLpV35OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 14), )
if mibBuilder.loadTexts: mscLpV35OperStatusTable.setStatus('mandatory')
mscLpV35OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35OperStatusEntry.setStatus('mandatory')
mscLpV35SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35SnmpOperStatus.setStatus('mandatory')
mscLpV35StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15), )
if mibBuilder.loadTexts: mscLpV35StateTable.setStatus('mandatory')
mscLpV35StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35StateEntry.setStatus('mandatory')
mscLpV35AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35AdminState.setStatus('mandatory')
mscLpV35OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35OperationalState.setStatus('mandatory')
mscLpV35UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35UsageState.setStatus('mandatory')
mscLpV35AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35AvailabilityStatus.setStatus('mandatory')
mscLpV35ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35ProceduralStatus.setStatus('mandatory')
mscLpV35ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35ControlStatus.setStatus('mandatory')
mscLpV35AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35AlarmStatus.setStatus('mandatory')
mscLpV35StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35StandbyStatus.setStatus('mandatory')
mscLpV35UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35UnknownStatus.setStatus('mandatory')
mscLpV35OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16), )
if mibBuilder.loadTexts: mscLpV35OperTable.setStatus('mandatory')
mscLpV35OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"))
if mibBuilder.loadTexts: mscLpV35OperEntry.setStatus('mandatory')
mscLpV35ActualLinkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 128))).clone(namedValues=NamedValues(("dte", 0), ("dce", 128)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35ActualLinkMode.setStatus('mandatory')
mscLpV35LineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35LineState.setStatus('mandatory')
mscLpV35ActualTxLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35ActualTxLineSpeed.setStatus('mandatory')
mscLpV35ActualRxLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35ActualRxLineSpeed.setStatus('mandatory')
mscLpV35DataXferStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35DataXferStateChanges.setStatus('mandatory')
mscLpV35Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2))
mscLpV35TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1), )
if mibBuilder.loadTexts: mscLpV35TestRowStatusTable.setStatus('mandatory')
mscLpV35TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35TestIndex"))
if mibBuilder.loadTexts: mscLpV35TestRowStatusEntry.setStatus('mandatory')
mscLpV35TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestRowStatus.setStatus('mandatory')
mscLpV35TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestComponentName.setStatus('mandatory')
mscLpV35TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestStorageType.setStatus('mandatory')
mscLpV35TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpV35TestIndex.setStatus('mandatory')
mscLpV35TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10), )
if mibBuilder.loadTexts: mscLpV35TestStateTable.setStatus('mandatory')
mscLpV35TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35TestIndex"))
if mibBuilder.loadTexts: mscLpV35TestStateEntry.setStatus('mandatory')
mscLpV35TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestAdminState.setStatus('mandatory')
mscLpV35TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestOperationalState.setStatus('mandatory')
mscLpV35TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestUsageState.setStatus('mandatory')
mscLpV35TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11), )
if mibBuilder.loadTexts: mscLpV35TestSetupTable.setStatus('mandatory')
mscLpV35TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35TestIndex"))
if mibBuilder.loadTexts: mscLpV35TestSetupEntry.setStatus('mandatory')
mscLpV35TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestPurpose.setStatus('mandatory')
mscLpV35TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestType.setStatus('mandatory')
mscLpV35TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestFrmSize.setStatus('mandatory')
mscLpV35TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestFrmPatternType.setStatus('mandatory')
mscLpV35TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestCustomizedPattern.setStatus('mandatory')
mscLpV35TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestDataStartDelay.setStatus('mandatory')
mscLpV35TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestDisplayInterval.setStatus('mandatory')
mscLpV35TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpV35TestDuration.setStatus('mandatory')
mscLpV35TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12), )
if mibBuilder.loadTexts: mscLpV35TestResultsTable.setStatus('mandatory')
mscLpV35TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpV35TestIndex"))
if mibBuilder.loadTexts: mscLpV35TestResultsEntry.setStatus('mandatory')
mscLpV35TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestElapsedTime.setStatus('mandatory')
mscLpV35TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestTimeRemaining.setStatus('mandatory')
mscLpV35TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestCauseOfTermination.setStatus('mandatory')
mscLpV35TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestBitsTx.setStatus('mandatory')
mscLpV35TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestBytesTx.setStatus('mandatory')
mscLpV35TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestFrmTx.setStatus('mandatory')
mscLpV35TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestBitsRx.setStatus('mandatory')
mscLpV35TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestBytesRx.setStatus('mandatory')
mscLpV35TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestFrmRx.setStatus('mandatory')
mscLpV35TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestErroredFrmRx.setStatus('mandatory')
mscLpV35TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpV35TestBitErrorRate.setStatus('mandatory')
mscLpX21 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10))
mscLpX21RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1), )
if mibBuilder.loadTexts: mscLpX21RowStatusTable.setStatus('mandatory')
mscLpX21RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21RowStatusEntry.setStatus('mandatory')
mscLpX21RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21RowStatus.setStatus('mandatory')
mscLpX21ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21ComponentName.setStatus('mandatory')
mscLpX21StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21StorageType.setStatus('mandatory')
mscLpX21Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7)))
if mibBuilder.loadTexts: mscLpX21Index.setStatus('mandatory')
mscLpX21ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10), )
if mibBuilder.loadTexts: mscLpX21ProvTable.setStatus('mandatory')
mscLpX21ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21ProvEntry.setStatus('mandatory')
mscLpX21LinkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 128))).clone(namedValues=NamedValues(("dte", 0), ("dce", 128))).clone('dte')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21LinkMode.setStatus('mandatory')
mscLpX21ReadyLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="c0")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21ReadyLineState.setStatus('mandatory')
mscLpX21DataTransferLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="c0")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21DataTransferLineState.setStatus('mandatory')
mscLpX21LineStatusTimeOut = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(10, 20000)).clone(1000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21LineStatusTimeOut.setStatus('mandatory')
mscLpX21LineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(9600, 7680000)).clone(192000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21LineSpeed.setStatus('mandatory')
mscLpX21ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("local", 0), ("module", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21ClockingSource.setStatus('mandatory')
mscLpX21DteDataClockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 2))).clone(namedValues=NamedValues(("fromDce", 0), ("fromDte", 2))).clone('fromDce')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21DteDataClockSource.setStatus('mandatory')
mscLpX21LineTerminationRequired = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('yes')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21LineTerminationRequired.setStatus('mandatory')
mscLpX21ApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 9), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21ApplicationFramerName.setStatus('mandatory')
mscLpX21EnableDynamicSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('no')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21EnableDynamicSpeed.setStatus('mandatory')
mscLpX21CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 11), )
if mibBuilder.loadTexts: mscLpX21CidDataTable.setStatus('mandatory')
mscLpX21CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21CidDataEntry.setStatus('mandatory')
mscLpX21CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21CustomerIdentifier.setStatus('mandatory')
mscLpX21AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12), )
if mibBuilder.loadTexts: mscLpX21AdminInfoTable.setStatus('mandatory')
mscLpX21AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21AdminInfoEntry.setStatus('mandatory')
mscLpX21Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21Vendor.setStatus('mandatory')
mscLpX21CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21CommentText.setStatus('mandatory')
mscLpX21IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13), )
if mibBuilder.loadTexts: mscLpX21IfEntryTable.setStatus('mandatory')
mscLpX21IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21IfEntryEntry.setStatus('mandatory')
mscLpX21IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21IfAdminStatus.setStatus('mandatory')
mscLpX21IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21IfIndex.setStatus('mandatory')
mscLpX21OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 14), )
if mibBuilder.loadTexts: mscLpX21OperStatusTable.setStatus('mandatory')
mscLpX21OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21OperStatusEntry.setStatus('mandatory')
mscLpX21SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21SnmpOperStatus.setStatus('mandatory')
mscLpX21StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15), )
if mibBuilder.loadTexts: mscLpX21StateTable.setStatus('mandatory')
mscLpX21StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21StateEntry.setStatus('mandatory')
mscLpX21AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21AdminState.setStatus('mandatory')
mscLpX21OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21OperationalState.setStatus('mandatory')
mscLpX21UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21UsageState.setStatus('mandatory')
mscLpX21AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21AvailabilityStatus.setStatus('mandatory')
mscLpX21ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21ProceduralStatus.setStatus('mandatory')
mscLpX21ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21ControlStatus.setStatus('mandatory')
mscLpX21AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21AlarmStatus.setStatus('mandatory')
mscLpX21StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21StandbyStatus.setStatus('mandatory')
mscLpX21UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21UnknownStatus.setStatus('mandatory')
mscLpX21OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16), )
if mibBuilder.loadTexts: mscLpX21OperTable.setStatus('mandatory')
mscLpX21OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"))
if mibBuilder.loadTexts: mscLpX21OperEntry.setStatus('mandatory')
mscLpX21ActualLinkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 128))).clone(namedValues=NamedValues(("dte", 0), ("dce", 128)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21ActualLinkMode.setStatus('mandatory')
mscLpX21LineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21LineState.setStatus('mandatory')
mscLpX21ActualTxLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21ActualTxLineSpeed.setStatus('mandatory')
mscLpX21ActualRxLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21ActualRxLineSpeed.setStatus('mandatory')
mscLpX21DataXferStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21DataXferStateChanges.setStatus('mandatory')
mscLpX21Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2))
mscLpX21TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1), )
if mibBuilder.loadTexts: mscLpX21TestRowStatusTable.setStatus('mandatory')
mscLpX21TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21TestIndex"))
if mibBuilder.loadTexts: mscLpX21TestRowStatusEntry.setStatus('mandatory')
mscLpX21TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestRowStatus.setStatus('mandatory')
mscLpX21TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestComponentName.setStatus('mandatory')
mscLpX21TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestStorageType.setStatus('mandatory')
mscLpX21TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpX21TestIndex.setStatus('mandatory')
mscLpX21TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10), )
if mibBuilder.loadTexts: mscLpX21TestStateTable.setStatus('mandatory')
mscLpX21TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21TestIndex"))
if mibBuilder.loadTexts: mscLpX21TestStateEntry.setStatus('mandatory')
mscLpX21TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestAdminState.setStatus('mandatory')
mscLpX21TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestOperationalState.setStatus('mandatory')
mscLpX21TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestUsageState.setStatus('mandatory')
mscLpX21TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11), )
if mibBuilder.loadTexts: mscLpX21TestSetupTable.setStatus('mandatory')
mscLpX21TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21TestIndex"))
if mibBuilder.loadTexts: mscLpX21TestSetupEntry.setStatus('mandatory')
mscLpX21TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestPurpose.setStatus('mandatory')
mscLpX21TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestType.setStatus('mandatory')
mscLpX21TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestFrmSize.setStatus('mandatory')
mscLpX21TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestFrmPatternType.setStatus('mandatory')
mscLpX21TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestCustomizedPattern.setStatus('mandatory')
mscLpX21TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestDataStartDelay.setStatus('mandatory')
mscLpX21TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestDisplayInterval.setStatus('mandatory')
mscLpX21TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpX21TestDuration.setStatus('mandatory')
mscLpX21TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12), )
if mibBuilder.loadTexts: mscLpX21TestResultsTable.setStatus('mandatory')
mscLpX21TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpX21TestIndex"))
if mibBuilder.loadTexts: mscLpX21TestResultsEntry.setStatus('mandatory')
mscLpX21TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestElapsedTime.setStatus('mandatory')
mscLpX21TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestTimeRemaining.setStatus('mandatory')
mscLpX21TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestCauseOfTermination.setStatus('mandatory')
mscLpX21TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestBitsTx.setStatus('mandatory')
mscLpX21TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestBytesTx.setStatus('mandatory')
mscLpX21TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestFrmTx.setStatus('mandatory')
mscLpX21TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestBitsRx.setStatus('mandatory')
mscLpX21TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestBytesRx.setStatus('mandatory')
mscLpX21TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestFrmRx.setStatus('mandatory')
mscLpX21TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestErroredFrmRx.setStatus('mandatory')
mscLpX21TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpX21TestBitErrorRate.setStatus('mandatory')
mscLpSonet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14))
mscLpSonetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1), )
if mibBuilder.loadTexts: mscLpSonetRowStatusTable.setStatus('mandatory')
mscLpSonetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetRowStatusEntry.setStatus('mandatory')
mscLpSonetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetRowStatus.setStatus('mandatory')
mscLpSonetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetComponentName.setStatus('mandatory')
mscLpSonetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetStorageType.setStatus('mandatory')
mscLpSonetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3)))
if mibBuilder.loadTexts: mscLpSonetIndex.setStatus('mandatory')
mscLpSonetProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 10), )
if mibBuilder.loadTexts: mscLpSonetProvTable.setStatus('mandatory')
mscLpSonetProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetProvEntry.setStatus('mandatory')
mscLpSonetClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetClockingSource.setStatus('mandatory')
mscLpSonetCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 11), )
if mibBuilder.loadTexts: mscLpSonetCidDataTable.setStatus('mandatory')
mscLpSonetCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetCidDataEntry.setStatus('mandatory')
mscLpSonetCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetCustomerIdentifier.setStatus('mandatory')
mscLpSonetAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12), )
if mibBuilder.loadTexts: mscLpSonetAdminInfoTable.setStatus('mandatory')
mscLpSonetAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetAdminInfoEntry.setStatus('mandatory')
mscLpSonetVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetVendor.setStatus('mandatory')
mscLpSonetCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetCommentText.setStatus('mandatory')
mscLpSonetIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13), )
if mibBuilder.loadTexts: mscLpSonetIfEntryTable.setStatus('mandatory')
mscLpSonetIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetIfEntryEntry.setStatus('mandatory')
mscLpSonetIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetIfAdminStatus.setStatus('mandatory')
mscLpSonetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetIfIndex.setStatus('mandatory')
mscLpSonetOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 14), )
if mibBuilder.loadTexts: mscLpSonetOperStatusTable.setStatus('mandatory')
mscLpSonetOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetOperStatusEntry.setStatus('mandatory')
mscLpSonetSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSnmpOperStatus.setStatus('mandatory')
mscLpSonetStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15), )
if mibBuilder.loadTexts: mscLpSonetStateTable.setStatus('mandatory')
mscLpSonetStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetStateEntry.setStatus('mandatory')
mscLpSonetAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetAdminState.setStatus('mandatory')
mscLpSonetOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetOperationalState.setStatus('mandatory')
mscLpSonetUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetUsageState.setStatus('mandatory')
mscLpSonetAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetAvailabilityStatus.setStatus('mandatory')
mscLpSonetProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetProceduralStatus.setStatus('mandatory')
mscLpSonetControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetControlStatus.setStatus('mandatory')
mscLpSonetAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetAlarmStatus.setStatus('mandatory')
mscLpSonetStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetStandbyStatus.setStatus('mandatory')
mscLpSonetUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetUnknownStatus.setStatus('mandatory')
mscLpSonetOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16), )
if mibBuilder.loadTexts: mscLpSonetOperTable.setStatus('mandatory')
mscLpSonetOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetOperEntry.setStatus('mandatory')
mscLpSonetLosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLosAlarm.setStatus('mandatory')
mscLpSonetLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLofAlarm.setStatus('mandatory')
mscLpSonetRxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetRxAisAlarm.setStatus('mandatory')
mscLpSonetRxRfiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetRxRfiAlarm.setStatus('mandatory')
mscLpSonetTxAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTxAis.setStatus('mandatory')
mscLpSonetTxRdi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTxRdi.setStatus('mandatory')
mscLpSonetUnusableTxClockRefAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetUnusableTxClockRefAlarm.setStatus('mandatory')
mscLpSonetStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17), )
if mibBuilder.loadTexts: mscLpSonetStatsTable.setStatus('mandatory')
mscLpSonetStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"))
if mibBuilder.loadTexts: mscLpSonetStatsEntry.setStatus('mandatory')
mscLpSonetRunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetRunningTime.setStatus('mandatory')
mscLpSonetErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetErrorFreeSec.setStatus('mandatory')
mscLpSonetSectCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSectCodeViolations.setStatus('mandatory')
mscLpSonetSectErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSectErroredSec.setStatus('mandatory')
mscLpSonetSectSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSectSevErroredSec.setStatus('mandatory')
mscLpSonetSectLosSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSectLosSec.setStatus('mandatory')
mscLpSonetSectSevErroredFrmSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSectSevErroredFrmSec.setStatus('mandatory')
mscLpSonetSectFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetSectFailures.setStatus('mandatory')
mscLpSonetLineCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLineCodeViolations.setStatus('mandatory')
mscLpSonetLineErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLineErroredSec.setStatus('mandatory')
mscLpSonetLineSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLineSevErroredSec.setStatus('mandatory')
mscLpSonetLineAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLineAisSec.setStatus('mandatory')
mscLpSonetLineUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLineUnavailSec.setStatus('mandatory')
mscLpSonetLineFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetLineFailures.setStatus('mandatory')
mscLpSonetFarEndLineErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineErrorFreeSec.setStatus('mandatory')
mscLpSonetFarEndLineCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineCodeViolations.setStatus('mandatory')
mscLpSonetFarEndLineErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineErroredSec.setStatus('mandatory')
mscLpSonetFarEndLineSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineSevErroredSec.setStatus('mandatory')
mscLpSonetFarEndLineAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineAisSec.setStatus('mandatory')
mscLpSonetFarEndLineUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineUnavailSec.setStatus('mandatory')
mscLpSonetFarEndLineFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetFarEndLineFailures.setStatus('mandatory')
mscLpSonetPath = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2))
mscLpSonetPathRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1), )
if mibBuilder.loadTexts: mscLpSonetPathRowStatusTable.setStatus('mandatory')
mscLpSonetPathRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathRowStatusEntry.setStatus('mandatory')
mscLpSonetPathRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathRowStatus.setStatus('mandatory')
mscLpSonetPathComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathComponentName.setStatus('mandatory')
mscLpSonetPathStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathStorageType.setStatus('mandatory')
mscLpSonetPathIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0)))
if mibBuilder.loadTexts: mscLpSonetPathIndex.setStatus('mandatory')
mscLpSonetPathProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 10), )
if mibBuilder.loadTexts: mscLpSonetPathProvTable.setStatus('mandatory')
mscLpSonetPathProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathProvEntry.setStatus('mandatory')
mscLpSonetPathApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 10, 1, 1), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathApplicationFramerName.setStatus('mandatory')
mscLpSonetPathCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 11), )
if mibBuilder.loadTexts: mscLpSonetPathCidDataTable.setStatus('mandatory')
mscLpSonetPathCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathCidDataEntry.setStatus('mandatory')
mscLpSonetPathCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathCustomerIdentifier.setStatus('mandatory')
mscLpSonetPathStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12), )
if mibBuilder.loadTexts: mscLpSonetPathStateTable.setStatus('mandatory')
mscLpSonetPathStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathStateEntry.setStatus('mandatory')
mscLpSonetPathAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathAdminState.setStatus('mandatory')
mscLpSonetPathOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathOperationalState.setStatus('mandatory')
mscLpSonetPathUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathUsageState.setStatus('mandatory')
mscLpSonetPathAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathAvailabilityStatus.setStatus('mandatory')
mscLpSonetPathProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathProceduralStatus.setStatus('mandatory')
mscLpSonetPathControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathControlStatus.setStatus('mandatory')
mscLpSonetPathAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathAlarmStatus.setStatus('mandatory')
mscLpSonetPathStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathStandbyStatus.setStatus('mandatory')
mscLpSonetPathUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathUnknownStatus.setStatus('mandatory')
mscLpSonetPathIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13), )
if mibBuilder.loadTexts: mscLpSonetPathIfEntryTable.setStatus('mandatory')
mscLpSonetPathIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathIfEntryEntry.setStatus('mandatory')
mscLpSonetPathIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathIfAdminStatus.setStatus('mandatory')
mscLpSonetPathIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathIfIndex.setStatus('mandatory')
mscLpSonetPathOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 14), )
if mibBuilder.loadTexts: mscLpSonetPathOperStatusTable.setStatus('mandatory')
mscLpSonetPathOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathOperStatusEntry.setStatus('mandatory')
mscLpSonetPathSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathSnmpOperStatus.setStatus('mandatory')
mscLpSonetPathOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15), )
if mibBuilder.loadTexts: mscLpSonetPathOperTable.setStatus('mandatory')
mscLpSonetPathOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathOperEntry.setStatus('mandatory')
mscLpSonetPathLopAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathLopAlarm.setStatus('mandatory')
mscLpSonetPathRxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathRxAisAlarm.setStatus('mandatory')
mscLpSonetPathRxRfiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathRxRfiAlarm.setStatus('mandatory')
mscLpSonetPathSignalLabelMismatch = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathSignalLabelMismatch.setStatus('mandatory')
mscLpSonetPathTxAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathTxAis.setStatus('mandatory')
mscLpSonetPathTxRdi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathTxRdi.setStatus('mandatory')
mscLpSonetPathStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16), )
if mibBuilder.loadTexts: mscLpSonetPathStatsTable.setStatus('mandatory')
mscLpSonetPathStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"))
if mibBuilder.loadTexts: mscLpSonetPathStatsEntry.setStatus('mandatory')
mscLpSonetPathPathErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathErrorFreeSec.setStatus('mandatory')
mscLpSonetPathPathCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathCodeViolations.setStatus('mandatory')
mscLpSonetPathPathErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathErroredSec.setStatus('mandatory')
mscLpSonetPathPathSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathSevErroredSec.setStatus('mandatory')
mscLpSonetPathPathAisLopSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathAisLopSec.setStatus('mandatory')
mscLpSonetPathPathUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathUnavailSec.setStatus('mandatory')
mscLpSonetPathPathFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathPathFailures.setStatus('mandatory')
mscLpSonetPathFarEndPathErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathErrorFreeSec.setStatus('mandatory')
mscLpSonetPathFarEndPathCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathCodeViolations.setStatus('mandatory')
mscLpSonetPathFarEndPathErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathErroredSec.setStatus('mandatory')
mscLpSonetPathFarEndPathSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathSevErroredSec.setStatus('mandatory')
mscLpSonetPathFarEndPathAisLopSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathAisLopSec.setStatus('mandatory')
mscLpSonetPathFarEndPathUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathUnavailSec.setStatus('mandatory')
mscLpSonetPathFarEndPathFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathFarEndPathFailures.setStatus('mandatory')
mscLpSonetPathCell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2))
mscLpSonetPathCellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1), )
if mibBuilder.loadTexts: mscLpSonetPathCellRowStatusTable.setStatus('mandatory')
mscLpSonetPathCellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathCellIndex"))
if mibBuilder.loadTexts: mscLpSonetPathCellRowStatusEntry.setStatus('mandatory')
mscLpSonetPathCellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellRowStatus.setStatus('mandatory')
mscLpSonetPathCellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellComponentName.setStatus('mandatory')
mscLpSonetPathCellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellStorageType.setStatus('mandatory')
mscLpSonetPathCellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpSonetPathCellIndex.setStatus('mandatory')
mscLpSonetPathCellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10), )
if mibBuilder.loadTexts: mscLpSonetPathCellProvTable.setStatus('mandatory')
mscLpSonetPathCellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathCellIndex"))
if mibBuilder.loadTexts: mscLpSonetPathCellProvEntry.setStatus('mandatory')
mscLpSonetPathCellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathCellAlarmActDelay.setStatus('mandatory')
mscLpSonetPathCellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathCellScrambleCellPayload.setStatus('mandatory')
mscLpSonetPathCellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetPathCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpSonetPathCellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 11), )
if mibBuilder.loadTexts: mscLpSonetPathCellOperTable.setStatus('mandatory')
mscLpSonetPathCellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathCellIndex"))
if mibBuilder.loadTexts: mscLpSonetPathCellOperEntry.setStatus('mandatory')
mscLpSonetPathCellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellLcdAlarm.setStatus('mandatory')
mscLpSonetPathCellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12), )
if mibBuilder.loadTexts: mscLpSonetPathCellStatsTable.setStatus('mandatory')
mscLpSonetPathCellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetPathCellIndex"))
if mibBuilder.loadTexts: mscLpSonetPathCellStatsEntry.setStatus('mandatory')
mscLpSonetPathCellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellUncorrectableHecErrors.setStatus('mandatory')
mscLpSonetPathCellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellSevErroredSec.setStatus('mandatory')
mscLpSonetPathCellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellReceiveCellUtilization.setStatus('mandatory')
mscLpSonetPathCellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellTransmitCellUtilization.setStatus('mandatory')
mscLpSonetPathCellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetPathCellCorrectableHeaderErrors.setStatus('mandatory')
mscLpSonetTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3))
mscLpSonetTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1), )
if mibBuilder.loadTexts: mscLpSonetTestRowStatusTable.setStatus('mandatory')
mscLpSonetTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetTestIndex"))
if mibBuilder.loadTexts: mscLpSonetTestRowStatusEntry.setStatus('mandatory')
mscLpSonetTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestRowStatus.setStatus('mandatory')
mscLpSonetTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestComponentName.setStatus('mandatory')
mscLpSonetTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestStorageType.setStatus('mandatory')
mscLpSonetTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpSonetTestIndex.setStatus('mandatory')
mscLpSonetTestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10), )
if mibBuilder.loadTexts: mscLpSonetTestStateTable.setStatus('mandatory')
mscLpSonetTestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetTestIndex"))
if mibBuilder.loadTexts: mscLpSonetTestStateEntry.setStatus('mandatory')
mscLpSonetTestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestAdminState.setStatus('mandatory')
mscLpSonetTestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestOperationalState.setStatus('mandatory')
mscLpSonetTestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestUsageState.setStatus('mandatory')
mscLpSonetTestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11), )
if mibBuilder.loadTexts: mscLpSonetTestSetupTable.setStatus('mandatory')
mscLpSonetTestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetTestIndex"))
if mibBuilder.loadTexts: mscLpSonetTestSetupEntry.setStatus('mandatory')
mscLpSonetTestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestPurpose.setStatus('mandatory')
mscLpSonetTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestType.setStatus('mandatory')
mscLpSonetTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestFrmSize.setStatus('mandatory')
mscLpSonetTestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestFrmPatternType.setStatus('mandatory')
mscLpSonetTestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestCustomizedPattern.setStatus('mandatory')
mscLpSonetTestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestDataStartDelay.setStatus('mandatory')
mscLpSonetTestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestDisplayInterval.setStatus('mandatory')
mscLpSonetTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSonetTestDuration.setStatus('mandatory')
mscLpSonetTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12), )
if mibBuilder.loadTexts: mscLpSonetTestResultsTable.setStatus('mandatory')
mscLpSonetTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSonetTestIndex"))
if mibBuilder.loadTexts: mscLpSonetTestResultsEntry.setStatus('mandatory')
mscLpSonetTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestElapsedTime.setStatus('mandatory')
mscLpSonetTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestTimeRemaining.setStatus('mandatory')
mscLpSonetTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestCauseOfTermination.setStatus('mandatory')
mscLpSonetTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestBitsTx.setStatus('mandatory')
mscLpSonetTestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestBytesTx.setStatus('mandatory')
mscLpSonetTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestFrmTx.setStatus('mandatory')
mscLpSonetTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestBitsRx.setStatus('mandatory')
mscLpSonetTestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestBytesRx.setStatus('mandatory')
mscLpSonetTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestFrmRx.setStatus('mandatory')
mscLpSonetTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestErroredFrmRx.setStatus('mandatory')
mscLpSonetTestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSonetTestBitErrorRate.setStatus('mandatory')
mscLpSdh = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15))
mscLpSdhRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1), )
if mibBuilder.loadTexts: mscLpSdhRowStatusTable.setStatus('mandatory')
mscLpSdhRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhRowStatusEntry.setStatus('mandatory')
mscLpSdhRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhRowStatus.setStatus('mandatory')
mscLpSdhComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhComponentName.setStatus('mandatory')
mscLpSdhStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhStorageType.setStatus('mandatory')
mscLpSdhIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3)))
if mibBuilder.loadTexts: mscLpSdhIndex.setStatus('mandatory')
mscLpSdhProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 10), )
if mibBuilder.loadTexts: mscLpSdhProvTable.setStatus('mandatory')
mscLpSdhProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhProvEntry.setStatus('mandatory')
mscLpSdhClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhClockingSource.setStatus('mandatory')
mscLpSdhCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 11), )
if mibBuilder.loadTexts: mscLpSdhCidDataTable.setStatus('mandatory')
mscLpSdhCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhCidDataEntry.setStatus('mandatory')
mscLpSdhCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhCustomerIdentifier.setStatus('mandatory')
mscLpSdhAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12), )
if mibBuilder.loadTexts: mscLpSdhAdminInfoTable.setStatus('mandatory')
mscLpSdhAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhAdminInfoEntry.setStatus('mandatory')
mscLpSdhVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhVendor.setStatus('mandatory')
mscLpSdhCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhCommentText.setStatus('mandatory')
mscLpSdhIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13), )
if mibBuilder.loadTexts: mscLpSdhIfEntryTable.setStatus('mandatory')
mscLpSdhIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhIfEntryEntry.setStatus('mandatory')
mscLpSdhIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhIfAdminStatus.setStatus('mandatory')
mscLpSdhIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhIfIndex.setStatus('mandatory')
mscLpSdhOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 14), )
if mibBuilder.loadTexts: mscLpSdhOperStatusTable.setStatus('mandatory')
mscLpSdhOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhOperStatusEntry.setStatus('mandatory')
mscLpSdhSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSnmpOperStatus.setStatus('mandatory')
mscLpSdhStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15), )
if mibBuilder.loadTexts: mscLpSdhStateTable.setStatus('mandatory')
mscLpSdhStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhStateEntry.setStatus('mandatory')
mscLpSdhAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhAdminState.setStatus('mandatory')
mscLpSdhOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhOperationalState.setStatus('mandatory')
mscLpSdhUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhUsageState.setStatus('mandatory')
mscLpSdhAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhAvailabilityStatus.setStatus('mandatory')
mscLpSdhProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhProceduralStatus.setStatus('mandatory')
mscLpSdhControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhControlStatus.setStatus('mandatory')
mscLpSdhAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhAlarmStatus.setStatus('mandatory')
mscLpSdhStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhStandbyStatus.setStatus('mandatory')
mscLpSdhUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhUnknownStatus.setStatus('mandatory')
mscLpSdhOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16), )
if mibBuilder.loadTexts: mscLpSdhOperTable.setStatus('mandatory')
mscLpSdhOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhOperEntry.setStatus('mandatory')
mscLpSdhLosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLosAlarm.setStatus('mandatory')
mscLpSdhLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLofAlarm.setStatus('mandatory')
mscLpSdhRxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhRxAisAlarm.setStatus('mandatory')
mscLpSdhRxRfiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhRxRfiAlarm.setStatus('mandatory')
mscLpSdhTxAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTxAis.setStatus('mandatory')
mscLpSdhTxRdi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTxRdi.setStatus('mandatory')
mscLpSdhUnusableTxClockRefAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhUnusableTxClockRefAlarm.setStatus('mandatory')
mscLpSdhStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17), )
if mibBuilder.loadTexts: mscLpSdhStatsTable.setStatus('mandatory')
mscLpSdhStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"))
if mibBuilder.loadTexts: mscLpSdhStatsEntry.setStatus('mandatory')
mscLpSdhRunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhRunningTime.setStatus('mandatory')
mscLpSdhErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhErrorFreeSec.setStatus('mandatory')
mscLpSdhSectCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSectCodeViolations.setStatus('mandatory')
mscLpSdhSectErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSectErroredSec.setStatus('mandatory')
mscLpSdhSectSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSectSevErroredSec.setStatus('mandatory')
mscLpSdhSectLosSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSectLosSec.setStatus('mandatory')
mscLpSdhSectSevErroredFrmSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSectSevErroredFrmSec.setStatus('mandatory')
mscLpSdhSectFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhSectFailures.setStatus('mandatory')
mscLpSdhLineCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLineCodeViolations.setStatus('mandatory')
mscLpSdhLineErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLineErroredSec.setStatus('mandatory')
mscLpSdhLineSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLineSevErroredSec.setStatus('mandatory')
mscLpSdhLineAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLineAisSec.setStatus('mandatory')
mscLpSdhLineUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLineUnavailSec.setStatus('mandatory')
mscLpSdhLineFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhLineFailures.setStatus('mandatory')
mscLpSdhFarEndLineErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineErrorFreeSec.setStatus('mandatory')
mscLpSdhFarEndLineCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineCodeViolations.setStatus('mandatory')
mscLpSdhFarEndLineErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineErroredSec.setStatus('mandatory')
mscLpSdhFarEndLineSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineSevErroredSec.setStatus('mandatory')
mscLpSdhFarEndLineAisSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineAisSec.setStatus('mandatory')
mscLpSdhFarEndLineUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineUnavailSec.setStatus('mandatory')
mscLpSdhFarEndLineFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhFarEndLineFailures.setStatus('mandatory')
mscLpSdhPath = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2))
mscLpSdhPathRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1), )
if mibBuilder.loadTexts: mscLpSdhPathRowStatusTable.setStatus('mandatory')
mscLpSdhPathRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathRowStatusEntry.setStatus('mandatory')
mscLpSdhPathRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathRowStatus.setStatus('mandatory')
mscLpSdhPathComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathComponentName.setStatus('mandatory')
mscLpSdhPathStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathStorageType.setStatus('mandatory')
mscLpSdhPathIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0)))
if mibBuilder.loadTexts: mscLpSdhPathIndex.setStatus('mandatory')
mscLpSdhPathProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 10), )
if mibBuilder.loadTexts: mscLpSdhPathProvTable.setStatus('mandatory')
mscLpSdhPathProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathProvEntry.setStatus('mandatory')
mscLpSdhPathApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 10, 1, 1), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathApplicationFramerName.setStatus('mandatory')
mscLpSdhPathCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 11), )
if mibBuilder.loadTexts: mscLpSdhPathCidDataTable.setStatus('mandatory')
mscLpSdhPathCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathCidDataEntry.setStatus('mandatory')
mscLpSdhPathCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathCustomerIdentifier.setStatus('mandatory')
mscLpSdhPathStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12), )
if mibBuilder.loadTexts: mscLpSdhPathStateTable.setStatus('mandatory')
mscLpSdhPathStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathStateEntry.setStatus('mandatory')
mscLpSdhPathAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathAdminState.setStatus('mandatory')
mscLpSdhPathOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathOperationalState.setStatus('mandatory')
mscLpSdhPathUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathUsageState.setStatus('mandatory')
mscLpSdhPathAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathAvailabilityStatus.setStatus('mandatory')
mscLpSdhPathProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathProceduralStatus.setStatus('mandatory')
mscLpSdhPathControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathControlStatus.setStatus('mandatory')
mscLpSdhPathAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathAlarmStatus.setStatus('mandatory')
mscLpSdhPathStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathStandbyStatus.setStatus('mandatory')
mscLpSdhPathUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathUnknownStatus.setStatus('mandatory')
mscLpSdhPathIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13), )
if mibBuilder.loadTexts: mscLpSdhPathIfEntryTable.setStatus('mandatory')
mscLpSdhPathIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathIfEntryEntry.setStatus('mandatory')
mscLpSdhPathIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathIfAdminStatus.setStatus('mandatory')
mscLpSdhPathIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathIfIndex.setStatus('mandatory')
mscLpSdhPathOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 14), )
if mibBuilder.loadTexts: mscLpSdhPathOperStatusTable.setStatus('mandatory')
mscLpSdhPathOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathOperStatusEntry.setStatus('mandatory')
mscLpSdhPathSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathSnmpOperStatus.setStatus('mandatory')
mscLpSdhPathOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15), )
if mibBuilder.loadTexts: mscLpSdhPathOperTable.setStatus('mandatory')
mscLpSdhPathOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathOperEntry.setStatus('mandatory')
mscLpSdhPathLopAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathLopAlarm.setStatus('mandatory')
mscLpSdhPathRxAisAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathRxAisAlarm.setStatus('mandatory')
mscLpSdhPathRxRfiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathRxRfiAlarm.setStatus('mandatory')
mscLpSdhPathSignalLabelMismatch = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathSignalLabelMismatch.setStatus('mandatory')
mscLpSdhPathTxAis = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathTxAis.setStatus('mandatory')
mscLpSdhPathTxRdi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathTxRdi.setStatus('mandatory')
mscLpSdhPathStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16), )
if mibBuilder.loadTexts: mscLpSdhPathStatsTable.setStatus('mandatory')
mscLpSdhPathStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"))
if mibBuilder.loadTexts: mscLpSdhPathStatsEntry.setStatus('mandatory')
mscLpSdhPathPathErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathErrorFreeSec.setStatus('mandatory')
mscLpSdhPathPathCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathCodeViolations.setStatus('mandatory')
mscLpSdhPathPathErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathErroredSec.setStatus('mandatory')
mscLpSdhPathPathSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathSevErroredSec.setStatus('mandatory')
mscLpSdhPathPathAisLopSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathAisLopSec.setStatus('mandatory')
mscLpSdhPathPathUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathUnavailSec.setStatus('mandatory')
mscLpSdhPathPathFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathPathFailures.setStatus('mandatory')
mscLpSdhPathFarEndPathErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathErrorFreeSec.setStatus('mandatory')
mscLpSdhPathFarEndPathCodeViolations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathCodeViolations.setStatus('mandatory')
mscLpSdhPathFarEndPathErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathErroredSec.setStatus('mandatory')
mscLpSdhPathFarEndPathSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathSevErroredSec.setStatus('mandatory')
mscLpSdhPathFarEndPathAisLopSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathAisLopSec.setStatus('mandatory')
mscLpSdhPathFarEndPathUnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathUnavailSec.setStatus('mandatory')
mscLpSdhPathFarEndPathFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathFarEndPathFailures.setStatus('mandatory')
mscLpSdhPathCell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2))
mscLpSdhPathCellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1), )
if mibBuilder.loadTexts: mscLpSdhPathCellRowStatusTable.setStatus('mandatory')
mscLpSdhPathCellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathCellIndex"))
if mibBuilder.loadTexts: mscLpSdhPathCellRowStatusEntry.setStatus('mandatory')
mscLpSdhPathCellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellRowStatus.setStatus('mandatory')
mscLpSdhPathCellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellComponentName.setStatus('mandatory')
mscLpSdhPathCellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellStorageType.setStatus('mandatory')
mscLpSdhPathCellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpSdhPathCellIndex.setStatus('mandatory')
mscLpSdhPathCellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10), )
if mibBuilder.loadTexts: mscLpSdhPathCellProvTable.setStatus('mandatory')
mscLpSdhPathCellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathCellIndex"))
if mibBuilder.loadTexts: mscLpSdhPathCellProvEntry.setStatus('mandatory')
mscLpSdhPathCellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathCellAlarmActDelay.setStatus('mandatory')
mscLpSdhPathCellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathCellScrambleCellPayload.setStatus('mandatory')
mscLpSdhPathCellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhPathCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpSdhPathCellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 11), )
if mibBuilder.loadTexts: mscLpSdhPathCellOperTable.setStatus('mandatory')
mscLpSdhPathCellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathCellIndex"))
if mibBuilder.loadTexts: mscLpSdhPathCellOperEntry.setStatus('mandatory')
mscLpSdhPathCellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellLcdAlarm.setStatus('mandatory')
mscLpSdhPathCellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12), )
if mibBuilder.loadTexts: mscLpSdhPathCellStatsTable.setStatus('mandatory')
mscLpSdhPathCellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhPathCellIndex"))
if mibBuilder.loadTexts: mscLpSdhPathCellStatsEntry.setStatus('mandatory')
mscLpSdhPathCellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellUncorrectableHecErrors.setStatus('mandatory')
mscLpSdhPathCellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellSevErroredSec.setStatus('mandatory')
mscLpSdhPathCellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellReceiveCellUtilization.setStatus('mandatory')
mscLpSdhPathCellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellTransmitCellUtilization.setStatus('mandatory')
mscLpSdhPathCellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhPathCellCorrectableHeaderErrors.setStatus('mandatory')
mscLpSdhTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3))
mscLpSdhTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1), )
if mibBuilder.loadTexts: mscLpSdhTestRowStatusTable.setStatus('mandatory')
mscLpSdhTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhTestIndex"))
if mibBuilder.loadTexts: mscLpSdhTestRowStatusEntry.setStatus('mandatory')
mscLpSdhTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestRowStatus.setStatus('mandatory')
mscLpSdhTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestComponentName.setStatus('mandatory')
mscLpSdhTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestStorageType.setStatus('mandatory')
mscLpSdhTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpSdhTestIndex.setStatus('mandatory')
mscLpSdhTestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10), )
if mibBuilder.loadTexts: mscLpSdhTestStateTable.setStatus('mandatory')
mscLpSdhTestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhTestIndex"))
if mibBuilder.loadTexts: mscLpSdhTestStateEntry.setStatus('mandatory')
mscLpSdhTestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestAdminState.setStatus('mandatory')
mscLpSdhTestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestOperationalState.setStatus('mandatory')
mscLpSdhTestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestUsageState.setStatus('mandatory')
mscLpSdhTestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11), )
if mibBuilder.loadTexts: mscLpSdhTestSetupTable.setStatus('mandatory')
mscLpSdhTestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhTestIndex"))
if mibBuilder.loadTexts: mscLpSdhTestSetupEntry.setStatus('mandatory')
mscLpSdhTestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestPurpose.setStatus('mandatory')
mscLpSdhTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestType.setStatus('mandatory')
mscLpSdhTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestFrmSize.setStatus('mandatory')
mscLpSdhTestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestFrmPatternType.setStatus('mandatory')
mscLpSdhTestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestCustomizedPattern.setStatus('mandatory')
mscLpSdhTestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestDataStartDelay.setStatus('mandatory')
mscLpSdhTestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestDisplayInterval.setStatus('mandatory')
mscLpSdhTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpSdhTestDuration.setStatus('mandatory')
mscLpSdhTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12), )
if mibBuilder.loadTexts: mscLpSdhTestResultsTable.setStatus('mandatory')
mscLpSdhTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpSdhTestIndex"))
if mibBuilder.loadTexts: mscLpSdhTestResultsEntry.setStatus('mandatory')
mscLpSdhTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestElapsedTime.setStatus('mandatory')
mscLpSdhTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestTimeRemaining.setStatus('mandatory')
mscLpSdhTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestCauseOfTermination.setStatus('mandatory')
mscLpSdhTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestBitsTx.setStatus('mandatory')
mscLpSdhTestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestBytesTx.setStatus('mandatory')
mscLpSdhTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestFrmTx.setStatus('mandatory')
mscLpSdhTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestBitsRx.setStatus('mandatory')
mscLpSdhTestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestBytesRx.setStatus('mandatory')
mscLpSdhTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestFrmRx.setStatus('mandatory')
mscLpSdhTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestErroredFrmRx.setStatus('mandatory')
mscLpSdhTestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpSdhTestBitErrorRate.setStatus('mandatory')
mscLpJT2 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16))
mscLpJT2RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1), )
if mibBuilder.loadTexts: mscLpJT2RowStatusTable.setStatus('mandatory')
mscLpJT2RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2RowStatusEntry.setStatus('mandatory')
mscLpJT2RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2RowStatus.setStatus('mandatory')
mscLpJT2ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2ComponentName.setStatus('mandatory')
mscLpJT2StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2StorageType.setStatus('mandatory')
mscLpJT2Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1)))
if mibBuilder.loadTexts: mscLpJT2Index.setStatus('mandatory')
mscLpJT2CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 10), )
if mibBuilder.loadTexts: mscLpJT2CidDataTable.setStatus('mandatory')
mscLpJT2CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2CidDataEntry.setStatus('mandatory')
mscLpJT2CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2CustomerIdentifier.setStatus('mandatory')
mscLpJT2ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11), )
if mibBuilder.loadTexts: mscLpJT2ProvTable.setStatus('mandatory')
mscLpJT2ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2ProvEntry.setStatus('mandatory')
mscLpJT2ClockingSource = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 4))).clone(namedValues=NamedValues(("local", 0), ("line", 1), ("module", 2), ("otherPort", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2ClockingSource.setStatus('mandatory')
mscLpJT2LineLength = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 480))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2LineLength.setStatus('mandatory')
mscLpJT2ApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1, 3), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2ApplicationFramerName.setStatus('mandatory')
mscLpJT2IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12), )
if mibBuilder.loadTexts: mscLpJT2IfEntryTable.setStatus('mandatory')
mscLpJT2IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2IfEntryEntry.setStatus('mandatory')
mscLpJT2IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2IfAdminStatus.setStatus('mandatory')
mscLpJT2IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2IfIndex.setStatus('mandatory')
mscLpJT2OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 13), )
if mibBuilder.loadTexts: mscLpJT2OperStatusTable.setStatus('mandatory')
mscLpJT2OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2OperStatusEntry.setStatus('mandatory')
mscLpJT2SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2SnmpOperStatus.setStatus('mandatory')
mscLpJT2StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14), )
if mibBuilder.loadTexts: mscLpJT2StateTable.setStatus('mandatory')
mscLpJT2StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2StateEntry.setStatus('mandatory')
mscLpJT2AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2AdminState.setStatus('mandatory')
mscLpJT2OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2OperationalState.setStatus('mandatory')
mscLpJT2UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2UsageState.setStatus('mandatory')
mscLpJT2AvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2AvailabilityStatus.setStatus('mandatory')
mscLpJT2ProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2ProceduralStatus.setStatus('mandatory')
mscLpJT2ControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2ControlStatus.setStatus('mandatory')
mscLpJT2AlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2AlarmStatus.setStatus('mandatory')
mscLpJT2StandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2StandbyStatus.setStatus('mandatory')
mscLpJT2UnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2UnknownStatus.setStatus('mandatory')
mscLpJT2OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15), )
if mibBuilder.loadTexts: mscLpJT2OperTable.setStatus('mandatory')
mscLpJT2OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2OperEntry.setStatus('mandatory')
mscLpJT2LosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2LosAlarm.setStatus('mandatory')
mscLpJT2LofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2LofAlarm.setStatus('mandatory')
mscLpJT2RxAisPhysicalAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2RxAisPhysicalAlarm.setStatus('mandatory')
mscLpJT2RxAisPayloadAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2RxAisPayloadAlarm.setStatus('mandatory')
mscLpJT2RxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2RxRaiAlarm.setStatus('mandatory')
mscLpJT2TxAisPhysicalAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TxAisPhysicalAlarm.setStatus('mandatory')
mscLpJT2TxRaiAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TxRaiAlarm.setStatus('mandatory')
mscLpJT2StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16), )
if mibBuilder.loadTexts: mscLpJT2StatsTable.setStatus('mandatory')
mscLpJT2StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2StatsEntry.setStatus('mandatory')
mscLpJT2RunningTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2RunningTime.setStatus('mandatory')
mscLpJT2ErrorFreeSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2ErrorFreeSec.setStatus('mandatory')
mscLpJT2ErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2ErroredSec.setStatus('mandatory')
mscLpJT2SevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2SevErroredSec.setStatus('mandatory')
mscLpJT2SevErroredFrmSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2SevErroredFrmSec.setStatus('mandatory')
mscLpJT2UnavailSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2UnavailSec.setStatus('mandatory')
mscLpJT2BpvErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2BpvErrors.setStatus('mandatory')
mscLpJT2CrcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CrcErrors.setStatus('mandatory')
mscLpJT2FrameErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2FrameErrors.setStatus('mandatory')
mscLpJT2LosStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2LosStateChanges.setStatus('mandatory')
mscLpJT2AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17), )
if mibBuilder.loadTexts: mscLpJT2AdminInfoTable.setStatus('mandatory')
mscLpJT2AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"))
if mibBuilder.loadTexts: mscLpJT2AdminInfoEntry.setStatus('mandatory')
mscLpJT2Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2Vendor.setStatus('mandatory')
mscLpJT2CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2CommentText.setStatus('mandatory')
mscLpJT2Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2))
mscLpJT2TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1), )
if mibBuilder.loadTexts: mscLpJT2TestRowStatusTable.setStatus('mandatory')
mscLpJT2TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2TestIndex"))
if mibBuilder.loadTexts: mscLpJT2TestRowStatusEntry.setStatus('mandatory')
mscLpJT2TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestRowStatus.setStatus('mandatory')
mscLpJT2TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestComponentName.setStatus('mandatory')
mscLpJT2TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestStorageType.setStatus('mandatory')
mscLpJT2TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpJT2TestIndex.setStatus('mandatory')
mscLpJT2TestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10), )
if mibBuilder.loadTexts: mscLpJT2TestStateTable.setStatus('mandatory')
mscLpJT2TestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2TestIndex"))
if mibBuilder.loadTexts: mscLpJT2TestStateEntry.setStatus('mandatory')
mscLpJT2TestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestAdminState.setStatus('mandatory')
mscLpJT2TestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestOperationalState.setStatus('mandatory')
mscLpJT2TestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestUsageState.setStatus('mandatory')
mscLpJT2TestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11), )
if mibBuilder.loadTexts: mscLpJT2TestSetupTable.setStatus('mandatory')
mscLpJT2TestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2TestIndex"))
if mibBuilder.loadTexts: mscLpJT2TestSetupEntry.setStatus('mandatory')
mscLpJT2TestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestPurpose.setStatus('mandatory')
mscLpJT2TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestType.setStatus('mandatory')
mscLpJT2TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestFrmSize.setStatus('mandatory')
mscLpJT2TestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestFrmPatternType.setStatus('mandatory')
mscLpJT2TestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestCustomizedPattern.setStatus('mandatory')
mscLpJT2TestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestDataStartDelay.setStatus('mandatory')
mscLpJT2TestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestDisplayInterval.setStatus('mandatory')
mscLpJT2TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2TestDuration.setStatus('mandatory')
mscLpJT2TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12), )
if mibBuilder.loadTexts: mscLpJT2TestResultsTable.setStatus('mandatory')
mscLpJT2TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2TestIndex"))
if mibBuilder.loadTexts: mscLpJT2TestResultsEntry.setStatus('mandatory')
mscLpJT2TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestElapsedTime.setStatus('mandatory')
mscLpJT2TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestTimeRemaining.setStatus('mandatory')
mscLpJT2TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestCauseOfTermination.setStatus('mandatory')
mscLpJT2TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestBitsTx.setStatus('mandatory')
mscLpJT2TestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestBytesTx.setStatus('mandatory')
mscLpJT2TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestFrmTx.setStatus('mandatory')
mscLpJT2TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestBitsRx.setStatus('mandatory')
mscLpJT2TestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestBytesRx.setStatus('mandatory')
mscLpJT2TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestFrmRx.setStatus('mandatory')
mscLpJT2TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestErroredFrmRx.setStatus('mandatory')
mscLpJT2TestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2TestBitErrorRate.setStatus('mandatory')
mscLpJT2Cell = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3))
mscLpJT2CellRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1), )
if mibBuilder.loadTexts: mscLpJT2CellRowStatusTable.setStatus('mandatory')
mscLpJT2CellRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2CellIndex"))
if mibBuilder.loadTexts: mscLpJT2CellRowStatusEntry.setStatus('mandatory')
mscLpJT2CellRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellRowStatus.setStatus('mandatory')
mscLpJT2CellComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellComponentName.setStatus('mandatory')
mscLpJT2CellStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellStorageType.setStatus('mandatory')
mscLpJT2CellIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpJT2CellIndex.setStatus('mandatory')
mscLpJT2CellProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10), )
if mibBuilder.loadTexts: mscLpJT2CellProvTable.setStatus('mandatory')
mscLpJT2CellProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2CellIndex"))
if mibBuilder.loadTexts: mscLpJT2CellProvEntry.setStatus('mandatory')
mscLpJT2CellAlarmActDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000)).clone(500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2CellAlarmActDelay.setStatus('mandatory')
mscLpJT2CellScrambleCellPayload = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2CellScrambleCellPayload.setStatus('mandatory')
mscLpJT2CellCorrectSingleBitHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpJT2CellCorrectSingleBitHeaderErrors.setStatus('mandatory')
mscLpJT2CellOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 11), )
if mibBuilder.loadTexts: mscLpJT2CellOperTable.setStatus('mandatory')
mscLpJT2CellOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2CellIndex"))
if mibBuilder.loadTexts: mscLpJT2CellOperEntry.setStatus('mandatory')
mscLpJT2CellLcdAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("on", 0), ("off", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellLcdAlarm.setStatus('mandatory')
mscLpJT2CellStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12), )
if mibBuilder.loadTexts: mscLpJT2CellStatsTable.setStatus('mandatory')
mscLpJT2CellStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2Index"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpJT2CellIndex"))
if mibBuilder.loadTexts: mscLpJT2CellStatsEntry.setStatus('mandatory')
mscLpJT2CellUncorrectableHecErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellUncorrectableHecErrors.setStatus('mandatory')
mscLpJT2CellSevErroredSec = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellSevErroredSec.setStatus('mandatory')
mscLpJT2CellReceiveCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellReceiveCellUtilization.setStatus('mandatory')
mscLpJT2CellTransmitCellUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellTransmitCellUtilization.setStatus('mandatory')
mscLpJT2CellCorrectableHeaderErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpJT2CellCorrectableHeaderErrors.setStatus('mandatory')
mscLpHssi = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17))
mscLpHssiRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1), )
if mibBuilder.loadTexts: mscLpHssiRowStatusTable.setStatus('mandatory')
mscLpHssiRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiRowStatusEntry.setStatus('mandatory')
mscLpHssiRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiRowStatus.setStatus('mandatory')
mscLpHssiComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiComponentName.setStatus('mandatory')
mscLpHssiStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiStorageType.setStatus('mandatory')
mscLpHssiIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0)))
if mibBuilder.loadTexts: mscLpHssiIndex.setStatus('mandatory')
mscLpHssiProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10), )
if mibBuilder.loadTexts: mscLpHssiProvTable.setStatus('mandatory')
mscLpHssiProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiProvEntry.setStatus('mandatory')
mscLpHssiLinkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 128))).clone(namedValues=NamedValues(("dte", 0), ("dce", 128))).clone('dce')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiLinkMode.setStatus('mandatory')
mscLpHssiReadyLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="c0")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiReadyLineState.setStatus('mandatory')
mscLpHssiDataTransferLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="c0")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiDataTransferLineState.setStatus('mandatory')
mscLpHssiLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1000000, 50000000)).clone(45000000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiLineSpeed.setStatus('mandatory')
mscLpHssiApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 7), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiApplicationFramerName.setStatus('mandatory')
mscLpHssiCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 11), )
if mibBuilder.loadTexts: mscLpHssiCidDataTable.setStatus('mandatory')
mscLpHssiCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiCidDataEntry.setStatus('mandatory')
mscLpHssiCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiCustomerIdentifier.setStatus('mandatory')
mscLpHssiAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12), )
if mibBuilder.loadTexts: mscLpHssiAdminInfoTable.setStatus('mandatory')
mscLpHssiAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiAdminInfoEntry.setStatus('mandatory')
mscLpHssiVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiVendor.setStatus('mandatory')
mscLpHssiCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiCommentText.setStatus('mandatory')
mscLpHssiIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13), )
if mibBuilder.loadTexts: mscLpHssiIfEntryTable.setStatus('mandatory')
mscLpHssiIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiIfEntryEntry.setStatus('mandatory')
mscLpHssiIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiIfAdminStatus.setStatus('mandatory')
mscLpHssiIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiIfIndex.setStatus('mandatory')
mscLpHssiOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 14), )
if mibBuilder.loadTexts: mscLpHssiOperStatusTable.setStatus('mandatory')
mscLpHssiOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 14, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiOperStatusEntry.setStatus('mandatory')
mscLpHssiSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiSnmpOperStatus.setStatus('mandatory')
mscLpHssiStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15), )
if mibBuilder.loadTexts: mscLpHssiStateTable.setStatus('mandatory')
mscLpHssiStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiStateEntry.setStatus('mandatory')
mscLpHssiAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiAdminState.setStatus('mandatory')
mscLpHssiOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiOperationalState.setStatus('mandatory')
mscLpHssiUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiUsageState.setStatus('mandatory')
mscLpHssiAvailabilityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiAvailabilityStatus.setStatus('mandatory')
mscLpHssiProceduralStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiProceduralStatus.setStatus('mandatory')
mscLpHssiControlStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiControlStatus.setStatus('mandatory')
mscLpHssiAlarmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiAlarmStatus.setStatus('mandatory')
mscLpHssiStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 15))).clone(namedValues=NamedValues(("hotStandby", 0), ("coldStandby", 1), ("providingService", 2), ("notSet", 15))).clone('notSet')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiStandbyStatus.setStatus('mandatory')
mscLpHssiUnknownStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1))).clone('false')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiUnknownStatus.setStatus('mandatory')
mscLpHssiOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16), )
if mibBuilder.loadTexts: mscLpHssiOperTable.setStatus('mandatory')
mscLpHssiOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"))
if mibBuilder.loadTexts: mscLpHssiOperEntry.setStatus('mandatory')
mscLpHssiActualLinkMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 128))).clone(namedValues=NamedValues(("dte", 0), ("dce", 128)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiActualLinkMode.setStatus('mandatory')
mscLpHssiLineState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiLineState.setStatus('mandatory')
mscLpHssiActualTxLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiActualTxLineSpeed.setStatus('mandatory')
mscLpHssiActualRxLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiActualRxLineSpeed.setStatus('mandatory')
mscLpHssiDataXferStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiDataXferStateChanges.setStatus('mandatory')
mscLpHssiTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2))
mscLpHssiTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1), )
if mibBuilder.loadTexts: mscLpHssiTestRowStatusTable.setStatus('mandatory')
mscLpHssiTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiTestIndex"))
if mibBuilder.loadTexts: mscLpHssiTestRowStatusEntry.setStatus('mandatory')
mscLpHssiTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestRowStatus.setStatus('mandatory')
mscLpHssiTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestComponentName.setStatus('mandatory')
mscLpHssiTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestStorageType.setStatus('mandatory')
mscLpHssiTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpHssiTestIndex.setStatus('mandatory')
mscLpHssiTestStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10), )
if mibBuilder.loadTexts: mscLpHssiTestStateTable.setStatus('mandatory')
mscLpHssiTestStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiTestIndex"))
if mibBuilder.loadTexts: mscLpHssiTestStateEntry.setStatus('mandatory')
mscLpHssiTestAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestAdminState.setStatus('mandatory')
mscLpHssiTestOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestOperationalState.setStatus('mandatory')
mscLpHssiTestUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestUsageState.setStatus('mandatory')
mscLpHssiTestSetupTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11), )
if mibBuilder.loadTexts: mscLpHssiTestSetupTable.setStatus('mandatory')
mscLpHssiTestSetupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiTestIndex"))
if mibBuilder.loadTexts: mscLpHssiTestSetupEntry.setStatus('mandatory')
mscLpHssiTestPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 40))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestPurpose.setStatus('mandatory')
mscLpHssiTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("card", 0), ("manual", 1), ("localLoop", 2), ("remoteLoop", 3), ("externalLoop", 4), ("payloadLoop", 5), ("remoteLoopThisTrib", 6), ("v54RemoteLoop", 7), ("pn127RemoteLoop", 8))).clone('card')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestType.setStatus('mandatory')
mscLpHssiTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestFrmSize.setStatus('mandatory')
mscLpHssiTestFrmPatternType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("ccitt32kBitPattern", 0), ("ccitt8MBitPattern", 1), ("customizedPattern", 2))).clone('ccitt32kBitPattern')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestFrmPatternType.setStatus('mandatory')
mscLpHssiTestCustomizedPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 5), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295)).clone(1431655765)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestCustomizedPattern.setStatus('mandatory')
mscLpHssiTestDataStartDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1814400))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestDataStartDelay.setStatus('mandatory')
mscLpHssiTestDisplayInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 30240)).clone(5)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestDisplayInterval.setStatus('mandatory')
mscLpHssiTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpHssiTestDuration.setStatus('mandatory')
mscLpHssiTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12), )
if mibBuilder.loadTexts: mscLpHssiTestResultsTable.setStatus('mandatory')
mscLpHssiTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpHssiTestIndex"))
if mibBuilder.loadTexts: mscLpHssiTestResultsEntry.setStatus('mandatory')
mscLpHssiTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestElapsedTime.setStatus('mandatory')
mscLpHssiTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestTimeRemaining.setStatus('mandatory')
mscLpHssiTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4), ("hardwareReconfigured", 5), ("loopCodeSyncFailed", 6), ("patternSyncFailed", 7), ("patternSyncLost", 8))).clone('neverStarted')).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestCauseOfTermination.setStatus('mandatory')
mscLpHssiTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 4), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestBitsTx.setStatus('mandatory')
mscLpHssiTestBytesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 5), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestBytesTx.setStatus('mandatory')
mscLpHssiTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 6), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestFrmTx.setStatus('mandatory')
mscLpHssiTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 7), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestBitsRx.setStatus('mandatory')
mscLpHssiTestBytesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 8), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestBytesRx.setStatus('mandatory')
mscLpHssiTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 9), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestFrmRx.setStatus('mandatory')
mscLpHssiTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 10), PassportCounter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestErroredFrmRx.setStatus('mandatory')
mscLpHssiTestBitErrorRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 11), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(5, 5)).setFixedLength(5)).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpHssiTestBitErrorRate.setStatus('mandatory')
mscLpEng = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23))
mscLpEngRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1), )
if mibBuilder.loadTexts: mscLpEngRowStatusTable.setStatus('mandatory')
mscLpEngRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngIndex"))
if mibBuilder.loadTexts: mscLpEngRowStatusEntry.setStatus('mandatory')
mscLpEngRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngRowStatus.setStatus('mandatory')
mscLpEngComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngComponentName.setStatus('mandatory')
mscLpEngStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngStorageType.setStatus('mandatory')
mscLpEngIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpEngIndex.setStatus('mandatory')
mscLpEngDs = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2))
mscLpEngDsRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1), )
if mibBuilder.loadTexts: mscLpEngDsRowStatusTable.setStatus('mandatory')
mscLpEngDsRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngDsIndex"))
if mibBuilder.loadTexts: mscLpEngDsRowStatusEntry.setStatus('mandatory')
mscLpEngDsRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpEngDsRowStatus.setStatus('mandatory')
mscLpEngDsComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngDsComponentName.setStatus('mandatory')
mscLpEngDsStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngDsStorageType.setStatus('mandatory')
mscLpEngDsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("accounting", 0), ("alarm", 1), ("log", 2), ("debug", 3), ("scn", 4), ("trap", 5), ("stats", 6))))
if mibBuilder.loadTexts: mscLpEngDsIndex.setStatus('mandatory')
mscLpEngDsOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 10), )
if mibBuilder.loadTexts: mscLpEngDsOperTable.setStatus('mandatory')
mscLpEngDsOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngDsIndex"))
if mibBuilder.loadTexts: mscLpEngDsOperEntry.setStatus('mandatory')
mscLpEngDsAgentQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngDsAgentQueueSize.setStatus('mandatory')
mscLpEngDsOv = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2))
mscLpEngDsOvRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1), )
if mibBuilder.loadTexts: mscLpEngDsOvRowStatusTable.setStatus('mandatory')
mscLpEngDsOvRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngDsIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngDsOvIndex"))
if mibBuilder.loadTexts: mscLpEngDsOvRowStatusEntry.setStatus('mandatory')
mscLpEngDsOvRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpEngDsOvRowStatus.setStatus('mandatory')
mscLpEngDsOvComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngDsOvComponentName.setStatus('mandatory')
mscLpEngDsOvStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mscLpEngDsOvStorageType.setStatus('mandatory')
mscLpEngDsOvIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: mscLpEngDsOvIndex.setStatus('mandatory')
mscLpEngDsOvProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 10), )
if mibBuilder.loadTexts: mscLpEngDsOvProvTable.setStatus('mandatory')
mscLpEngDsOvProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngDsIndex"), (0, "Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", "mscLpEngDsOvIndex"))
if mibBuilder.loadTexts: mscLpEngDsOvProvEntry.setStatus('mandatory')
mscLpEngDsOvAgentQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mscLpEngDsOvAgentQueueSize.setStatus('mandatory')
logicalProcessorGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1))
logicalProcessorGroupCA = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1, 1))
logicalProcessorGroupCA02 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1, 1, 3))
logicalProcessorGroupCA02A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1, 1, 3, 2))
logicalProcessorCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3))
logicalProcessorCapabilitiesCA = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3, 1))
logicalProcessorCapabilitiesCA02 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3, 1, 3))
logicalProcessorCapabilitiesCA02A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3, 1, 3, 2))
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpDS3DS1ChanTestPurpose=mscLpDS3DS1ChanTestPurpose, mscLpSdhPathLopAlarm=mscLpSdhPathLopAlarm, mscLpV35TestRowStatusTable=mscLpV35TestRowStatusTable, mscLpJT2CellLcdAlarm=mscLpJT2CellLcdAlarm, mscLpX21ProvTable=mscLpX21ProvTable, mscLpDS1ChanTcIndex=mscLpDS1ChanTcIndex, mscLpSonetTestResultsTable=mscLpSonetTestResultsTable, mscLpSonetPathCellOperTable=mscLpSonetPathCellOperTable, mscLpDS1ChanCellRowStatusTable=mscLpDS1ChanCellRowStatusTable, mscLpSonetPathIfEntryEntry=mscLpSonetPathIfEntryEntry, mscLpDS3DS1ChanCidDataEntry=mscLpDS3DS1ChanCidDataEntry, mscLpDS3DS1TestCustomizedPattern=mscLpDS3DS1TestCustomizedPattern, mscLpSdhTestRowStatusEntry=mscLpSdhTestRowStatusEntry, mscLpEngStorageType=mscLpEngStorageType, mscLpSdhOperationalState=mscLpSdhOperationalState, mscLpE1ChanRowStatusEntry=mscLpE1ChanRowStatusEntry, mscLpV35TestResultsEntry=mscLpV35TestResultsEntry, mscLpE3G832OperationalTable=mscLpE3G832OperationalTable, mscLpE1ChanCommentText=mscLpE1ChanCommentText, mscLpE1ChanTcSigOneEntry=mscLpE1ChanTcSigOneEntry, mscLpX21ClockingSource=mscLpX21ClockingSource, mscLpJT2StatsEntry=mscLpJT2StatsEntry, mscLpE1AudioRowStatusEntry=mscLpE1AudioRowStatusEntry, mscLpSdhPathCustomerIdentifier=mscLpSdhPathCustomerIdentifier, mscLpDS3LineLosSec=mscLpDS3LineLosSec, mscLpE3LineFailures=mscLpE3LineFailures, mscLpDS1TestElapsedTime=mscLpDS1TestElapsedTime, mscLpE3TestRowStatusEntry=mscLpE3TestRowStatusEntry, mscLpJT2UnknownStatus=mscLpJT2UnknownStatus, mscLpDS3TestRowStatusTable=mscLpDS3TestRowStatusTable, mscLpJT2UnavailSec=mscLpJT2UnavailSec, mscLpDS3DS1ChanTestSetupEntry=mscLpDS3DS1ChanTestSetupEntry, mscLpE1ChanTcStorageType=mscLpE1ChanTcStorageType, mscLpSdhTestOperationalState=mscLpSdhTestOperationalState, mscLpSdhPathCellUncorrectableHecErrors=mscLpSdhPathCellUncorrectableHecErrors, mscLpEngDsOvAgentQueueSize=mscLpEngDsOvAgentQueueSize, mscLpSdhTestComponentName=mscLpSdhTestComponentName, mscLpE3IfEntryTable=mscLpE3IfEntryTable, mscLpJT2RowStatusEntry=mscLpJT2RowStatusEntry, mscLpDS3LosAlarm=mscLpDS3LosAlarm, mscLpDS3DS1TestBytesRx=mscLpDS3DS1TestBytesRx, mscLpMemoryCapacityValue=mscLpMemoryCapacityValue, mscLpDS3OperTable=mscLpDS3OperTable, mscLpE3LinkAlarmActivationThreshold=mscLpE3LinkAlarmActivationThreshold, mscLpDS3DS1ChanCellLcdAlarm=mscLpDS3DS1ChanCellLcdAlarm, mscLpMainCard=mscLpMainCard, mscLpDS1ChanTestType=mscLpDS1ChanTestType, mscLpDS3DS1ChanTimeslotDataRate=mscLpDS3DS1ChanTimeslotDataRate, mscLpE1ChanFlmProvEntry=mscLpE1ChanFlmProvEntry, mscLpDS3TxIdle=mscLpDS3TxIdle, mscLpDS3DS1AvailabilityStatus=mscLpDS3DS1AvailabilityStatus, mscLpDS1ChanRowStatusEntry=mscLpDS1ChanRowStatusEntry, mscLpSonetPathPathFailures=mscLpSonetPathPathFailures, mscLpSdhFarEndLineSevErroredSec=mscLpSdhFarEndLineSevErroredSec, mscLpSonetSectSevErroredSec=mscLpSonetSectSevErroredSec, mscLpDS3DS1ErroredSec=mscLpDS3DS1ErroredSec, mscLpDS3DS1TestDisplayInterval=mscLpDS3DS1TestDisplayInterval, mscLpSdhPathIndex=mscLpSdhPathIndex, mscLpHssiSnmpOperStatus=mscLpHssiSnmpOperStatus, mscLpE3CellCorrectableHeaderErrors=mscLpE3CellCorrectableHeaderErrors, mscLpDS3DS1ChanCidDataTable=mscLpDS3DS1ChanCidDataTable, mscLpE1ChanTestBitErrorRate=mscLpE1ChanTestBitErrorRate, mscLpDS1=mscLpDS1, mscLpSonetPathPathUnavailSec=mscLpSonetPathPathUnavailSec, mscLpSonetTestFrmPatternType=mscLpSonetTestFrmPatternType, mscLpDS1ChanCellLcdAlarm=mscLpDS1ChanCellLcdAlarm, mscLpSdhPathCidDataTable=mscLpSdhPathCidDataTable, mscLpDS3DS1ChanTcSignalOneDuration=mscLpDS3DS1ChanTcSignalOneDuration, mscLpSdhPathApplicationFramerName=mscLpSdhPathApplicationFramerName, mscLpSonetPathCellComponentName=mscLpSonetPathCellComponentName, mscLpJT2Cell=mscLpJT2Cell, mscLpE1AlarmStatus=mscLpE1AlarmStatus, mscLpSonetAdminInfoTable=mscLpSonetAdminInfoTable, mscLpX21TestBitsTx=mscLpX21TestBitsTx, mscLpE1ChanTcRowStatus=mscLpE1ChanTcRowStatus, mscLpJT2TestBytesTx=mscLpJT2TestBytesTx, mscLpSdhPathControlStatus=mscLpSdhPathControlStatus, mscLpSonetTestCauseOfTermination=mscLpSonetTestCauseOfTermination, mscLpE3CellStorageType=mscLpE3CellStorageType, mscLpDS3DS1ChanCustomerIdentifier=mscLpDS3DS1ChanCustomerIdentifier, mscLpE1TestResultsTable=mscLpE1TestResultsTable, mscLpDS3DS1ChanTestBitsTx=mscLpDS3DS1ChanTestBitsTx, mscLpV35StateTable=mscLpV35StateTable, mscLpDS3DS1AdminState=mscLpDS3DS1AdminState, mscLpE1TestAdminState=mscLpE1TestAdminState, mscLpDS3DS1ChanIfEntryTable=mscLpDS3DS1ChanIfEntryTable, mscLpSonetRowStatusEntry=mscLpSonetRowStatusEntry, mscLpSdhPathCellOperEntry=mscLpSdhPathCellOperEntry, mscLpDS3OperStatusEntry=mscLpDS3OperStatusEntry, mscLpDS3PlcpFarEndErrorFreeSec=mscLpDS3PlcpFarEndErrorFreeSec, mscLpDS3DS1ChanTcStorageType=mscLpDS3DS1ChanTcStorageType, mscLpE1CidDataEntry=mscLpE1CidDataEntry, mscLpSonetRowStatusTable=mscLpSonetRowStatusTable, mscLpV35TestFrmRx=mscLpV35TestFrmRx, mscLpDS3DS1RowStatus=mscLpDS3DS1RowStatus, mscLpDS1TestBytesTx=mscLpDS1TestBytesTx, mscLpEngDs=mscLpEngDs, mscLpSonetPathFarEndPathUnavailSec=mscLpSonetPathFarEndPathUnavailSec, mscLpHssiTestBitErrorRate=mscLpHssiTestBitErrorRate, mscLpE1DspRowStatusTable=mscLpE1DspRowStatusTable, mscLpDS3TestSetupEntry=mscLpDS3TestSetupEntry, mscLpDS1ChanRowStatusTable=mscLpDS1ChanRowStatusTable, mscLpDS3DS1ChanRowStatus=mscLpDS3DS1ChanRowStatus, mscLpE1ChanOperStatusTable=mscLpE1ChanOperStatusTable, mscLpSdhTestStateEntry=mscLpSdhTestStateEntry, mscLpDS3DS1StandbyStatus=mscLpDS3DS1StandbyStatus, mscLpE3CustomerIdentifier=mscLpE3CustomerIdentifier, mscLpE3PlcpRxRaiAlarm=mscLpE3PlcpRxRaiAlarm, mscLpSdhPathFarEndPathSevErroredSec=mscLpSdhPathFarEndPathSevErroredSec, mscLpSonetProvTable=mscLpSonetProvTable, mscLpDS1ChanTcSigTwoValue=mscLpDS1ChanTcSigTwoValue, mscLpDS3DS1ChanTestTimeRemaining=mscLpDS3DS1ChanTestTimeRemaining, mscLpSdhPathCellRowStatus=mscLpSdhPathCellRowStatus, mscLpX21TestIndex=mscLpX21TestIndex, mscLpDS1CommentText=mscLpDS1CommentText, mscLpSonetLosAlarm=mscLpSonetLosAlarm, mscLpE1RowStatusEntry=mscLpE1RowStatusEntry, mscLpDS3RowStatusEntry=mscLpDS3RowStatusEntry, mscLpSdh=mscLpSdh, mscLpSdhIndex=mscLpSdhIndex, mscLpE1TestResultsEntry=mscLpE1TestResultsEntry, mscLpDS3DS1ChanTcRowStatus=mscLpDS3DS1ChanTcRowStatus, mscLpV35CustomerIdentifier=mscLpV35CustomerIdentifier, mscLpSonetPathIfAdminStatus=mscLpSonetPathIfAdminStatus, mscLpSonetAlarmStatus=mscLpSonetAlarmStatus, mscLpDS1ChanTcComponentName=mscLpDS1ChanTcComponentName, mscLpX21Vendor=mscLpX21Vendor, mscLpDS1ChanTestBitErrorRate=mscLpDS1ChanTestBitErrorRate, mscLpE3StateEntry=mscLpE3StateEntry, mscLpSdhTestElapsedTime=mscLpSdhTestElapsedTime, mscLpDS3PlcpIndex=mscLpDS3PlcpIndex, mscLpJT2TestResultsEntry=mscLpJT2TestResultsEntry, mscLpJT2TestUsageState=mscLpJT2TestUsageState, mscLpDS1ErrorFreeSec=mscLpDS1ErrorFreeSec, mscLpE3ClockingSource=mscLpE3ClockingSource, mscLpSdhLosAlarm=mscLpSdhLosAlarm, mscLpSdhPathUsageState=mscLpSdhPathUsageState, mscLpJT2CellUncorrectableHecErrors=mscLpJT2CellUncorrectableHecErrors, mscLpE3Mapping=mscLpE3Mapping, mscLpJT2CellRowStatusEntry=mscLpJT2CellRowStatusEntry, mscLpE1TestCustomizedPattern=mscLpE1TestCustomizedPattern, mscLpE3PlcpFarEndSevErroredSec=mscLpE3PlcpFarEndSevErroredSec, mscLpDS3TestDuration=mscLpDS3TestDuration, mscLpDS3DS1TestFrmPatternType=mscLpDS3DS1TestFrmPatternType, mscLpE3G832UnexpectedPayloadType=mscLpE3G832UnexpectedPayloadType, mscLpE3CellCorrectSingleBitHeaderErrors=mscLpE3CellCorrectSingleBitHeaderErrors, mscLpSonetFarEndLineErroredSec=mscLpSonetFarEndLineErroredSec, mscLpSdhLineAisSec=mscLpSdhLineAisSec, logicalProcessorCapabilitiesCA=logicalProcessorCapabilitiesCA, mscLpE1ChanTcComponentName=mscLpE1ChanTcComponentName, mscLpDS1IfIndex=mscLpDS1IfIndex, mscLpDS3DS1ChanProvEntry=mscLpDS3DS1ChanProvEntry, mscLpDS3PlcpSevErroredSec=mscLpDS3PlcpSevErroredSec, mscLpDS3PathSevErroredSec=mscLpDS3PathSevErroredSec, mscLpDS3DS1CidDataTable=mscLpDS3DS1CidDataTable, mscLpE1TestOperationalState=mscLpE1TestOperationalState, mscLpE1DspRowStatusEntry=mscLpE1DspRowStatusEntry, mscLpE3G832RowStatusEntry=mscLpE3G832RowStatusEntry, mscLpV35DteDataClockSource=mscLpV35DteDataClockSource, mscLpSdhPathCellRowStatusEntry=mscLpSdhPathCellRowStatusEntry, mscLpSonetPathComponentName=mscLpSonetPathComponentName, mscLpSonetPathStateTable=mscLpSonetPathStateTable, mscLpSdhLineSevErroredSec=mscLpSdhLineSevErroredSec, mscLpDS3TestBitErrorRate=mscLpDS3TestBitErrorRate, mscLpJT2OperEntry=mscLpJT2OperEntry, mscLpE1ChanTestRowStatus=mscLpE1ChanTestRowStatus, mscLpDS1ChanProvEntry=mscLpDS1ChanProvEntry, mscLpDS1ChanCellSevErroredSec=mscLpDS1ChanCellSevErroredSec, mscLpDS1ChanTcSigTwoEntry=mscLpDS1ChanTcSigTwoEntry, mscLpDS3CBitStorageType=mscLpDS3CBitStorageType, mscLpX21TestFrmTx=mscLpX21TestFrmTx, mscLpE3G832FarEndErrorFreeSec=mscLpE3G832FarEndErrorFreeSec, mscLpDS1OperationalState=mscLpDS1OperationalState, mscLpDS1ChanAlarmStatus=mscLpDS1ChanAlarmStatus, mscLpE1ChanTcSigTwoEntry=mscLpE1ChanTcSigTwoEntry, mscLpE1TestFrmRx=mscLpE1TestFrmRx, mscLpSonetPathCellScrambleCellPayload=mscLpSonetPathCellScrambleCellPayload, mscLpDS3DS1ChanTcEgressConditioning=mscLpDS3DS1ChanTcEgressConditioning, mscLpX21TestBitErrorRate=mscLpX21TestBitErrorRate, mscLpSdhStorageType=mscLpSdhStorageType, mscLpDS1TestUsageState=mscLpDS1TestUsageState, mscLpSdhPathAlarmStatus=mscLpSdhPathAlarmStatus, mscLpSonetPathAdminState=mscLpSonetPathAdminState, mscLpDS3DS1ChanCellSevErroredSec=mscLpDS3DS1ChanCellSevErroredSec, mscLpDS1ChanAdminState=mscLpDS1ChanAdminState, mscLpDS3DS1ChanSnmpOperStatus=mscLpDS3DS1ChanSnmpOperStatus, mscLpE1ChanCellLcdAlarm=mscLpE1ChanCellLcdAlarm, mscLpDS3CBitStatsEntry=mscLpDS3CBitStatsEntry, mscLpDS1ChanOperTable=mscLpDS1ChanOperTable, mscLpE1ChanTcSigTwoIndex=mscLpE1ChanTcSigTwoIndex, mscLpDS3PlcpRowStatusEntry=mscLpDS3PlcpRowStatusEntry, mscLpJT2StatsTable=mscLpJT2StatsTable, mscLpV35TestSetupEntry=mscLpV35TestSetupEntry, mscLpE3SnmpOperStatus=mscLpE3SnmpOperStatus, mscLpDS1SnmpOperStatus=mscLpDS1SnmpOperStatus, mscLpJT2TestStorageType=mscLpJT2TestStorageType, mscLpSonetAvailabilityStatus=mscLpSonetAvailabilityStatus, mscLpEngComponentName=mscLpEngComponentName, mscLpJT2CidDataTable=mscLpJT2CidDataTable, mscLpE1ChanStateTable=mscLpE1ChanStateTable, mscLpE3G832TrailTraceExpected=mscLpE3G832TrailTraceExpected, mscLpE3PlcpRowStatus=mscLpE3PlcpRowStatus, mscLpV35TestPurpose=mscLpV35TestPurpose, mscLpDS1ChanTcSigTwoTable=mscLpDS1ChanTcSigTwoTable, mscLpDS1TestSetupTable=mscLpDS1TestSetupTable, mscLpX21AdminInfoEntry=mscLpX21AdminInfoEntry, mscLpE1ChanFlmABitMonitoring=mscLpE1ChanFlmABitMonitoring, mscLpIndex=mscLpIndex, mscLpE3RxAisAlarm=mscLpE3RxAisAlarm, mscLpOperationalState=mscLpOperationalState, mscLpDS1ChanTest=mscLpDS1ChanTest, mscLpEngDsOvComponentName=mscLpEngDsOvComponentName, mscLpDS3DS1TestTimeRemaining=mscLpDS3DS1TestTimeRemaining, mscLpSdhPathOperEntry=mscLpSdhPathOperEntry, mscLpDS3TestBitsRx=mscLpDS3TestBitsRx, mscLpDS3AvailabilityStatus=mscLpDS3AvailabilityStatus, mscLpE1SevErroredFrmSec=mscLpE1SevErroredFrmSec, mscLpE3ProvTable=mscLpE3ProvTable, mscLpSdhIfIndex=mscLpSdhIfIndex, mscLpE1ChanTestPurpose=mscLpE1ChanTestPurpose, mscLpX21TestAdminState=mscLpX21TestAdminState, mscLpE1ChanTcOpTable=mscLpE1ChanTcOpTable, mscLpSdhTestPurpose=mscLpSdhTestPurpose, mscLpDS3DS1ChanUnknownStatus=mscLpDS3DS1ChanUnknownStatus, mscLpE1ChanProvEntry=mscLpE1ChanProvEntry, mscLpHssiOperStatusTable=mscLpHssiOperStatusTable, mscLpDS3DS1OperEntry=mscLpDS3DS1OperEntry, mscLpDS3IfIndex=mscLpDS3IfIndex, mscLpSonetStatsEntry=mscLpSonetStatsEntry, mscLpE3TestAdminState=mscLpE3TestAdminState, mscLpDS3CBitRowStatus=mscLpDS3CBitRowStatus, mscLpSdhRowStatusTable=mscLpSdhRowStatusTable, mscLpDS3TestElapsedTime=mscLpDS3TestElapsedTime, mscLpDS1DspIndex=mscLpDS1DspIndex, mscLpDS3DS1ChanAvailabilityStatus=mscLpDS3DS1ChanAvailabilityStatus, mscLpDS1ChanTestUsageState=mscLpDS1ChanTestUsageState, mscLpDS1ChanTestFrmSize=mscLpDS1ChanTestFrmSize, mscLpV35UsageState=mscLpV35UsageState, mscLpDS1AudioRowStatus=mscLpDS1AudioRowStatus, mscLpX21TestFrmSize=mscLpX21TestFrmSize, mscLpE3LineErroredSec=mscLpE3LineErroredSec, mscLpDS3CidDataEntry=mscLpDS3CidDataEntry, mscLpDS3Test=mscLpDS3Test, mscLpSdhPathCellCorrectableHeaderErrors=mscLpSdhPathCellCorrectableHeaderErrors, mscLpSdhTestRowStatus=mscLpSdhTestRowStatus, mscLpX21RowStatusEntry=mscLpX21RowStatusEntry, mscLpDS3TestSetupTable=mscLpDS3TestSetupTable, mscLpSdhTest=mscLpSdhTest, mscLpDS3StateTable=mscLpDS3StateTable, mscLpDS1SevErroredFrmSec=mscLpDS1SevErroredFrmSec, mscLpSonetOperationalState=mscLpSonetOperationalState, mscLpJT2TestRowStatusTable=mscLpJT2TestRowStatusTable, mscLpV35StandbyStatus=mscLpV35StandbyStatus, mscLpSdhPathFarEndPathErroredSec=mscLpSdhPathFarEndPathErroredSec)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpE1DspComponentName=mscLpE1DspComponentName, mscLpSdhIfEntryEntry=mscLpSdhIfEntryEntry, mscLpMemoryUsageAvgTable=mscLpMemoryUsageAvgTable, mscLpDS3DS1ChanTestRowStatus=mscLpDS3DS1ChanTestRowStatus, mscLpE1ChanFlmRowStatus=mscLpE1ChanFlmRowStatus, mscLpV35TestBitsTx=mscLpV35TestBitsTx, mscLpSdhSectCodeViolations=mscLpSdhSectCodeViolations, mscLpDS3DS1ClockingSource=mscLpDS3DS1ClockingSource, mscLpDS3DS1ChanTcProvEntry=mscLpDS3DS1ChanTcProvEntry, mscLpJT2TestAdminState=mscLpJT2TestAdminState, mscLpX21TestStateEntry=mscLpX21TestStateEntry, mscLpSdhTestFrmPatternType=mscLpSdhTestFrmPatternType, mscLpX21TestOperationalState=mscLpX21TestOperationalState, mscLpDS3PlcpCodingViolations=mscLpDS3PlcpCodingViolations, mscLpCpuUtilAvg=mscLpCpuUtilAvg, mscLpDS3TestCustomizedPattern=mscLpDS3TestCustomizedPattern, mscLpSdhOperStatusEntry=mscLpSdhOperStatusEntry, mscLpE3CellOperTable=mscLpE3CellOperTable, mscLpEngRowStatusEntry=mscLpEngRowStatusEntry, mscLpDS3TestRowStatusEntry=mscLpDS3TestRowStatusEntry, mscLpE1ChanControlStatus=mscLpE1ChanControlStatus, mscLpV35EnableDynamicSpeed=mscLpV35EnableDynamicSpeed, mscLpDS3IfEntryEntry=mscLpDS3IfEntryEntry, mscLpDS3DS1ChanTestDisplayInterval=mscLpDS3DS1ChanTestDisplayInterval, mscLpSdhPathStatsEntry=mscLpSdhPathStatsEntry, mscLpDS3RowStatus=mscLpDS3RowStatus, mscLpDS3CidDataTable=mscLpDS3CidDataTable, mscLpDS3CellProvEntry=mscLpDS3CellProvEntry, mscLpDS3DS1ChanTcIngressConditioning=mscLpDS3DS1ChanTcIngressConditioning, mscLpE1ChanTestUsageState=mscLpE1ChanTestUsageState, mscLpE3PlcpLofAlarm=mscLpE3PlcpLofAlarm, mscLpSonetPathFarEndPathErroredSec=mscLpSonetPathFarEndPathErroredSec, mscLpE3PlcpFarEndUnavailableSec=mscLpE3PlcpFarEndUnavailableSec, mscLpSonetVendor=mscLpSonetVendor, mscLpX21IfEntryTable=mscLpX21IfEntryTable, mscLpDS3DS1TestPurpose=mscLpDS3DS1TestPurpose, mscLpDS3DS1ChanTestBitErrorRate=mscLpDS3DS1ChanTestBitErrorRate, mscLpDS3DS1TestFrmRx=mscLpDS3DS1TestFrmRx, mscLpSonetPathPathAisLopSec=mscLpSonetPathPathAisLopSec, mscLpE1ChanFlmRowStatusEntry=mscLpE1ChanFlmRowStatusEntry, mscLpE3OperStatusTable=mscLpE3OperStatusTable, mscLpSdhIfEntryTable=mscLpSdhIfEntryTable, mscLpE1ChanProvTable=mscLpE1ChanProvTable, mscLpX21ApplicationFramerName=mscLpX21ApplicationFramerName, mscLpJT2ClockingSource=mscLpJT2ClockingSource, mscLpSonetPathCellStatsEntry=mscLpSonetPathCellStatsEntry, mscLpAlarmStatus=mscLpAlarmStatus, mscLpJT2AdminInfoEntry=mscLpJT2AdminInfoEntry, mscLpDS3DS1OperTable=mscLpDS3DS1OperTable, mscLpDS1AdminState=mscLpDS1AdminState, mscLpCustomerIdentifier=mscLpCustomerIdentifier, mscLpE3G832FarEndUnavailSec=mscLpE3G832FarEndUnavailSec, mscLpE3TestOperationalState=mscLpE3TestOperationalState, mscLpE1SendRaiOnAis=mscLpE1SendRaiOnAis, mscLpDS3DS1TestRowStatusTable=mscLpDS3DS1TestRowStatusTable, mscLpSdhPathTxAis=mscLpSdhPathTxAis, mscLpDS3DS1ChanCellStatsTable=mscLpDS3DS1ChanCellStatsTable, mscLpDS1ZeroCoding=mscLpDS1ZeroCoding, mscLpE1ChanCellScrambleCellPayload=mscLpE1ChanCellScrambleCellPayload, mscLpDS3DS1ChanComponentName=mscLpDS3DS1ChanComponentName, mscLpDS3CBitFarEndSefAisSec=mscLpDS3CBitFarEndSefAisSec, mscLpJT2TestFrmSize=mscLpJT2TestFrmSize, mscLpDS3DS1RxAisAlarm=mscLpDS3DS1RxAisAlarm, mscLpE1ChanTestCauseOfTermination=mscLpE1ChanTestCauseOfTermination, mscLpDS1TestBitsRx=mscLpDS1TestBitsRx, mscLpE3PlcpErroredSec=mscLpE3PlcpErroredSec, mscLpE1AdminState=mscLpE1AdminState, mscLpHssi=mscLpHssi, mscLpE1TestStorageType=mscLpE1TestStorageType, mscLpE1RowStatus=mscLpE1RowStatus, mscLpDS3TestDisplayInterval=mscLpDS3TestDisplayInterval, mscLpE1MultifrmLofAlarm=mscLpE1MultifrmLofAlarm, mscLpDS1TestBitErrorRate=mscLpDS1TestBitErrorRate, mscLpDS1StateEntry=mscLpDS1StateEntry, mscLpHssiTestBytesTx=mscLpHssiTestBytesTx, mscLpE1ChanStandbyStatus=mscLpE1ChanStandbyStatus, mscLpSdhSectLosSec=mscLpSdhSectLosSec, mscLpDS1ChanCellIndex=mscLpDS1ChanCellIndex, mscLpHssiAdminInfoTable=mscLpHssiAdminInfoTable, mscLpE1StatsTable=mscLpE1StatsTable, mscLpDS1TestErroredFrmRx=mscLpDS1TestErroredFrmRx, mscLpE3PlcpSevErroredSec=mscLpE3PlcpSevErroredSec, mscLpE1ChanFlmProvTable=mscLpE1ChanFlmProvTable, mscLpDS3StandbyStatus=mscLpDS3StandbyStatus, mscLpV35AlarmStatus=mscLpV35AlarmStatus, mscLpJT2LofAlarm=mscLpJT2LofAlarm, mscLpHssiAlarmStatus=mscLpHssiAlarmStatus, mscLpDS1ChanTcRowStatus=mscLpDS1ChanTcRowStatus, mscLpX21TestUsageState=mscLpX21TestUsageState, mscLpDS3CellStatsTable=mscLpDS3CellStatsTable, mscLpE1AvailabilityStatus=mscLpE1AvailabilityStatus, mscLpSdhPathPathErroredSec=mscLpSdhPathPathErroredSec, mscLpMainCardStatus=mscLpMainCardStatus, mscLpV35TestBytesRx=mscLpV35TestBytesRx, mscLpDS3DS1SevErroredSec=mscLpDS3DS1SevErroredSec, mscLpJT2FrameErrors=mscLpJT2FrameErrors, mscLpDS1ChanTcSigOneIndex=mscLpDS1ChanTcSigOneIndex, mscLpDS3PlcpOperationalTable=mscLpDS3PlcpOperationalTable, mscLpV35AdminInfoTable=mscLpV35AdminInfoTable, mscLpDS3CellCorrectSingleBitHeaderErrors=mscLpDS3CellCorrectSingleBitHeaderErrors, mscLpSdhTestFrmSize=mscLpSdhTestFrmSize, mscLpSonetTestSetupEntry=mscLpSonetTestSetupEntry, mscLpJT2StorageType=mscLpJT2StorageType, mscLpMemoryUsageAvgMaxEntry=mscLpMemoryUsageAvgMaxEntry, mscLpX21TestSetupTable=mscLpX21TestSetupTable, mscLpSdhPathFarEndPathUnavailSec=mscLpSdhPathFarEndPathUnavailSec, mscLpControlStatus=mscLpControlStatus, mscLpDS3DS1ChanTestDataStartDelay=mscLpDS3DS1ChanTestDataStartDelay, mscLpDS1UnavailSec=mscLpDS1UnavailSec, mscLpDS1IfAdminStatus=mscLpDS1IfAdminStatus, mscLpV35ApplicationFramerName=mscLpV35ApplicationFramerName, mscLpJT2LineLength=mscLpJT2LineLength, mscLpSonetTestFrmRx=mscLpSonetTestFrmRx, mscLpSdhTestFrmRx=mscLpSdhTestFrmRx, mscLpSdhAvailabilityStatus=mscLpSdhAvailabilityStatus, mscLpMemoryUsageAvgMinIndex=mscLpMemoryUsageAvgMinIndex, mscLpSonetCommentText=mscLpSonetCommentText, mscLpDS3StatsTable=mscLpDS3StatsTable, mscLpSdhPathComponentName=mscLpSdhPathComponentName, mscLpX21RowStatusTable=mscLpX21RowStatusTable, mscLpX21TestErroredFrmRx=mscLpX21TestErroredFrmRx, mscLpCidDataTable=mscLpCidDataTable, mscLpDS3DS1UnknownStatus=mscLpDS3DS1UnknownStatus, mscLpDS1ChanTestFrmTx=mscLpDS1ChanTestFrmTx, mscLpDS1TestStateEntry=mscLpDS1TestStateEntry, mscLpDS3PlcpLofAlarm=mscLpDS3PlcpLofAlarm, mscLpJT2TestFrmPatternType=mscLpJT2TestFrmPatternType, mscLpHssiApplicationFramerName=mscLpHssiApplicationFramerName, mscLpE1TestFrmPatternType=mscLpE1TestFrmPatternType, mscLpSonetPathCellReceiveCellUtilization=mscLpSonetPathCellReceiveCellUtilization, mscLpSonetTestRowStatusTable=mscLpSonetTestRowStatusTable, mscLpE1LineType=mscLpE1LineType, mscLpE1ChanTestFrmSize=mscLpE1ChanTestFrmSize, mscLpDS3RxAisAlarm=mscLpDS3RxAisAlarm, mscLpHssiTestElapsedTime=mscLpHssiTestElapsedTime, mscLpV35CommentText=mscLpV35CommentText, mscLpX21TestResultsTable=mscLpX21TestResultsTable, mscLpDS3CBitLoopbackAtFarEndRequested=mscLpDS3CBitLoopbackAtFarEndRequested, mscLpHssiLineSpeed=mscLpHssiLineSpeed, mscLpDS3DS1TestCauseOfTermination=mscLpDS3DS1TestCauseOfTermination, mscLpDS3TestStateEntry=mscLpDS3TestStateEntry, mscLpX21StorageType=mscLpX21StorageType, mscLpSdhLineFailures=mscLpSdhLineFailures, mscLpE1ChanUnknownStatus=mscLpE1ChanUnknownStatus, mscLpDS1ChanTcProvTable=mscLpDS1ChanTcProvTable, mscLpJT2ErroredSec=mscLpJT2ErroredSec, mscLpE3StateTable=mscLpE3StateTable, mscLpX21OperStatusTable=mscLpX21OperStatusTable, mscLpDS1ChanCustomerIdentifier=mscLpDS1ChanCustomerIdentifier, mscLpSonetTestStorageType=mscLpSonetTestStorageType, mscLpSdhStatsTable=mscLpSdhStatsTable, mscLpDS1DspComponentName=mscLpDS1DspComponentName, mscLpDS3=mscLpDS3, mscLpDS3PlcpErroredSec=mscLpDS3PlcpErroredSec, mscLpDS3DS1TestDuration=mscLpDS3DS1TestDuration, mscLpJT2TestDataStartDelay=mscLpJT2TestDataStartDelay, mscLpV35ComponentName=mscLpV35ComponentName, mscLpE3G832TrailTraceTransmitted=mscLpE3G832TrailTraceTransmitted, mscLpSonetTestDuration=mscLpSonetTestDuration, mscLpDS3DS1ChanOperStatusTable=mscLpDS3DS1ChanOperStatusTable, mscLpEngDsRowStatusEntry=mscLpEngDsRowStatusEntry, mscLpJT2TestPurpose=mscLpJT2TestPurpose, mscLpX21DataXferStateChanges=mscLpX21DataXferStateChanges, mscLpE3TestComponentName=mscLpE3TestComponentName, mscLpX21ProceduralStatus=mscLpX21ProceduralStatus, mscLpE1ChanTestDuration=mscLpE1ChanTestDuration, mscLpProvEntry=mscLpProvEntry, mscLpSdhProvTable=mscLpSdhProvTable, mscLpDS1RowStatusEntry=mscLpDS1RowStatusEntry, mscLpV35ProceduralStatus=mscLpV35ProceduralStatus, mscLpDS1ChanTcSignalOneDuration=mscLpDS1ChanTcSignalOneDuration, mscLpDS3DS1IfEntryEntry=mscLpDS3DS1IfEntryEntry, mscLpDS1ChanTestRowStatusEntry=mscLpDS1ChanTestRowStatusEntry, mscLpJT2AdminInfoTable=mscLpJT2AdminInfoTable, mscLpDS3DS1ChanAdminInfoEntry=mscLpDS3DS1ChanAdminInfoEntry, mscLpV35TestAdminState=mscLpV35TestAdminState, mscLpJT2TxAisPhysicalAlarm=mscLpJT2TxAisPhysicalAlarm, mscLpE1TestPurpose=mscLpE1TestPurpose, mscLpDS1ChanTestComponentName=mscLpDS1ChanTestComponentName, mscLpE3OperEntry=mscLpE3OperEntry, mscLpE3LosAlarm=mscLpE3LosAlarm, mscLpSonetPathCellRowStatus=mscLpSonetPathCellRowStatus, mscLpE3ApplicationFramerName=mscLpE3ApplicationFramerName, mscLpHssiComponentName=mscLpHssiComponentName, mscLpSonetPathCustomerIdentifier=mscLpSonetPathCustomerIdentifier, mscLpDS3DS1ChanControlStatus=mscLpDS3DS1ChanControlStatus, mscLpV35AdminInfoEntry=mscLpV35AdminInfoEntry, mscLpEngDsOvProvTable=mscLpEngDsOvProvTable, mscLpDS1ChanTc=mscLpDS1ChanTc, mscLpJT2CellSevErroredSec=mscLpJT2CellSevErroredSec, mscLpDS3DS1ChanProvTable=mscLpDS3DS1ChanProvTable, mscLpDS3DS1CrcErrors=mscLpDS3DS1CrcErrors, mscLpE1ChanRowStatusTable=mscLpE1ChanRowStatusTable, mscLpE3CellOperEntry=mscLpE3CellOperEntry, mscLpE1AdminInfoEntry=mscLpE1AdminInfoEntry, mscLpDS1ChanStateEntry=mscLpDS1ChanStateEntry, mscLpE1ChanCustomerIdentifier=mscLpE1ChanCustomerIdentifier, mscLpE1ChanCellCorrectSingleBitHeaderErrors=mscLpE1ChanCellCorrectSingleBitHeaderErrors, mscLpMsgBlockUsage=mscLpMsgBlockUsage, mscLpSonetSectSevErroredFrmSec=mscLpSonetSectSevErroredFrmSec, mscLpDS3DS1TestElapsedTime=mscLpDS3DS1TestElapsedTime, mscLpDS1TestResultsTable=mscLpDS1TestResultsTable, mscLpV35CidDataEntry=mscLpV35CidDataEntry, mscLpE1ChanFlmStorageType=mscLpE1ChanFlmStorageType, mscLpDS1ChanCellRowStatusEntry=mscLpDS1ChanCellRowStatusEntry, mscLpDS3CellProvTable=mscLpDS3CellProvTable, mscLpE1ChanCellStatsEntry=mscLpE1ChanCellStatsEntry, mscLpX21ComponentName=mscLpX21ComponentName, mscLpV35TestStateTable=mscLpV35TestStateTable, mscLpDS3DS1ChanTestBytesRx=mscLpDS3DS1ChanTestBytesRx, mscLpE1ChanCellCorrectableHeaderErrors=mscLpE1ChanCellCorrectableHeaderErrors, mscLpSdhPathPathAisLopSec=mscLpSdhPathPathAisLopSec, mscLpV35AdminState=mscLpV35AdminState, mscLpE1ChanTestBitsRx=mscLpE1ChanTestBitsRx, mscLpDS3DS1ChanTcOpEntry=mscLpDS3DS1ChanTcOpEntry, mscLpDS3DS1ChanCellRowStatusEntry=mscLpDS3DS1ChanCellRowStatusEntry, mscLpE3LofAlarm=mscLpE3LofAlarm, mscLpE1ChanOperStatusEntry=mscLpE1ChanOperStatusEntry, mscLpSonetIndex=mscLpSonetIndex, mscLpDS3CellOperTable=mscLpDS3CellOperTable, mscLpE1StandbyStatus=mscLpE1StandbyStatus, mscLpDS3Index=mscLpDS3Index, mscLpDS3DS1ProvTable=mscLpDS3DS1ProvTable, mscLpDS1ChanIndex=mscLpDS1ChanIndex, mscLpDS1AudioIndex=mscLpDS1AudioIndex, mscLpE3TestTimeRemaining=mscLpE3TestTimeRemaining, mscLpE3UsageState=mscLpE3UsageState, mscLpE1Vendor=mscLpE1Vendor, mscLpSdhSectSevErroredFrmSec=mscLpSdhSectSevErroredFrmSec, mscLpDS3DS1IfEntryTable=mscLpDS3DS1IfEntryTable, mscLpSonetPathPathErroredSec=mscLpSonetPathPathErroredSec, mscLpDS3DS1TestErroredFrmRx=mscLpDS3DS1TestErroredFrmRx, mscLpE1ChanCellAlarmActDelay=mscLpE1ChanCellAlarmActDelay, mscLpDS3DS1ChanTestFrmRx=mscLpDS3DS1ChanTestFrmRx, mscLpEngDsOvRowStatus=mscLpEngDsOvRowStatus, mscLpSdhPathFarEndPathCodeViolations=mscLpSdhPathFarEndPathCodeViolations, mscLpDS1ChanTcStorageType=mscLpDS1ChanTcStorageType, mscLpSdhCustomerIdentifier=mscLpSdhCustomerIdentifier, mscLpDS3DS1ChanOperStatusEntry=mscLpDS3DS1ChanOperStatusEntry, mscLpRestartOnCpSwitch=mscLpRestartOnCpSwitch, mscLpDS3SnmpOperStatus=mscLpDS3SnmpOperStatus, mscLpE3PlcpSevErroredFramingSec=mscLpE3PlcpSevErroredFramingSec, mscLpJT2ProvTable=mscLpJT2ProvTable, mscLpDS1RowStatus=mscLpDS1RowStatus, mscLpDS3TestPurpose=mscLpDS3TestPurpose, mscLpDS1ChanTcOpEntry=mscLpDS1ChanTcOpEntry, mscLpHssiTestOperationalState=mscLpHssiTestOperationalState, mscLpSdhUnusableTxClockRefAlarm=mscLpSdhUnusableTxClockRefAlarm, mscLpStateEntry=mscLpStateEntry, mscLpDS1ChanTcEgressConditioning=mscLpDS1ChanTcEgressConditioning, mscLpDS3DS1IfAdminStatus=mscLpDS3DS1IfAdminStatus, mscLpDS3DS1AlarmStatus=mscLpDS3DS1AlarmStatus, mscLpSonetOperStatusEntry=mscLpSonetOperStatusEntry, mscLpE1TestBytesRx=mscLpE1TestBytesRx)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpE3Index=mscLpE3Index, mscLpE3OperStatusEntry=mscLpE3OperStatusEntry, mscLpE1ChanOperationalState=mscLpE1ChanOperationalState, mscLpSonetPathAlarmStatus=mscLpSonetPathAlarmStatus, mscLpDS3LineSevErroredSec=mscLpDS3LineSevErroredSec, mscLpE3ComponentName=mscLpE3ComponentName, mscLpE1TestRowStatus=mscLpE1TestRowStatus, mscLpSdhTxAis=mscLpSdhTxAis, mscLpHssiOperationalState=mscLpHssiOperationalState, mscLpE1AudioIndex=mscLpE1AudioIndex, mscLpE3PathCodeViolations=mscLpE3PathCodeViolations, mscLpE3OperationalState=mscLpE3OperationalState, mscLpDS3TestOperationalState=mscLpDS3TestOperationalState, mscLpDS3DS1ChanTcProvTable=mscLpDS3DS1ChanTcProvTable, mscLpE1ChanTestErroredFrmRx=mscLpE1ChanTestErroredFrmRx, mscLpSdhCidDataTable=mscLpSdhCidDataTable, mscLpDS1DspStorageType=mscLpDS1DspStorageType, mscLpDS3LineErroredSec=mscLpDS3LineErroredSec, mscLpDS1ChanIfIndex=mscLpDS1ChanIfIndex, mscLpJT2CustomerIdentifier=mscLpJT2CustomerIdentifier, mscLpDS3TestComponentName=mscLpDS3TestComponentName, mscLpSonetPathCidDataEntry=mscLpSonetPathCidDataEntry, mscLpV35LineSpeed=mscLpV35LineSpeed, mscLpE3PlcpRowStatusTable=mscLpE3PlcpRowStatusTable, mscLpE3G832StatsTable=mscLpE3G832StatsTable, mscLpV35OperStatusTable=mscLpV35OperStatusTable, mscLpDS3DS1LineType=mscLpDS3DS1LineType, mscLpE1ChanTestSetupTable=mscLpE1ChanTestSetupTable, mscLpE1ChanTcSignalOneDuration=mscLpE1ChanTcSignalOneDuration, mscLpE3CellIndex=mscLpE3CellIndex, mscLpE1Test=mscLpE1Test, mscLpE1OperTable=mscLpE1OperTable, mscLpJT2AdminState=mscLpJT2AdminState, mscLpDS3PlcpRowStatus=mscLpDS3PlcpRowStatus, mscLpE1ChanTimeslots=mscLpE1ChanTimeslots, mscLpDS1ChanCellStatsTable=mscLpDS1ChanCellStatsTable, mscLpE1ChanOperTable=mscLpE1ChanOperTable, mscLpE1ChanFlmIndex=mscLpE1ChanFlmIndex, mscLpEngDsStorageType=mscLpEngDsStorageType, mscLpHssiTestStorageType=mscLpHssiTestStorageType, mscLpE1CrcErrors=mscLpE1CrcErrors, mscLpHssiStorageType=mscLpHssiStorageType, mscLpE1ChanCellIndex=mscLpE1ChanCellIndex, mscLpE1ChanAdminState=mscLpE1ChanAdminState, mscLpDS1CidDataTable=mscLpDS1CidDataTable, mscLpSdhPathCellOperTable=mscLpSdhPathCellOperTable, mscLpDS3DS1StorageType=mscLpDS3DS1StorageType, mscLpDS3DS1RxRaiAlarm=mscLpDS3DS1RxRaiAlarm, mscLpDS3DS1TestResultsEntry=mscLpDS3DS1TestResultsEntry, mscLpE3CellComponentName=mscLpE3CellComponentName, mscLpSdhPathRxRfiAlarm=mscLpSdhPathRxRfiAlarm, mscLpSdhPathStateTable=mscLpSdhPathStateTable, mscLpHssiTest=mscLpHssiTest, mscLpDS3TestFrmTx=mscLpDS3TestFrmTx, mscLpV35RowStatusTable=mscLpV35RowStatusTable, mscLpX21StateTable=mscLpX21StateTable, mscLpDS1ChanTestBytesTx=mscLpDS1ChanTestBytesTx, mscLpSonetSectErroredSec=mscLpSonetSectErroredSec, mscLpJT2ProceduralStatus=mscLpJT2ProceduralStatus, mscLpMemoryUsageAvgMinTable=mscLpMemoryUsageAvgMinTable, mscLpDS1RunningTime=mscLpDS1RunningTime, mscLpDS3RowStatusTable=mscLpDS3RowStatusTable, mscLpE1ChanCellStorageType=mscLpE1ChanCellStorageType, mscLpSdhPathCellReceiveCellUtilization=mscLpSdhPathCellReceiveCellUtilization, mscLpX21TestType=mscLpX21TestType, mscLpDS3DS1ChanTestFrmPatternType=mscLpDS3DS1ChanTestFrmPatternType, mscLpSdhPathUnknownStatus=mscLpSdhPathUnknownStatus, mscLpHssiIfIndex=mscLpHssiIfIndex, mscLpE1ChanApplicationFramerName=mscLpE1ChanApplicationFramerName, mscLpLinkToApplicationsEntry=mscLpLinkToApplicationsEntry, mscLpX21TestPurpose=mscLpX21TestPurpose, mscLpJT2CellRowStatusTable=mscLpJT2CellRowStatusTable, mscLpHssiTestResultsTable=mscLpHssiTestResultsTable, mscLpE3TestStateEntry=mscLpE3TestStateEntry, mscLpJT2CommentText=mscLpJT2CommentText, mscLpDS3CBitStatsTable=mscLpDS3CBitStatsTable, mscLpE3PlcpRowStatusEntry=mscLpE3PlcpRowStatusEntry, mscLpDS1StandbyStatus=mscLpDS1StandbyStatus, mscLpDS1ChanTestResultsTable=mscLpDS1ChanTestResultsTable, mscLpE1ChanTcProvTable=mscLpE1ChanTcProvTable, mscLpHssiOperTable=mscLpHssiOperTable, mscLpJT2TestDisplayInterval=mscLpJT2TestDisplayInterval, mscLpDS3DS1TestStateTable=mscLpDS3DS1TestStateTable, mscLpE1=mscLpE1, mscLpSonetPath=mscLpSonetPath, mscLpDS3CBitRowStatusEntry=mscLpDS3CBitRowStatusEntry, mscLpJT2CellOperEntry=mscLpJT2CellOperEntry, mscLpSonetPathCellSevErroredSec=mscLpSonetPathCellSevErroredSec, mscLpE3G832FarEndCodeViolations=mscLpE3G832FarEndCodeViolations, mscLpHssiTestComponentName=mscLpHssiTestComponentName, mscLpDS1LofAlarm=mscLpDS1LofAlarm, mscLpE3G832Index=mscLpE3G832Index, mscLpSonetPathCellIndex=mscLpSonetPathCellIndex, mscLpSonetTestSetupTable=mscLpSonetTestSetupTable, mscLpJT2TestResultsTable=mscLpJT2TestResultsTable, mscLpDS1ChanTestFrmPatternType=mscLpDS1ChanTestFrmPatternType, mscLpE1ChanIfAdminStatus=mscLpE1ChanIfAdminStatus, mscLpSdhPathCellStorageType=mscLpSdhPathCellStorageType, mscLpLocalMsgBlockUsageMax=mscLpLocalMsgBlockUsageMax, mscLpEngDsComponentName=mscLpEngDsComponentName, mscLpJT2StateEntry=mscLpJT2StateEntry, mscLpEngIndex=mscLpEngIndex, mscLpSdhPathStatsTable=mscLpSdhPathStatsTable, mscLpE3ProceduralStatus=mscLpE3ProceduralStatus, mscLpDS1SevErroredSec=mscLpDS1SevErroredSec, mscLpE1IfAdminStatus=mscLpE1IfAdminStatus, mscLpSonetPathProvEntry=mscLpSonetPathProvEntry, mscLpE1TestDataStartDelay=mscLpE1TestDataStartDelay, mscLpSonetPathRxAisAlarm=mscLpSonetPathRxAisAlarm, mscLpDS1TestIndex=mscLpDS1TestIndex, mscLpJT2TestFrmRx=mscLpJT2TestFrmRx, mscLpX21RowStatus=mscLpX21RowStatus, mscLpE3PlcpOperationalEntry=mscLpE3PlcpOperationalEntry, mscLpEngRowStatus=mscLpEngRowStatus, mscLpDS3DS1ChanTestRowStatusEntry=mscLpDS3DS1ChanTestRowStatusEntry, mscLpE3CellProvTable=mscLpE3CellProvTable, mscLpE1RaiDeclareAlarmTime=mscLpE1RaiDeclareAlarmTime, mscLpHssiRowStatusTable=mscLpHssiRowStatusTable, mscLpX21TestResultsEntry=mscLpX21TestResultsEntry, mscLpSdhFarEndLineErroredSec=mscLpSdhFarEndLineErroredSec, mscLpX21TestStorageType=mscLpX21TestStorageType, mscLpDS1UsageState=mscLpDS1UsageState, mscLpDS3DS1ChanTcSigOneEntry=mscLpDS3DS1ChanTcSigOneEntry, mscLpMsgBlockCapacity=mscLpMsgBlockCapacity, mscLpDS3CBitFarEndCodeViolations=mscLpDS3CBitFarEndCodeViolations, mscLpSonetSectFailures=mscLpSonetSectFailures, mscLpSdhUsageState=mscLpSdhUsageState, mscLpJT2TestBytesRx=mscLpJT2TestBytesRx, mscLpV35TestFrmTx=mscLpV35TestFrmTx, mscLpX21OperEntry=mscLpX21OperEntry, mscLpJT2TestSetupTable=mscLpJT2TestSetupTable, mscLpDS3PlcpStorageType=mscLpDS3PlcpStorageType, mscLpE3PlcpFarEndCodingViolations=mscLpE3PlcpFarEndCodingViolations, mscLpMemoryUsageValue=mscLpMemoryUsageValue, mscLpDS3ClockingSource=mscLpDS3ClockingSource, mscLpE3G832FarEndSevErroredSec=mscLpE3G832FarEndSevErroredSec, mscLpE1ChanTcReplacementData=mscLpE1ChanTcReplacementData, mscLpSdhPathPathCodeViolations=mscLpSdhPathPathCodeViolations, mscLpX21ProvEntry=mscLpX21ProvEntry, mscLpSdhPathStateEntry=mscLpSdhPathStateEntry, mscLpE1ChanCellRowStatusEntry=mscLpE1ChanCellRowStatusEntry, mscLpDS3DS1SlipErrors=mscLpDS3DS1SlipErrors, mscLpDS3DS1TestIndex=mscLpDS3DS1TestIndex, mscLpDS3OperationalState=mscLpDS3OperationalState, mscLpE3TestCauseOfTermination=mscLpE3TestCauseOfTermination, mscLpE3TestDuration=mscLpE3TestDuration, mscLpSdhTestTimeRemaining=mscLpSdhTestTimeRemaining, mscLpE1SnmpOperStatus=mscLpE1SnmpOperStatus, mscLpHssiTestDuration=mscLpHssiTestDuration, mscLpSonetLineUnavailSec=mscLpSonetLineUnavailSec, mscLpE1ChanCell=mscLpE1ChanCell, mscLpJT2TestCauseOfTermination=mscLpJT2TestCauseOfTermination, mscLpE1ChanTestElapsedTime=mscLpE1ChanTestElapsedTime, mscLpJT2TestTimeRemaining=mscLpJT2TestTimeRemaining, mscLpE1ChanTcProvEntry=mscLpE1ChanTcProvEntry, mscLpE3TestBitsTx=mscLpE3TestBitsTx, mscLpDS1ChanTcSigOneTable=mscLpDS1ChanTcSigOneTable, mscLpDS1ChanTestRowStatusTable=mscLpDS1ChanTestRowStatusTable, mscLpE1ComponentName=mscLpE1ComponentName, mscLpSonetTestDataStartDelay=mscLpSonetTestDataStartDelay, mscLpDS1ChanCellCorrectableHeaderErrors=mscLpDS1ChanCellCorrectableHeaderErrors, mscLpDS3PlcpSevErroredFramingSec=mscLpDS3PlcpSevErroredFramingSec, mscLpE1StateEntry=mscLpE1StateEntry, mscLpJT2CellStatsEntry=mscLpJT2CellStatsEntry, mscLpDS1OperStatusTable=mscLpDS1OperStatusTable, mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors=mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors, mscLpE3TestDisplayInterval=mscLpE3TestDisplayInterval, mscLpE3G832FarEndErroredSec=mscLpE3G832FarEndErroredSec, mscLpDS1ChanCellReceiveCellUtilization=mscLpDS1ChanCellReceiveCellUtilization, mscLpX21IfEntryEntry=mscLpX21IfEntryEntry, mscLpDS3DS1ChanIfAdminStatus=mscLpDS3DS1ChanIfAdminStatus, mscLpE1Crc4Mode=mscLpE1Crc4Mode, mscLpDS3DS1ChanTestComponentName=mscLpDS3DS1ChanTestComponentName, mscLpDS1ProceduralStatus=mscLpDS1ProceduralStatus, mscLpV35TestType=mscLpV35TestType, mscLpJT2CidDataEntry=mscLpJT2CidDataEntry, mscLpHssiTestFrmPatternType=mscLpHssiTestFrmPatternType, mscLpDS3DS1TestAdminState=mscLpDS3DS1TestAdminState, mscLpV35LineState=mscLpV35LineState, mscLpDS1Vendor=mscLpDS1Vendor, mscLpE3StorageType=mscLpE3StorageType, mscLpE3TestResultsTable=mscLpE3TestResultsTable, mscLpJT2IfIndex=mscLpJT2IfIndex, mscLpE1ChanTestSetupEntry=mscLpE1ChanTestSetupEntry, mscLpE1OperEntry=mscLpE1OperEntry, mscLpX21TestComponentName=mscLpX21TestComponentName, mscLpX21AvailabilityStatus=mscLpX21AvailabilityStatus, mscLpX21TestDataStartDelay=mscLpX21TestDataStartDelay, mscLpSdhPathFarEndPathErrorFreeSec=mscLpSdhPathFarEndPathErrorFreeSec, mscLpSonetPathTxRdi=mscLpSonetPathTxRdi, mscLpDS3DS1ChanCellRowStatus=mscLpDS3DS1ChanCellRowStatus, mscLpDS1ChanTimeslotDataRate=mscLpDS1ChanTimeslotDataRate, mscLpDS3DS1ChanCommentText=mscLpDS3DS1ChanCommentText, mscLpSonetPathCellStorageType=mscLpSonetPathCellStorageType, mscLpDS3DS1ChanTestDuration=mscLpDS3DS1ChanTestDuration, mscLpDS3CellUncorrectableHecErrors=mscLpDS3CellUncorrectableHecErrors, mscLpDS3CellIndex=mscLpDS3CellIndex, mscLpEngDsOperEntry=mscLpEngDsOperEntry, mscLpSdhTestDisplayInterval=mscLpSdhTestDisplayInterval, mscLpEngDsOvRowStatusTable=mscLpEngDsOvRowStatusTable, mscLpSonetTxRdi=mscLpSonetTxRdi, mscLpDS3DS1ChanIfIndex=mscLpDS3DS1ChanIfIndex, mscLpE3StandbyStatus=mscLpE3StandbyStatus, mscLpE1LosStateChanges=mscLpE1LosStateChanges, mscLpDS3DS1ChanTc=mscLpDS3DS1ChanTc, mscLpE1IfEntryEntry=mscLpE1IfEntryEntry, mscLpE3RunningTime=mscLpE3RunningTime, mscLpSonetTestBytesRx=mscLpSonetTestBytesRx, mscLpX21StandbyStatus=mscLpX21StandbyStatus, mscLpE3TestDataStartDelay=mscLpE3TestDataStartDelay, mscLpE1AudioStorageType=mscLpE1AudioStorageType, mscLpV35TestElapsedTime=mscLpV35TestElapsedTime, mscLpDS3PlcpRowStatusTable=mscLpDS3PlcpRowStatusTable, mscLpSonetPathFarEndPathErrorFreeSec=mscLpSonetPathFarEndPathErrorFreeSec, mscLpE1ControlStatus=mscLpE1ControlStatus, mscLpE1ChanFlmHdlcMonitoring=mscLpE1ChanFlmHdlcMonitoring, mscLpSdhTestErroredFrmRx=mscLpSdhTestErroredFrmRx, mscLpDS3UnknownStatus=mscLpDS3UnknownStatus, mscLpE3PathErroredSec=mscLpE3PathErroredSec, mscLpE3UnknownStatus=mscLpE3UnknownStatus, mscLpSonetPathCellOperEntry=mscLpSonetPathCellOperEntry, mscLpDS1TestFrmPatternType=mscLpDS1TestFrmPatternType, mscLpDS1ChanTestStorageType=mscLpDS1ChanTestStorageType, mscLpSdhPathCell=mscLpSdhPathCell, mscLpDS3DS1ChanTcOpTable=mscLpDS3DS1ChanTcOpTable, mscLpSonetComponentName=mscLpSonetComponentName, mscLpX21OperationalState=mscLpX21OperationalState, mscLpDS1ChanTestRowStatus=mscLpDS1ChanTestRowStatus, mscLpDS3ErrorFreeSec=mscLpDS3ErrorFreeSec, mscLpMemoryUsageAvgValue=mscLpMemoryUsageAvgValue, mscLpDS3TxRai=mscLpDS3TxRai, mscLpJT2RowStatusTable=mscLpJT2RowStatusTable, mscLpE3Plcp=mscLpE3Plcp, mscLpJT2CellCorrectSingleBitHeaderErrors=mscLpJT2CellCorrectSingleBitHeaderErrors, mscLpDS3Mapping=mscLpDS3Mapping, mscLpHssiTestRowStatusTable=mscLpHssiTestRowStatusTable, mscLpDS1ChanTestCauseOfTermination=mscLpDS1ChanTestCauseOfTermination, mscLpDS1ChanCellCorrectSingleBitHeaderErrors=mscLpDS1ChanCellCorrectSingleBitHeaderErrors, mscLpV35OperationalState=mscLpV35OperationalState, mscLpJT2UsageState=mscLpJT2UsageState, mscLpDS3RxIdle=mscLpDS3RxIdle, mscLpDS3CBitCbitCodeViolations=mscLpDS3CBitCbitCodeViolations, mscLpDS3CBitFarEndSevErroredSec=mscLpDS3CBitFarEndSevErroredSec, mscLpX21LineSpeed=mscLpX21LineSpeed, mscLpV35IfIndex=mscLpV35IfIndex, mscLpE3PathSefAisSec=mscLpE3PathSefAisSec, mscLpSdhPathOperStatusEntry=mscLpSdhPathOperStatusEntry, mscLpE3RowStatusEntry=mscLpE3RowStatusEntry, mscLpDS1ProvEntry=mscLpDS1ProvEntry, mscLpE3CidDataTable=mscLpE3CidDataTable, mscLpDS3PlcpStatsTable=mscLpDS3PlcpStatsTable, mscLpV35TestResultsTable=mscLpV35TestResultsTable, mscLpSonetTestAdminState=mscLpSonetTestAdminState, mscLpDS1ChanUsageState=mscLpDS1ChanUsageState)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpSdhTestBitsTx=mscLpSdhTestBitsTx, mscLpE1AdminInfoTable=mscLpE1AdminInfoTable, mscLpAdminState=mscLpAdminState, mscLpSonetPathOperEntry=mscLpSonetPathOperEntry, mscLpE3PlcpStorageType=mscLpE3PlcpStorageType, mscLpDS3OperEntry=mscLpDS3OperEntry, mscLpDS3PlcpFarEndUnavailableSec=mscLpDS3PlcpFarEndUnavailableSec, logicalProcessorCapabilitiesCA02A=logicalProcessorCapabilitiesCA02A, mscLpE3TestBytesTx=mscLpE3TestBytesTx, mscLpE3G832ComponentName=mscLpE3G832ComponentName, mscLpE3TestElapsedTime=mscLpE3TestElapsedTime, mscLpE1ChanActualChannelSpeed=mscLpE1ChanActualChannelSpeed, mscLpSdhRunningTime=mscLpSdhRunningTime, mscLpJT2LosStateChanges=mscLpJT2LosStateChanges, mscLpDS3DS1ChanTcComponentName=mscLpDS3DS1ChanTcComponentName, mscLpSonetPathIndex=mscLpSonetPathIndex, mscLpDS3DS1CidDataEntry=mscLpDS3DS1CidDataEntry, mscLpHssiTestStateEntry=mscLpHssiTestStateEntry, mscLpE3CellReceiveCellUtilization=mscLpE3CellReceiveCellUtilization, mscLpStorageType=mscLpStorageType, mscLpDS1ChanVendor=mscLpDS1ChanVendor, mscLpHssiDataTransferLineState=mscLpHssiDataTransferLineState, mscLpDS1TestCustomizedPattern=mscLpDS1TestCustomizedPattern, mscLpDS1AudioComponentName=mscLpDS1AudioComponentName, mscLpE3TestUsageState=mscLpE3TestUsageState, mscLpE1ChanTestBytesTx=mscLpE1ChanTestBytesTx, mscLpDS3DS1ChanCellStatsEntry=mscLpDS3DS1ChanCellStatsEntry, mscLpDS1ChanTcRowStatusEntry=mscLpDS1ChanTcRowStatusEntry, mscLpSonetRunningTime=mscLpSonetRunningTime, mscLpAvailabilityStatus=mscLpAvailabilityStatus, mscLpDS1TestDisplayInterval=mscLpDS1TestDisplayInterval, mscLpDS3PlcpFarEndSevErroredSec=mscLpDS3PlcpFarEndSevErroredSec, mscLpDS3DS1ChanTcSigOneIndex=mscLpDS3DS1ChanTcSigOneIndex, mscLpDS3DS1ChanTcRowStatusTable=mscLpDS3DS1ChanTcRowStatusTable, mscLpSonetPathIfEntryTable=mscLpSonetPathIfEntryTable, mscLpDS3TestUsageState=mscLpDS3TestUsageState, mscLpE3TestStateTable=mscLpE3TestStateTable, mscLpSonetTestType=mscLpSonetTestType, mscLpE3TestStorageType=mscLpE3TestStorageType, mscLpDS3IfEntryTable=mscLpDS3IfEntryTable, mscLpDS1ChanSnmpOperStatus=mscLpDS1ChanSnmpOperStatus, mscLpE1E1OperTable=mscLpE1E1OperTable, mscLpJT2TestStateTable=mscLpJT2TestStateTable, mscLpSonetStorageType=mscLpSonetStorageType, mscLpDS3DS1ChanOperTable=mscLpDS3DS1ChanOperTable, mscLpJT2IfEntryTable=mscLpJT2IfEntryTable, mscLpE1BpvErrors=mscLpE1BpvErrors, mscLpSonetFarEndLineFailures=mscLpSonetFarEndLineFailures, mscLpSonetOperTable=mscLpSonetOperTable, mscLpDS1ChanUnknownStatus=mscLpDS1ChanUnknownStatus, mscLpJT2RxAisPayloadAlarm=mscLpJT2RxAisPayloadAlarm, mscLpDS1ChanTestResultsEntry=mscLpDS1ChanTestResultsEntry, mscLpE1ChanProceduralStatus=mscLpE1ChanProceduralStatus, mscLpDS3DS1ChanTestCustomizedPattern=mscLpDS3DS1ChanTestCustomizedPattern, mscLpX21DteDataClockSource=mscLpX21DteDataClockSource, mscLpDS1ChanTimeslots=mscLpDS1ChanTimeslots, mscLpDS3DS1ChanTcReplacementData=mscLpDS3DS1ChanTcReplacementData, mscLpDS3DS1ChanCellCorrectableHeaderErrors=mscLpDS3DS1ChanCellCorrectableHeaderErrors, mscLpDS1ChanCellProvEntry=mscLpDS1ChanCellProvEntry, mscLpE3G832RowStatusTable=mscLpE3G832RowStatusTable, mscLpE1ChanTestResultsTable=mscLpE1ChanTestResultsTable, mscLpSonetFarEndLineCodeViolations=mscLpSonetFarEndLineCodeViolations, mscLpE1ChanCellStatsTable=mscLpE1ChanCellStatsTable, mscLpE1ChanTc=mscLpE1ChanTc, mscLpDS3PlcpFarEndErroredSec=mscLpDS3PlcpFarEndErroredSec, mscLpDS3TestBytesRx=mscLpDS3TestBytesRx, mscLpDS3DS1TestResultsTable=mscLpDS3DS1TestResultsTable, mscLpHssiTestDataStartDelay=mscLpHssiTestDataStartDelay, mscLpSonetTestIndex=mscLpSonetTestIndex, mscLpHssiLineState=mscLpHssiLineState, logicalProcessorGroup=logicalProcessorGroup, mscLpUsageState=mscLpUsageState, mscLpSonetProvEntry=mscLpSonetProvEntry, mscLpDS1ChanTestSetupTable=mscLpDS1ChanTestSetupTable, mscLpE1RowStatusTable=mscLpE1RowStatusTable, mscLpE1TestDisplayInterval=mscLpE1TestDisplayInterval, mscLpV35TestComponentName=mscLpV35TestComponentName, mscLpSonetPathOperStatusTable=mscLpSonetPathOperStatusTable, mscLpDS3TestAdminState=mscLpDS3TestAdminState, mscLpDS1ChanIfEntryEntry=mscLpDS1ChanIfEntryEntry, mscLpE3G832StatsEntry=mscLpE3G832StatsEntry, mscLpJT2TestElapsedTime=mscLpJT2TestElapsedTime, mscLpDS3DS1ChanIfEntryEntry=mscLpDS3DS1ChanIfEntryEntry, mscLpSonetPathApplicationFramerName=mscLpSonetPathApplicationFramerName, mscLpDS3LineLength=mscLpDS3LineLength, mscLpDS3CommentText=mscLpDS3CommentText, mscLpDS3DS1TestDataStartDelay=mscLpDS3DS1TestDataStartDelay, mscLpDS1AvailabilityStatus=mscLpDS1AvailabilityStatus, mscLpDS3StorageType=mscLpDS3StorageType, mscLpDS1ChanAvailabilityStatus=mscLpDS1ChanAvailabilityStatus, mscLpHssiTestPurpose=mscLpHssiTestPurpose, mscLpDS3PathCodeViolations=mscLpDS3PathCodeViolations, logicalProcessorCapabilities=logicalProcessorCapabilities, mscLpJT2TestBitsTx=mscLpJT2TestBitsTx, mscLpX21CidDataTable=mscLpX21CidDataTable, mscLpDS1ChanTestOperationalState=mscLpDS1ChanTestOperationalState, mscLpDS3CellAlarmActDelay=mscLpDS3CellAlarmActDelay, mscLpDS3DS1ChanProceduralStatus=mscLpDS3DS1ChanProceduralStatus, mscLpE1UnknownStatus=mscLpE1UnknownStatus, mscLpDS1TestRowStatusEntry=mscLpDS1TestRowStatusEntry, mscLpSdhTestDuration=mscLpSdhTestDuration, mscLpSdhTestFrmTx=mscLpSdhTestFrmTx, mscLpDS3TestErroredFrmRx=mscLpDS3TestErroredFrmRx, mscLpJT2TestDuration=mscLpJT2TestDuration, mscLpE1Dsp=mscLpE1Dsp, mscLpE3Test=mscLpE3Test, mscLpHssiActualRxLineSpeed=mscLpHssiActualRxLineSpeed, mscLpDS3DS1TestComponentName=mscLpDS3DS1TestComponentName, mscLpHssiVendor=mscLpHssiVendor, mscLpHssiCustomerIdentifier=mscLpHssiCustomerIdentifier, mscLpSdhClockingSource=mscLpSdhClockingSource, mscLpX21Test=mscLpX21Test, mscLpE3G832TrailTraceReceived=mscLpE3G832TrailTraceReceived, mscLpE3CellStatsTable=mscLpE3CellStatsTable, mscLpX21TestSetupEntry=mscLpX21TestSetupEntry, mscLpDS3DS1TestFrmTx=mscLpDS3DS1TestFrmTx, mscLpDS3DS1ChanCellReceiveCellUtilization=mscLpDS3DS1ChanCellReceiveCellUtilization, mscLpV35=mscLpV35, mscLpDS1StatsEntry=mscLpDS1StatsEntry, mscLpE3PathSevErroredSec=mscLpE3PathSevErroredSec, mscLpE1ChanCellProvTable=mscLpE1ChanCellProvTable, mscLpDS3DS1RowStatusEntry=mscLpDS3DS1RowStatusEntry, mscLpDS1ChanCellUncorrectableHecErrors=mscLpDS1ChanCellUncorrectableHecErrors, mscLpProceduralStatus=mscLpProceduralStatus, mscLpX21ActualLinkMode=mscLpX21ActualLinkMode, mscLpE1TestBitErrorRate=mscLpE1TestBitErrorRate, mscLpE3IfIndex=mscLpE3IfIndex, mscLpDS3PathSefAisSec=mscLpDS3PathSefAisSec, mscLpDS3DS1AdminInfoEntry=mscLpDS3DS1AdminInfoEntry, mscLpDS3DS1Test=mscLpDS3DS1Test, mscLpJT2AlarmStatus=mscLpJT2AlarmStatus, mscLpDS1TxAisAlarm=mscLpDS1TxAisAlarm, mscLpSdhTestResultsEntry=mscLpSdhTestResultsEntry, mscLpDS1TestBitsTx=mscLpDS1TestBitsTx, mscLpDS3DS1SevErroredFrmSec=mscLpDS3DS1SevErroredFrmSec, mscLpE1ChanAlarmStatus=mscLpE1ChanAlarmStatus, mscLpSonetPathCell=mscLpSonetPathCell, mscLpSonetPathCellStatsTable=mscLpSonetPathCellStatsTable, mscLpSonetPathFarEndPathAisLopSec=mscLpSonetPathFarEndPathAisLopSec, mscLpSdhLineUnavailSec=mscLpSdhLineUnavailSec, mscLpSonetPathPathSevErroredSec=mscLpSonetPathPathSevErroredSec, mscLpEngDsOvStorageType=mscLpEngDsOvStorageType, mscLpE3TestIndex=mscLpE3TestIndex, mscLpSdhTestCauseOfTermination=mscLpSdhTestCauseOfTermination, mscLpSdhUnknownStatus=mscLpSdhUnknownStatus, mscLpDS3ApplicationFramerName=mscLpDS3ApplicationFramerName, mscLpSonetAdminInfoEntry=mscLpSonetAdminInfoEntry, mscLpX21TestRowStatus=mscLpX21TestRowStatus, mscLpDS3DS1StatsTable=mscLpDS3DS1StatsTable, mscLpDS3DS1CustomerIdentifier=mscLpDS3DS1CustomerIdentifier, mscLpV35ClockingSource=mscLpV35ClockingSource, mscLpDS1AudioStorageType=mscLpDS1AudioStorageType, mscLpE1ChanComponentName=mscLpE1ChanComponentName, mscLpDS1ChanApplicationFramerName=mscLpDS1ChanApplicationFramerName, logicalProcessorGroupCA=logicalProcessorGroupCA, mscLpJT2AvailabilityStatus=mscLpJT2AvailabilityStatus, mscLpDS3CBitFarEndFailures=mscLpDS3CBitFarEndFailures, mscLpE3TestBitsRx=mscLpE3TestBitsRx, mscLpDS3CBitCbitErrorFreeSec=mscLpDS3CBitCbitErrorFreeSec, mscLpSonetCidDataTable=mscLpSonetCidDataTable, mscLpDS3PlcpErrorFreeSec=mscLpDS3PlcpErrorFreeSec, mscLpDS3DS1ChanTcSigTwoIndex=mscLpDS3DS1ChanTcSigTwoIndex, mscLpDS3DS1ChanAdminInfoTable=mscLpDS3DS1ChanAdminInfoTable, mscLpE1ChanCellTransmitCellUtilization=mscLpE1ChanCellTransmitCellUtilization, mscLpX21TestStateTable=mscLpX21TestStateTable, mscLpSdhCidDataEntry=mscLpSdhCidDataEntry, mscLpDS3DS1TestSetupEntry=mscLpDS3DS1TestSetupEntry, mscLpLocalMsgBlockUsageAvg=mscLpLocalMsgBlockUsageAvg, mscLpDS1IfEntryTable=mscLpDS1IfEntryTable, mscLpE1TestSetupEntry=mscLpE1TestSetupEntry, mscLpDS3DS1ChanTestUsageState=mscLpDS3DS1ChanTestUsageState, mscLpSdhPathPathErrorFreeSec=mscLpSdhPathPathErrorFreeSec, mscLpDS1FrmErrors=mscLpDS1FrmErrors, mscLpE3PlcpFarEndErroredSec=mscLpE3PlcpFarEndErroredSec, mscLpJT2TestStateEntry=mscLpJT2TestStateEntry, mscLpDS1StateTable=mscLpDS1StateTable, mscLpDS3DS1ComponentName=mscLpDS3DS1ComponentName, mscLpE1ChanUsageState=mscLpE1ChanUsageState, mscLpE3ControlStatus=mscLpE3ControlStatus, mscLpE1ProvTable=mscLpE1ProvTable, mscLpDS1RxRaiAlarm=mscLpDS1RxRaiAlarm, mscLpDS1ChanTestStateEntry=mscLpDS1ChanTestStateEntry, mscLpSdhPathCellTransmitCellUtilization=mscLpSdhPathCellTransmitCellUtilization, mscLpDS1ChanCommentText=mscLpDS1ChanCommentText, mscLpE3TestFrmRx=mscLpE3TestFrmRx, mscLpDS1ChanCellOperTable=mscLpDS1ChanCellOperTable, mscLpE3Framing=mscLpE3Framing, mscLpSonetPathCellRowStatusTable=mscLpSonetPathCellRowStatusTable, mscLpDS3TestRowStatus=mscLpDS3TestRowStatus, mscLpJT2ComponentName=mscLpJT2ComponentName, mscLpE3TestBitErrorRate=mscLpE3TestBitErrorRate, mscLpDS1ChanCidDataTable=mscLpDS1ChanCidDataTable, mscLpDS1ChanOperEntry=mscLpDS1ChanOperEntry, mscLpE3TestFrmPatternType=mscLpE3TestFrmPatternType, mscLpE3TestType=mscLpE3TestType, mscLpSonetTestPurpose=mscLpSonetTestPurpose, mscLpDS1ChanCellTransmitCellUtilization=mscLpDS1ChanCellTransmitCellUtilization, mscLpE1FrmErrors=mscLpE1FrmErrors, mscLpE1LosAlarm=mscLpE1LosAlarm, mscLpE1CommentText=mscLpE1CommentText, mscLpJT2SevErroredSec=mscLpJT2SevErroredSec, mscLpHssiOperStatusEntry=mscLpHssiOperStatusEntry, mscLpJT2StateTable=mscLpJT2StateTable, mscLpLinkToApplicationsTable=mscLpLinkToApplicationsTable, mscLpE1ChanTcSigTwoTable=mscLpE1ChanTcSigTwoTable, mscLpHssiTestAdminState=mscLpHssiTestAdminState, mscLpV35ProvTable=mscLpV35ProvTable, mscLpDS3TestBitsTx=mscLpDS3TestBitsTx, mscLpJT2StandbyStatus=mscLpJT2StandbyStatus, mscLpE1DspStorageType=mscLpE1DspStorageType, mscLpE3G832ProvisionedTable=mscLpE3G832ProvisionedTable, mscLpDS1TestCauseOfTermination=mscLpDS1TestCauseOfTermination, mscLpSdhLofAlarm=mscLpSdhLofAlarm, mscLpDS3ComponentName=mscLpDS3ComponentName, mscLpSonetLineFailures=mscLpSonetLineFailures, logicalProcessorGroupCA02=logicalProcessorGroupCA02, mscLpDS3DS1ChanApplicationFramerName=mscLpDS3DS1ChanApplicationFramerName, mscLpDS3DS1ChanTestRowStatusTable=mscLpDS3DS1ChanTestRowStatusTable, mscLpE1ChanTestFrmTx=mscLpE1ChanTestFrmTx, mscLpHssiAvailabilityStatus=mscLpHssiAvailabilityStatus, mscLpOperTable=mscLpOperTable, mscLpSonetPathCellProvTable=mscLpSonetPathCellProvTable, mscLpSpareCard=mscLpSpareCard, mscLpSdhProceduralStatus=mscLpSdhProceduralStatus, mscLpSdhOperStatusTable=mscLpSdhOperStatusTable, mscLpSonetTestFrmSize=mscLpSonetTestFrmSize, mscLpDS1ChanTestTimeRemaining=mscLpDS1ChanTestTimeRemaining, mscLpHssiTestBitsTx=mscLpHssiTestBitsTx, mscLpDS1TestResultsEntry=mscLpDS1TestResultsEntry, mscLpSonetUnknownStatus=mscLpSonetUnknownStatus, mscLpRowStatusTable=mscLpRowStatusTable, mscLpSonetPathUnknownStatus=mscLpSonetPathUnknownStatus, mscLpDS3DS1StateEntry=mscLpDS3DS1StateEntry, mscLpDS3OperStatusTable=mscLpDS3OperStatusTable, mscLpDS1TestFrmTx=mscLpDS1TestFrmTx, mscLpSonetPathRxRfiAlarm=mscLpSonetPathRxRfiAlarm, mscLpDS3RunningTime=mscLpDS3RunningTime, mscLpV35TestDuration=mscLpV35TestDuration, mscLpDS1Audio=mscLpDS1Audio, mscLpCpuUtilAvgMin=mscLpCpuUtilAvgMin, mscLpDS3AdminState=mscLpDS3AdminState, mscLpE3CellTransmitCellUtilization=mscLpE3CellTransmitCellUtilization, mscLpV35ActualLinkMode=mscLpV35ActualLinkMode, mscLpDS3StatsEntry=mscLpDS3StatsEntry, mscLpX21LinkMode=mscLpX21LinkMode, mscLpDS3DS1TestBitsTx=mscLpDS3DS1TestBitsTx, mscLpDS3DS1TestStateEntry=mscLpDS3DS1TestStateEntry, mscLpDS3DS1TestSetupTable=mscLpDS3DS1TestSetupTable, mscLpE1ChanCellRowStatus=mscLpE1ChanCellRowStatus, mscLpE1CustomerIdentifier=mscLpE1CustomerIdentifier, mscLpE1ChanIfEntryEntry=mscLpE1ChanIfEntryEntry, mscLpV35TestErroredFrmRx=mscLpV35TestErroredFrmRx, mscLpDS1StatsTable=mscLpDS1StatsTable, mscLpSdhPathCellStatsTable=mscLpSdhPathCellStatsTable)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpE3AdminInfoTable=mscLpE3AdminInfoTable, mscLpDS1ChanIfEntryTable=mscLpDS1ChanIfEntryTable, mscLpX21CommentText=mscLpX21CommentText, mscLpX21TestFrmRx=mscLpX21TestFrmRx, mscLpSdhAdminInfoTable=mscLpSdhAdminInfoTable, mscLpDS1ChanCellProvTable=mscLpDS1ChanCellProvTable, mscLpE1ChanFlmOpEntry=mscLpE1ChanFlmOpEntry, mscLpE3TestResultsEntry=mscLpE3TestResultsEntry, mscLpSdhPathRowStatusTable=mscLpSdhPathRowStatusTable, mscLpDS1TestBytesRx=mscLpDS1TestBytesRx, mscLpX21TestDuration=mscLpX21TestDuration, mscLpDS3CellStatsEntry=mscLpDS3CellStatsEntry, mscLpV35StateEntry=mscLpV35StateEntry, mscLpHssiTestDisplayInterval=mscLpHssiTestDisplayInterval, mscLpMsgBlockUsageAvgMax=mscLpMsgBlockUsageAvgMax, mscLp=mscLp, mscLpE1ChanIfIndex=mscLpE1ChanIfIndex, mscLpSdhTestDataStartDelay=mscLpSdhTestDataStartDelay, mscLpE3StatsTable=mscLpE3StatsTable, mscLpE1TxMultifrmRaiAlarm=mscLpE1TxMultifrmRaiAlarm, mscLpE1ChanTestDataStartDelay=mscLpE1ChanTestDataStartDelay, mscLpDS3LineCodeViolations=mscLpDS3LineCodeViolations, mscLpE1ChanAvailabilityStatus=mscLpE1ChanAvailabilityStatus, mscLpDS3DS1TestType=mscLpDS3DS1TestType, mscLpE1ChanTcOpEntry=mscLpE1ChanTcOpEntry, mscLpDS3CBit=mscLpDS3CBit, mscLpSonetPathStatsTable=mscLpSonetPathStatsTable, mscLpE1StateTable=mscLpE1StateTable, mscLpX21TestCauseOfTermination=mscLpX21TestCauseOfTermination, mscLpE3TestPurpose=mscLpE3TestPurpose, mscLpDS3DS1ChanStateTable=mscLpDS3DS1ChanStateTable, mscLpE3PlcpStatsTable=mscLpE3PlcpStatsTable, mscLpDS1Test=mscLpDS1Test, mscLpV35DataXferStateChanges=mscLpV35DataXferStateChanges, mscLpSonetLineSevErroredSec=mscLpSonetLineSevErroredSec, mscLpJT2CellStorageType=mscLpJT2CellStorageType, mscLpDS3CBitFarEndErrorFreeSec=mscLpDS3CBitFarEndErrorFreeSec, mscLpDS1TestType=mscLpDS1TestType, mscLpSonetPathControlStatus=mscLpSonetPathControlStatus, mscLpE1TestStateEntry=mscLpE1TestStateEntry, mscLpSonetPathCellCorrectSingleBitHeaderErrors=mscLpSonetPathCellCorrectSingleBitHeaderErrors, mscLpEngDsOv=mscLpEngDsOv, mscLpSdhFarEndLineCodeViolations=mscLpSdhFarEndLineCodeViolations, mscLpDS3DS1TestRowStatus=mscLpDS3DS1TestRowStatus, mscLpDS1ErroredSec=mscLpDS1ErroredSec, mscLpDS3DS1ChanStorageType=mscLpDS3DS1ChanStorageType, mscLpDS3DS1AdminInfoTable=mscLpDS3DS1AdminInfoTable, mscLpDS3DS1ChanTestType=mscLpDS3DS1ChanTestType, mscLpDS3DS1TxRaiAlarm=mscLpDS3DS1TxRaiAlarm, mscLpDS3DS1ChanTestStorageType=mscLpDS3DS1ChanTestStorageType, mscLpV35TestIndex=mscLpV35TestIndex, mscLpSdhPathRxAisAlarm=mscLpSdhPathRxAisAlarm, mscLpX21UsageState=mscLpX21UsageState, mscLpSonetControlStatus=mscLpSonetControlStatus, mscLpE3TestSetupEntry=mscLpE3TestSetupEntry, mscLpHssiTestResultsEntry=mscLpHssiTestResultsEntry, mscLpSonetPathProvTable=mscLpSonetPathProvTable, mscLpDS3CBitFarEndAlarm=mscLpDS3CBitFarEndAlarm, mscLpE3PlcpComponentName=mscLpE3PlcpComponentName, mscLpSonetTestDisplayInterval=mscLpSonetTestDisplayInterval, mscLpDS3DS1ChanTestBitsRx=mscLpDS3DS1ChanTestBitsRx, mscLpE3TestErroredFrmRx=mscLpE3TestErroredFrmRx, mscLpSonetPathStatsEntry=mscLpSonetPathStatsEntry, mscLpX21LineStatusTimeOut=mscLpX21LineStatusTimeOut, logicalProcessorGroupCA02A=logicalProcessorGroupCA02A, mscLpE1ChanTestIndex=mscLpE1ChanTestIndex, mscLpEngRowStatusTable=mscLpEngRowStatusTable, mscLpDS1ChanCellScrambleCellPayload=mscLpDS1ChanCellScrambleCellPayload, mscLpCidDataEntry=mscLpCidDataEntry, mscLpEngDsAgentQueueSize=mscLpEngDsAgentQueueSize, mscLpE1ChanTcSigTwoValue=mscLpE1ChanTcSigTwoValue, mscLpDS1OperEntry=mscLpDS1OperEntry, mscLpSdhOperTable=mscLpSdhOperTable, mscLpDS1ChanAdminInfoEntry=mscLpDS1ChanAdminInfoEntry, mscLpJT2OperTable=mscLpJT2OperTable, mscLpE1AudioComponentName=mscLpE1AudioComponentName, mscLpV35UnknownStatus=mscLpV35UnknownStatus, mscLpSdhPathCellRowStatusTable=mscLpSdhPathCellRowStatusTable, mscLpE1ChanTcSigOneIndex=mscLpE1ChanTcSigOneIndex, mscLpDS1ChanTestCustomizedPattern=mscLpDS1ChanTestCustomizedPattern, mscLpE3TestFrmSize=mscLpE3TestFrmSize, mscLpV35TestOperationalState=mscLpV35TestOperationalState, mscLpSonetPathAvailabilityStatus=mscLpSonetPathAvailabilityStatus, mscLpDS3CBitComponentName=mscLpDS3CBitComponentName, mscLpDS1AudioRowStatusTable=mscLpDS1AudioRowStatusTable, mscLpDS1ChanCellStatsEntry=mscLpDS1ChanCellStatsEntry, mscLpE3PathFailures=mscLpE3PathFailures, mscLpSdhPathCellComponentName=mscLpSdhPathCellComponentName, mscLpSonetPathStandbyStatus=mscLpSonetPathStandbyStatus, mscLpDS1TxRaiAlarm=mscLpDS1TxRaiAlarm, mscLpEngDsOperTable=mscLpEngDsOperTable, mscLpDS3ControlStatus=mscLpDS3ControlStatus, mscLpSdhTestType=mscLpSdhTestType, mscLpDS3DS1ChanTcSigOneTable=mscLpDS3DS1ChanTcSigOneTable, mscLpX21OperTable=mscLpX21OperTable, mscLpSonetFarEndLineErrorFreeSec=mscLpSonetFarEndLineErrorFreeSec, mscLpJT2IfEntryEntry=mscLpJT2IfEntryEntry, mscLpDS1LosAlarm=mscLpDS1LosAlarm, mscLpV35IfEntryTable=mscLpV35IfEntryTable, mscLpDS3DS1ChanTestBytesTx=mscLpDS3DS1ChanTestBytesTx, mscLpSdhPathTxRdi=mscLpSdhPathTxRdi, mscLpDS1ControlStatus=mscLpDS1ControlStatus, mscLpDS3DS1ChanCellOperEntry=mscLpDS3DS1ChanCellOperEntry, mscLpE1RxRaiAlarm=mscLpE1RxRaiAlarm, mscLpJT2Index=mscLpJT2Index, mscLpE1ChanTestDisplayInterval=mscLpE1ChanTestDisplayInterval, mscLpSonetPathProceduralStatus=mscLpSonetPathProceduralStatus, mscLpE1ChanCellReceiveCellUtilization=mscLpE1ChanCellReceiveCellUtilization, mscLpSdhProvEntry=mscLpSdhProvEntry, mscLpSdhTestRowStatusTable=mscLpSdhTestRowStatusTable, mscLpDS3DS1ProceduralStatus=mscLpDS3DS1ProceduralStatus, mscLpDS3DS1ChanTcSigOneValue=mscLpDS3DS1ChanTcSigOneValue, mscLpSonetUnusableTxClockRefAlarm=mscLpSonetUnusableTxClockRefAlarm, mscLpUnknownStatus=mscLpUnknownStatus, mscLpDS3DS1LofAlarm=mscLpDS3DS1LofAlarm, mscLpSdhSectFailures=mscLpSdhSectFailures, mscLpJT2TestBitsRx=mscLpJT2TestBitsRx, mscLpDS3DS1TestBitsRx=mscLpDS3DS1TestBitsRx, mscLpE1ChanCellOperEntry=mscLpE1ChanCellOperEntry, mscLpDS3CBitFarEndErroredSec=mscLpDS3CBitFarEndErroredSec, mscLpJT2CrcErrors=mscLpJT2CrcErrors, mscLpX21TestTimeRemaining=mscLpX21TestTimeRemaining, mscLpX21TestRowStatusTable=mscLpX21TestRowStatusTable, mscLpHssiUnknownStatus=mscLpHssiUnknownStatus, mscLpDS3TestBytesTx=mscLpDS3TestBytesTx, mscLpDS3DS1Vendor=mscLpDS3DS1Vendor, mscLpDS3ProvTable=mscLpDS3ProvTable, mscLpV35TestFrmPatternType=mscLpV35TestFrmPatternType, mscLpDS1ChanStateTable=mscLpDS1ChanStateTable, mscLpV35TestDataStartDelay=mscLpV35TestDataStartDelay, mscLpDS3CBitOperationalEntry=mscLpDS3CBitOperationalEntry, mscLpSonetPathLopAlarm=mscLpSonetPathLopAlarm, mscLpSdhPathCidDataEntry=mscLpSdhPathCidDataEntry, mscLpSdhPathIfEntryTable=mscLpSdhPathIfEntryTable, mscLpDS3DS1RunningTime=mscLpDS3DS1RunningTime, mscLpV35ReadyLineState=mscLpV35ReadyLineState, mscLpEngDsOvRowStatusEntry=mscLpEngDsOvRowStatusEntry, mscLpE1ChanCellComponentName=mscLpE1ChanCellComponentName, mscLpHssiCidDataTable=mscLpHssiCidDataTable, mscLpJT2OperationalState=mscLpJT2OperationalState, mscLpDS1AdminInfoEntry=mscLpDS1AdminInfoEntry, mscLpE1ChanFlmOpTable=mscLpE1ChanFlmOpTable, mscLpDS3PathErroredSec=mscLpDS3PathErroredSec, mscLpX21ActualRxLineSpeed=mscLpX21ActualRxLineSpeed, mscLpX21TestElapsedTime=mscLpX21TestElapsedTime, mscLpRowStatus=mscLpRowStatus, mscLpDS3DS1ChanUsageState=mscLpDS3DS1ChanUsageState, mscLpE1ChanAdminInfoEntry=mscLpE1ChanAdminInfoEntry, mscLpSdhTestBitsRx=mscLpSdhTestBitsRx, mscLpE1ChanStateEntry=mscLpE1ChanStateEntry, mscLpDS1AudioRowStatusEntry=mscLpDS1AudioRowStatusEntry, mscLpDS1ChanTestFrmRx=mscLpDS1ChanTestFrmRx, mscLpSonetLineCodeViolations=mscLpSonetLineCodeViolations, mscLpDS3DS1ChanTcSigTwoEntry=mscLpDS3DS1ChanTcSigTwoEntry, mscLpDS1TestPurpose=mscLpDS1TestPurpose, mscLpSdhPathProceduralStatus=mscLpSdhPathProceduralStatus, mscLpSpareCardStatus=mscLpSpareCardStatus, mscLpDS3DS1TestBitErrorRate=mscLpDS3DS1TestBitErrorRate, mscLpE1LofAlarm=mscLpE1LofAlarm, mscLpLinkToApplicationsValue=mscLpLinkToApplicationsValue, mscLpE3CidDataEntry=mscLpE3CidDataEntry, mscLpV35ActualRxLineSpeed=mscLpV35ActualRxLineSpeed, mscLpE1ChanOperEntry=mscLpE1ChanOperEntry, mscLpDS3TestResultsTable=mscLpDS3TestResultsTable, mscLpDS3DS1ChanTestStateEntry=mscLpDS3DS1ChanTestStateEntry, mscLpDS1TestSetupEntry=mscLpDS1TestSetupEntry, mscLpSdhPathSnmpOperStatus=mscLpSdhPathSnmpOperStatus, mscLpDS1OperTable=mscLpDS1OperTable, mscLpMemoryCapacityIndex=mscLpMemoryCapacityIndex, mscLpDS3DS1OperStatusEntry=mscLpDS3DS1OperStatusEntry, mscLpSonetStateEntry=mscLpSonetStateEntry, mscLpComponentName=mscLpComponentName, mscLpSonetPathOperStatusEntry=mscLpSonetPathOperStatusEntry, mscLpSonetPathOperationalState=mscLpSonetPathOperationalState, mscLpE3TestBytesRx=mscLpE3TestBytesRx, mscLpJT2ProvEntry=mscLpJT2ProvEntry, mscLpDS1ChanProceduralStatus=mscLpDS1ChanProceduralStatus, mscLpDS1ChanTcSigOneEntry=mscLpDS1ChanTcSigOneEntry, mscLpDS1UnknownStatus=mscLpDS1UnknownStatus, mscLpDS3CellComponentName=mscLpDS3CellComponentName, mscLpDS3DS1TestRowStatusEntry=mscLpDS3DS1TestRowStatusEntry, mscLpDS3DS1ChanActualChannelSpeed=mscLpDS3DS1ChanActualChannelSpeed, mscLpSdhAlarmStatus=mscLpSdhAlarmStatus, mscLpE1ChanTestOperationalState=mscLpE1ChanTestOperationalState, mscLpDS3DS1IfIndex=mscLpDS3DS1IfIndex, mscLpDS1ChanRowStatus=mscLpDS1ChanRowStatus, mscLpSdhPathIfEntryEntry=mscLpSdhPathIfEntryEntry, mscLpSdhPathCellAlarmActDelay=mscLpSdhPathCellAlarmActDelay, mscLpDS3DS1ChanRowStatusEntry=mscLpDS3DS1ChanRowStatusEntry, mscLpDS1ChanTcOpTable=mscLpDS1ChanTcOpTable, mscLpDS1TestFrmSize=mscLpDS1TestFrmSize, mscLpE1TestBitsTx=mscLpE1TestBitsTx, mscLpJT2CellReceiveCellUtilization=mscLpJT2CellReceiveCellUtilization, mscLpSonetOperStatusTable=mscLpSonetOperStatusTable, mscLpJT2Vendor=mscLpJT2Vendor, mscLpDS3DS1ChanCellIndex=mscLpDS3DS1ChanCellIndex, mscLpSdhPathPathUnavailSec=mscLpSdhPathPathUnavailSec, mscLpEng=mscLpEng, mscLpSdhPathProvEntry=mscLpSdhPathProvEntry, mscLpDS3DS1OperStatusTable=mscLpDS3DS1OperStatusTable, mscLpJT2RunningTime=mscLpJT2RunningTime, mscLpE1ChanCellProvEntry=mscLpE1ChanCellProvEntry, mscLpJT2TestRowStatus=mscLpJT2TestRowStatus, mscLpActiveCard=mscLpActiveCard, mscLpJT2TestFrmTx=mscLpJT2TestFrmTx, mscLpDS3DS1ProvEntry=mscLpDS3DS1ProvEntry, mscLpHssiIfEntryEntry=mscLpHssiIfEntryEntry, mscLpSdhPathCellLcdAlarm=mscLpSdhPathCellLcdAlarm, mscLpSonetProceduralStatus=mscLpSonetProceduralStatus, mscLpDS1ChanIfAdminStatus=mscLpDS1ChanIfAdminStatus, mscLpDS1ChanCellAlarmActDelay=mscLpDS1ChanCellAlarmActDelay, mscLpE1TestStateTable=mscLpE1TestStateTable, mscLpX21DataTransferLineState=mscLpX21DataTransferLineState, mscLpE3IfAdminStatus=mscLpE3IfAdminStatus, mscLpDS1ChanCellComponentName=mscLpDS1ChanCellComponentName, mscLpDS1ChanOperStatusEntry=mscLpDS1ChanOperStatusEntry, mscLpSdhTestSetupEntry=mscLpSdhTestSetupEntry, mscLpDS1IfEntryEntry=mscLpDS1IfEntryEntry, mscLpV35TestCustomizedPattern=mscLpV35TestCustomizedPattern, mscLpHssiLinkMode=mscLpHssiLinkMode, mscLpSonetTestErroredFrmRx=mscLpSonetTestErroredFrmRx, mscLpV35TestSetupTable=mscLpV35TestSetupTable, mscLpE1ChanAdminInfoTable=mscLpE1ChanAdminInfoTable, mscLpSdhPathPathFailures=mscLpSdhPathPathFailures, mscLpDS1ChanOperationalState=mscLpDS1ChanOperationalState, mscLpDS3DS1TestBytesTx=mscLpDS3DS1TestBytesTx, mscLpE3RxRaiAlarm=mscLpE3RxRaiAlarm, mscLpDS3DS1ChanTestErroredFrmRx=mscLpDS3DS1ChanTestErroredFrmRx, mscLpE3AlarmStatus=mscLpE3AlarmStatus, mscLpDS1ChanTestPurpose=mscLpDS1ChanTestPurpose, mscLpDS1ChanTestDataStartDelay=mscLpDS1ChanTestDataStartDelay, mscLpE3=mscLpE3, mscLpE1ChanTestCustomizedPattern=mscLpE1ChanTestCustomizedPattern, mscLpHssiDataXferStateChanges=mscLpHssiDataXferStateChanges, mscLpDS1TestStorageType=mscLpDS1TestStorageType, mscLpSdhRowStatusEntry=mscLpSdhRowStatusEntry, mscLpDS3DS1ChanOperEntry=mscLpDS3DS1ChanOperEntry, mscLpHssiTestRowStatusEntry=mscLpHssiTestRowStatusEntry, mscLpV35LinkMode=mscLpV35LinkMode, mscLpE3Cell=mscLpE3Cell, mscLpJT2OperStatusEntry=mscLpJT2OperStatusEntry, mscLpDS3CustomerIdentifier=mscLpDS3CustomerIdentifier, mscLpE1ChanTestStorageType=mscLpE1ChanTestStorageType, mscLpDS1TestRowStatusTable=mscLpDS1TestRowStatusTable, mscLpV35TestRowStatusEntry=mscLpV35TestRowStatusEntry, mscLpX21TestDisplayInterval=mscLpX21TestDisplayInterval, mscLpDS3AdminInfoEntry=mscLpDS3AdminInfoEntry, mscLpDS3AlarmStatus=mscLpDS3AlarmStatus, mscLpDS3DS1OperationalState=mscLpDS3DS1OperationalState, mscLpDS3DS1ChanAdminState=mscLpDS3DS1ChanAdminState, mscLpV35ActualTxLineSpeed=mscLpV35ActualTxLineSpeed, mscLpSdhPathCellIndex=mscLpSdhPathCellIndex, mscLpTimeInterval=mscLpTimeInterval, mscLpDS3DS1ChanTestOperationalState=mscLpDS3DS1ChanTestOperationalState)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpE1E1OperEntry=mscLpE1E1OperEntry, mscLpDS1ChanTestStateTable=mscLpDS1ChanTestStateTable, mscLpDS3DS1TestOperationalState=mscLpDS3DS1TestOperationalState, mscLpSdhTestStateTable=mscLpSdhTestStateTable, mscLpHssiTestFrmTx=mscLpHssiTestFrmTx, mscLpHssiTestIndex=mscLpHssiTestIndex, mscLpSonetClockingSource=mscLpSonetClockingSource, mscLpSonetPathIfIndex=mscLpSonetPathIfIndex, mscLpDS1LosStateChanges=mscLpDS1LosStateChanges, mscLpHssiTestRowStatus=mscLpHssiTestRowStatus, mscLpV35TestDisplayInterval=mscLpV35TestDisplayInterval, mscLpDS1OperStatusEntry=mscLpDS1OperStatusEntry, mscLpJT2SevErroredFrmSec=mscLpJT2SevErroredFrmSec, mscLpDS1ChanTcRowStatusTable=mscLpDS1ChanTcRowStatusTable, mscLpDS1ComponentName=mscLpDS1ComponentName, mscLpE3LineLength=mscLpE3LineLength, mscLpSdhComponentName=mscLpSdhComponentName, mscLpDS1ChanControlStatus=mscLpDS1ChanControlStatus, mscLpE3LineSevErroredSec=mscLpE3LineSevErroredSec, mscLpSonetTestStateTable=mscLpSonetTestStateTable, mscLpE3G832=mscLpE3G832, mscLpSdhStatsEntry=mscLpSdhStatsEntry, mscLpDS3TestResultsEntry=mscLpDS3TestResultsEntry, mscLpE1ChanTest=mscLpE1ChanTest, mscLpSonetPathStateEntry=mscLpSonetPathStateEntry, mscLpDS3DS1UsageState=mscLpDS3DS1UsageState, mscLpSonetTestFrmTx=mscLpSonetTestFrmTx, mscLpSonetPathCellProvEntry=mscLpSonetPathCellProvEntry, mscLpDS3CellTransmitCellUtilization=mscLpDS3CellTransmitCellUtilization, mscLpE3PlcpFarEndErrorFreeSec=mscLpE3PlcpFarEndErrorFreeSec, mscLpDS3CellRowStatus=mscLpDS3CellRowStatus, mscLpEngDsRowStatusTable=mscLpEngDsRowStatusTable, mscLpDS3DS1ChanAlarmStatus=mscLpDS3DS1ChanAlarmStatus, mscLpDS1SlipErrors=mscLpDS1SlipErrors, mscLpDS1ChanActualChannelSpeed=mscLpDS1ChanActualChannelSpeed, mscLpSonetUsageState=mscLpSonetUsageState, mscLpE3AdminInfoEntry=mscLpE3AdminInfoEntry, mscLpDS3Cell=mscLpDS3Cell, mscLpDS3PathFailures=mscLpDS3PathFailures, mscLpE1ChanTestTimeRemaining=mscLpE1ChanTestTimeRemaining, mscLpE1ChanTcRowStatusEntry=mscLpE1ChanTcRowStatusEntry, mscLpDS3TestStateTable=mscLpDS3TestStateTable, mscLpDS3TestType=mscLpDS3TestType, mscLpSdhStandbyStatus=mscLpSdhStandbyStatus, mscLpDS3PlcpFarEndCodingViolations=mscLpDS3PlcpFarEndCodingViolations, mscLpSdhPathFarEndPathFailures=mscLpSdhPathFarEndPathFailures, mscLpDS1AlarmStatus=mscLpDS1AlarmStatus, mscLpSdhTestBytesRx=mscLpSdhTestBytesRx, mscLpDS3DS1ChanTestResultsTable=mscLpDS3DS1ChanTestResultsTable, mscLpV35OperStatusEntry=mscLpV35OperStatusEntry, mscLpStandbyStatus=mscLpStandbyStatus, mscLpE3IfEntryEntry=mscLpE3IfEntryEntry, mscLpE3TestFrmTx=mscLpE3TestFrmTx, mscLpDS3CellSevErroredSec=mscLpDS3CellSevErroredSec, mscLpE3OperTable=mscLpE3OperTable, mscLpE3CellSevErroredSec=mscLpE3CellSevErroredSec, mscLpSonetTestBitsTx=mscLpSonetTestBitsTx, mscLpE3TxRai=mscLpE3TxRai, mscLpE1UsageState=mscLpE1UsageState, mscLpE1OperStatusEntry=mscLpE1OperStatusEntry, mscLpSdhPathOperationalState=mscLpSdhPathOperationalState, mscLpDS1ChanStandbyStatus=mscLpDS1ChanStandbyStatus, mscLpV35OperTable=mscLpV35OperTable, mscLpE1TestBytesTx=mscLpE1TestBytesTx, mscLpSonetSnmpOperStatus=mscLpSonetSnmpOperStatus, mscLpE1TestCauseOfTermination=mscLpE1TestCauseOfTermination, mscLpE3CellLcdAlarm=mscLpE3CellLcdAlarm, mscLpJT2TestErroredFrmRx=mscLpJT2TestErroredFrmRx, mscLpMemoryCapacityTable=mscLpMemoryCapacityTable, mscLpDS3DS1ControlStatus=mscLpDS3DS1ControlStatus, mscLpEngDsRowStatus=mscLpEngDsRowStatus, mscLpDS1CrcErrors=mscLpDS1CrcErrors, mscLpE1SevErroredSec=mscLpE1SevErroredSec, mscLpDS3ProvEntry=mscLpDS3ProvEntry, mscLpDS1ChanCellRowStatus=mscLpDS1ChanCellRowStatus, mscLpV35TestUsageState=mscLpV35TestUsageState, mscLpSonetErrorFreeSec=mscLpSonetErrorFreeSec, mscLpV35OperEntry=mscLpV35OperEntry, mscLpDS3DS1=mscLpDS3DS1, mscLpHssiProvEntry=mscLpHssiProvEntry, mscLpE1ChanTestFrmRx=mscLpE1ChanTestFrmRx, mscLpE1ClockingSource=mscLpE1ClockingSource, mscLpE1TxAisAlarm=mscLpE1TxAisAlarm, mscLpX21IfIndex=mscLpX21IfIndex, mscLpSdhPathCellScrambleCellPayload=mscLpSdhPathCellScrambleCellPayload, mscLpDS3PlcpOperationalEntry=mscLpDS3PlcpOperationalEntry, mscLpSdhTestSetupTable=mscLpSdhTestSetupTable, mscLpX21TestBytesRx=mscLpX21TestBytesRx, mscLpSdhRxRfiAlarm=mscLpSdhRxRfiAlarm, mscLpDS3DS1TxAisAlarm=mscLpDS3DS1TxAisAlarm, mscLpJT2TestRowStatusEntry=mscLpJT2TestRowStatusEntry, mscLpDS3DS1TestUsageState=mscLpDS3DS1TestUsageState, logicalProcessorCapabilitiesCA02=logicalProcessorCapabilitiesCA02, mscLpDS1ChanTcIngressConditioning=mscLpDS1ChanTcIngressConditioning, mscLpSonetTxAis=mscLpSonetTxAis, mscLpV35LineStatusTimeOut=mscLpV35LineStatusTimeOut, mscLpX21AlarmStatus=mscLpX21AlarmStatus, mscLpSdhRxAisAlarm=mscLpSdhRxAisAlarm, mscLpE1TestErroredFrmRx=mscLpE1TestErroredFrmRx, mscLpE1ChanTcSigOneTable=mscLpE1ChanTcSigOneTable, mscLpDS3PlcpRxRaiAlarm=mscLpDS3PlcpRxRaiAlarm, mscLpE3CellRowStatusTable=mscLpE3CellRowStatusTable, mscLpX21ReadyLineState=mscLpX21ReadyLineState, mscLpSonetRxAisAlarm=mscLpSonetRxAisAlarm, mscLpHssiTestBytesRx=mscLpHssiTestBytesRx, mscLpE3CellProvEntry=mscLpE3CellProvEntry, mscLpDS3DS1ChanRowStatusTable=mscLpDS3DS1ChanRowStatusTable, mscLpDS3CbitParity=mscLpDS3CbitParity, mscLpDS3CellScrambleCellPayload=mscLpDS3CellScrambleCellPayload, mscLpV35IfAdminStatus=mscLpV35IfAdminStatus, mscLpJT2CellOperTable=mscLpJT2CellOperTable, mscLpHssiTestCauseOfTermination=mscLpHssiTestCauseOfTermination, mscLpDS1CidDataEntry=mscLpDS1CidDataEntry, mscLpSonetTestOperationalState=mscLpSonetTestOperationalState, mscLpSonetAdminState=mscLpSonetAdminState, mscLpHssiTestStateTable=mscLpHssiTestStateTable, mscLpJT2RowStatus=mscLpJT2RowStatus, mscLpX21Index=mscLpX21Index, mscLpX21UnknownStatus=mscLpX21UnknownStatus, mscLpDS3Vendor=mscLpDS3Vendor, mscLpV35TestCauseOfTermination=mscLpV35TestCauseOfTermination, mscLpJT2TestType=mscLpJT2TestType, mscLpDS3CellCorrectableHeaderErrors=mscLpDS3CellCorrectableHeaderErrors, mscLpHssiProceduralStatus=mscLpHssiProceduralStatus, mscLpE1DspRowStatus=mscLpE1DspRowStatus, mscLpSonetPathCellRowStatusEntry=mscLpSonetPathCellRowStatusEntry, mscLpE3CellStatsEntry=mscLpE3CellStatsEntry, mscLpDS3DS1ChanTestIndex=mscLpDS3DS1ChanTestIndex, mscLpE1ChanFlmRowStatusTable=mscLpE1ChanFlmRowStatusTable, mscLpDS3CellOperEntry=mscLpDS3CellOperEntry, mscLpX21CidDataEntry=mscLpX21CidDataEntry, mscLpDS1DspRowStatus=mscLpDS1DspRowStatus, mscLpE1RxMultifrmRaiAlarm=mscLpE1RxMultifrmRaiAlarm, mscLpDS3DS1ChanStandbyStatus=mscLpDS3DS1ChanStandbyStatus, mscLpDS3CellReceiveCellUtilization=mscLpDS3CellReceiveCellUtilization, mscLpDS3CBitCbitSevErroredSec=mscLpDS3CBitCbitSevErroredSec, mscLpX21=mscLpX21, mscLpSdhRowStatus=mscLpSdhRowStatus, mscLpDS3PlcpUnavailSec=mscLpDS3PlcpUnavailSec, mscLpSonetPathFarEndPathSevErroredSec=mscLpSonetPathFarEndPathSevErroredSec, mscLpSdhSectErroredSec=mscLpSdhSectErroredSec, mscLpSonetSectCodeViolations=mscLpSonetSectCodeViolations, mscLpDS3LineFailures=mscLpDS3LineFailures, mscLpE1ChanIfEntryTable=mscLpE1ChanIfEntryTable, mscLpSdhPathCellProvEntry=mscLpSdhPathCellProvEntry, mscLpJT2CellTransmitCellUtilization=mscLpJT2CellTransmitCellUtilization, mscLpHssiTestType=mscLpHssiTestType, mscLpMemoryCapacityEntry=mscLpMemoryCapacityEntry, mscLpSdhPathFarEndPathAisLopSec=mscLpSdhPathFarEndPathAisLopSec, mscLpDS1TestFrmRx=mscLpDS1TestFrmRx, mscLpE1StatsEntry=mscLpE1StatsEntry, mscLpSdhPathCellSevErroredSec=mscLpSdhPathCellSevErroredSec, mscLpDS3DS1ChanCellTransmitCellUtilization=mscLpDS3DS1ChanCellTransmitCellUtilization, mscLpSonetTestStateEntry=mscLpSonetTestStateEntry, mscLpDS3CBitCbitUnavailSec=mscLpDS3CBitCbitUnavailSec, mscLpSonetCidDataEntry=mscLpSonetCidDataEntry, mscLpSonetLineErroredSec=mscLpSonetLineErroredSec, mscLpDS1DspRowStatusTable=mscLpDS1DspRowStatusTable, mscLpE1TestType=mscLpE1TestType, mscLpDS1Dsp=mscLpDS1Dsp, mscLpX21OperStatusEntry=mscLpX21OperStatusEntry, mscLpSdhTestIndex=mscLpSdhTestIndex, mscLpHssiUsageState=mscLpHssiUsageState, mscLpE1ChanCellRowStatusTable=mscLpE1ChanCellRowStatusTable, mscLpHssiIndex=mscLpHssiIndex, mscLpE1CidDataTable=mscLpE1CidDataTable, mscLpDS3DS1SnmpOperStatus=mscLpDS3DS1SnmpOperStatus, mscLpDS3TestTimeRemaining=mscLpDS3TestTimeRemaining, mscLpE3G832StorageType=mscLpE3G832StorageType, mscLpDS3UsageState=mscLpDS3UsageState, mscLpJT2LosAlarm=mscLpJT2LosAlarm, mscLpDS3DS1ChanCellScrambleCellPayload=mscLpDS3DS1ChanCellScrambleCellPayload, mscLpDS3DS1ChanCell=mscLpDS3DS1ChanCell, mscLpE1TestFrmTx=mscLpE1TestFrmTx, mscLpE1UnavailSec=mscLpE1UnavailSec, mscLpDS3DS1ChanTestAdminState=mscLpDS3DS1ChanTestAdminState, mscLpScheduledSwitchover=mscLpScheduledSwitchover, mscLpDS1DspRowStatusEntry=mscLpDS1DspRowStatusEntry, mscLpDS3ProceduralStatus=mscLpDS3ProceduralStatus, mscLpE3PlcpCodingViolations=mscLpE3PlcpCodingViolations, mscLpDS3DS1ChanIndex=mscLpDS3DS1ChanIndex, mscLpX21LineState=mscLpX21LineState, mscLpSonetTestElapsedTime=mscLpSonetTestElapsedTime, mscLpEngDsOvIndex=mscLpEngDsOvIndex, mscLpHssiRowStatusEntry=mscLpHssiRowStatusEntry, mscLpSonetTestResultsEntry=mscLpSonetTestResultsEntry, mscLpSdhCommentText=mscLpSdhCommentText, mscLpDS1ChanStorageType=mscLpDS1ChanStorageType, mscLpX21ActualTxLineSpeed=mscLpX21ActualTxLineSpeed, mscLpDS1ChanTestAdminState=mscLpDS1ChanTestAdminState, mscLpV35TestStateEntry=mscLpV35TestStateEntry, mscLpE1TestBitsRx=mscLpE1TestBitsRx, mscLpDS3DS1ChanTestSetupTable=mscLpDS3DS1ChanTestSetupTable, mscLpE1IfIndex=mscLpE1IfIndex, mscLpSonetPathTxAis=mscLpSonetPathTxAis, mscLpJT2CellStatsTable=mscLpJT2CellStatsTable, mscLpMemoryUsageAvgMinEntry=mscLpMemoryUsageAvgMinEntry, mscLpDS3DS1ChanTcSigTwoValue=mscLpDS3DS1ChanTcSigTwoValue, mscLpDS3CBitOperationalTable=mscLpDS3CBitOperationalTable, mscLpSonetPathPathCodeViolations=mscLpSonetPathPathCodeViolations, mscLpE3StatsEntry=mscLpE3StatsEntry, mscLpDS3DS1ChanCellAlarmActDelay=mscLpDS3DS1ChanCellAlarmActDelay, mscLpE1OperStatusTable=mscLpE1OperStatusTable, mscLpRowStatusEntry=mscLpRowStatusEntry, mscLpHssiControlStatus=mscLpHssiControlStatus, mscLpJT2CellIndex=mscLpJT2CellIndex, mscLpJT2CellComponentName=mscLpJT2CellComponentName, mscLpV35AvailabilityStatus=mscLpV35AvailabilityStatus, mscLpSonetPathCellAlarmActDelay=mscLpSonetPathCellAlarmActDelay, mscLpSonet=mscLpSonet, mscLpDS3RxRaiAlarm=mscLpDS3RxRaiAlarm, mscLpSonetTestBitErrorRate=mscLpSonetTestBitErrorRate, mscLpE3LineCodeViolations=mscLpE3LineCodeViolations, mscLpDS3CBitRowStatusTable=mscLpDS3CBitRowStatusTable, mscLpE3PathUnavailSec=mscLpE3PathUnavailSec, mscLpJT2CellAlarmActDelay=mscLpJT2CellAlarmActDelay, mscLpSonetTest=mscLpSonetTest, mscLpV35TestFrmSize=mscLpV35TestFrmSize, mscLpE1ChanCidDataTable=mscLpE1ChanCidDataTable, mscLpDS3CBitLoopedbackToFarEnd=mscLpDS3CBitLoopedbackToFarEnd, mscLpSdhAdminInfoEntry=mscLpSdhAdminInfoEntry, mscLpX21TestRowStatusEntry=mscLpX21TestRowStatusEntry, mscLpX21StateEntry=mscLpX21StateEntry, mscLpE3CellScrambleCellPayload=mscLpE3CellScrambleCellPayload, mscLpSonetTestComponentName=mscLpSonetTestComponentName, mscLpSdhControlStatus=mscLpSdhControlStatus, mscLpSdhPathRowStatusEntry=mscLpSdhPathRowStatusEntry, mscLpE3CommentText=mscLpE3CommentText, mscLpDS1ChanTestErroredFrmRx=mscLpDS1ChanTestErroredFrmRx, mscLpSdhFarEndLineUnavailSec=mscLpSdhFarEndLineUnavailSec, mscLpE1ChanTestFrmPatternType=mscLpE1ChanTestFrmPatternType, mscLpSonetCustomerIdentifier=mscLpSonetCustomerIdentifier, mscLpV35DataTransferLineState=mscLpV35DataTransferLineState, mscLpDS1ChanCidDataEntry=mscLpDS1ChanCidDataEntry, mscLpE1ProvEntry=mscLpE1ProvEntry, mscLpSonetRxRfiAlarm=mscLpSonetRxRfiAlarm, mscLpX21SnmpOperStatus=mscLpX21SnmpOperStatus, mscLpMsgBlockUsageAvg=mscLpMsgBlockUsageAvg, mscLpJT2TestOperationalState=mscLpJT2TestOperationalState, mscLpE3TestCustomizedPattern=mscLpE3TestCustomizedPattern, mscLpE1ChanTestComponentName=mscLpE1ChanTestComponentName, mscLpHssiAdminState=mscLpHssiAdminState, mscLpSonetIfEntryEntry=mscLpSonetIfEntryEntry, mscLpJT2CellCorrectableHeaderErrors=mscLpJT2CellCorrectableHeaderErrors, mscLpX21CustomerIdentifier=mscLpX21CustomerIdentifier, mscLpDS1ChanTestBitsTx=mscLpDS1ChanTestBitsTx, mscLpSonetFarEndLineSevErroredSec=mscLpSonetFarEndLineSevErroredSec, mscLpE1ChanRowStatus=mscLpE1ChanRowStatus, mscLpProvTable=mscLpProvTable, mscLpE1OperationalState=mscLpE1OperationalState, mscLpSonetTestRowStatus=mscLpSonetTestRowStatus, mscLpV35ControlStatus=mscLpV35ControlStatus, mscLpE1ChanCellSevErroredSec=mscLpE1ChanCellSevErroredSec, mscLpE3CellUncorrectableHecErrors=mscLpE3CellUncorrectableHecErrors)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpDS1TestDataStartDelay=mscLpDS1TestDataStartDelay, mscLpDS3PlcpComponentName=mscLpDS3PlcpComponentName, mscLpSdhOperEntry=mscLpSdhOperEntry, mscLpJT2RxRaiAlarm=mscLpJT2RxRaiAlarm, mscLpDS1TestAdminState=mscLpDS1TestAdminState, mscLpDS3DS1ChanTestFrmSize=mscLpDS3DS1ChanTestFrmSize, mscLpE1ChanFlmComponentName=mscLpE1ChanFlmComponentName, mscLpX21ControlStatus=mscLpX21ControlStatus, mscLpSonetTestCustomizedPattern=mscLpSonetTestCustomizedPattern, mscLpLocalMsgBlockUsage=mscLpLocalMsgBlockUsage, mscLpSdhPathIfIndex=mscLpSdhPathIfIndex, mscLpDS1RowStatusTable=mscLpDS1RowStatusTable, mscLpDS3DS1ZeroCoding=mscLpDS3DS1ZeroCoding, mscLpSonetPathStorageType=mscLpSonetPathStorageType, mscLpE1TestFrmSize=mscLpE1TestFrmSize, mscLpDS1RxAisAlarm=mscLpDS1RxAisAlarm, mscLpDS3DS1ChanCellStorageType=mscLpDS3DS1ChanCellStorageType, mscLpDS3DS1FrmErrors=mscLpDS3DS1FrmErrors, mscLpSdhStateTable=mscLpSdhStateTable, mscLpE1ChanCidDataEntry=mscLpE1ChanCidDataEntry, mscLpE1AudioRowStatus=mscLpE1AudioRowStatus, mscLpDS3TxAis=mscLpDS3TxAis, mscLpE3TestSetupTable=mscLpE3TestSetupTable, mscLpDS3StateEntry=mscLpDS3StateEntry, mscLpE1RunningTime=mscLpE1RunningTime, mscLpX21TestFrmPatternType=mscLpX21TestFrmPatternType, mscLpJT2TestSetupEntry=mscLpJT2TestSetupEntry, mscLpDS1RaiAlarmType=mscLpDS1RaiAlarmType, mscLpE3G832TrailTraceMismatch=mscLpE3G832TrailTraceMismatch, mscLpDS1StorageType=mscLpDS1StorageType, mscLpE3CellRowStatusEntry=mscLpE3CellRowStatusEntry, mscLpE1TestIndex=mscLpE1TestIndex, mscLpE3G832TimingMarker=mscLpE3G832TimingMarker, mscLpMemoryUsageAvgMaxIndex=mscLpMemoryUsageAvgMaxIndex, mscLpDS3IfAdminStatus=mscLpDS3IfAdminStatus, mscLpE1TestDuration=mscLpE1TestDuration, mscLpSonetPathCellLcdAlarm=mscLpSonetPathCellLcdAlarm, mscLpX21IfAdminStatus=mscLpX21IfAdminStatus, mscLpMemoryUsageAvgMinValue=mscLpMemoryUsageAvgMinValue, mscLpSdhPathProvTable=mscLpSdhPathProvTable, mscLpSdhTestAdminState=mscLpSdhTestAdminState, mscLpE1ChanTestRowStatusTable=mscLpE1ChanTestRowStatusTable, mscLpDS1ChanTestBytesRx=mscLpDS1ChanTestBytesRx, mscLpSdhPathSignalLabelMismatch=mscLpSdhPathSignalLabelMismatch, mscLpE3CellAlarmActDelay=mscLpE3CellAlarmActDelay, mscLpJT2RxAisPhysicalAlarm=mscLpJT2RxAisPhysicalAlarm, mscLpDS1LineLength=mscLpDS1LineLength, mscLpE1ChanTcSigOneValue=mscLpE1ChanTcSigOneValue, mscLpDS3DS1ChanOperationalState=mscLpDS3DS1ChanOperationalState, mscLpJT2SnmpOperStatus=mscLpJT2SnmpOperStatus, mscLpSonetLofAlarm=mscLpSonetLofAlarm, mscLpSdhPathOperStatusTable=mscLpSdhPathOperStatusTable, mscLpSonetStatsTable=mscLpSonetStatsTable, mscLpHssiTestBitsRx=mscLpHssiTestBitsRx, mscLpSonetTestTimeRemaining=mscLpSonetTestTimeRemaining, mscLpCpuUtil=mscLpCpuUtil, mscLpE3TestRowStatus=mscLpE3TestRowStatus, mscLpDS3DS1TestFrmSize=mscLpDS3DS1TestFrmSize, mscLpV35TestBytesTx=mscLpV35TestBytesTx, mscLpHssiActualLinkMode=mscLpHssiActualLinkMode, mscLpOperEntry=mscLpOperEntry, mscLpJT2TxRaiAlarm=mscLpJT2TxRaiAlarm, mscLpSonetPathRowStatus=mscLpSonetPathRowStatus, mscLpDS3DS1ChanTestCauseOfTermination=mscLpDS3DS1ChanTestCauseOfTermination, mscLpJT2ControlStatus=mscLpJT2ControlStatus, mscLpDS3DS1ChanCellProvTable=mscLpDS3DS1ChanCellProvTable, logicalProcessorMIB=logicalProcessorMIB, mscLpSonetIfIndex=mscLpSonetIfIndex, mscLpE1ChanTestBytesRx=mscLpE1ChanTestBytesRx, mscLpX21TestBytesTx=mscLpX21TestBytesTx, mscLpE1ChanVendor=mscLpE1ChanVendor, mscLpDS1ClockingSource=mscLpDS1ClockingSource, mscLpDS3CellStorageType=mscLpDS3CellStorageType, mscLpHssiTestFrmRx=mscLpHssiTestFrmRx, mscLpE1Chan=mscLpE1Chan, mscLpHssiTestCustomizedPattern=mscLpHssiTestCustomizedPattern, mscLpDS3DS1ChanCellOperTable=mscLpDS3DS1ChanCellOperTable, mscLpSdhFarEndLineFailures=mscLpSdhFarEndLineFailures, mscLpDS3AdminInfoTable=mscLpDS3AdminInfoTable, mscLpV35StorageType=mscLpV35StorageType, mscLpJT2TestIndex=mscLpJT2TestIndex, mscLpDS1ChanTcReplacementData=mscLpDS1ChanTcReplacementData, mscLpSdhTestBytesTx=mscLpSdhTestBytesTx, mscLpSonetTestRowStatusEntry=mscLpSonetTestRowStatusEntry, mscLpDS3CBitIndex=mscLpDS3CBitIndex, mscLpHssiTestErroredFrmRx=mscLpHssiTestErroredFrmRx, mscLpMemoryUsageIndex=mscLpMemoryUsageIndex, mscLpE3PlcpUnavailSec=mscLpE3PlcpUnavailSec, mscLpDS1ChanTestIndex=mscLpDS1ChanTestIndex, mscLpDS1ChanCell=mscLpDS1ChanCell, mscLpE1RaiClearAlarmTime=mscLpE1RaiClearAlarmTime, mscLpHssiTestUsageState=mscLpHssiTestUsageState, mscLpDS3DS1ChanTest=mscLpDS3DS1ChanTest, mscLpE3G832ProvisionedEntry=mscLpE3G832ProvisionedEntry, mscLpSdhLineCodeViolations=mscLpSdhLineCodeViolations, mscLpDS1TestOperationalState=mscLpDS1TestOperationalState, mscLpDS1ChanAdminInfoTable=mscLpDS1ChanAdminInfoTable, mscLpE1ChanTcRowStatusTable=mscLpE1ChanTcRowStatusTable, mscLpE3PlcpErrorFreeSec=mscLpE3PlcpErrorFreeSec, mscLpE1ChanSnmpOperStatus=mscLpE1ChanSnmpOperStatus, mscLpV35SnmpOperStatus=mscLpV35SnmpOperStatus, mscLpLocalMsgBlockUsageMin=mscLpLocalMsgBlockUsageMin, mscLpJT2IfAdminStatus=mscLpJT2IfAdminStatus, mscLpDS1ChanProvTable=mscLpDS1ChanProvTable, mscLpDS3DS1ChanStateEntry=mscLpDS3DS1ChanStateEntry, mscLpE1TestUsageState=mscLpE1TestUsageState, mscLpDS1TestTimeRemaining=mscLpDS1TestTimeRemaining, mscLpDS3PathUnavailSec=mscLpDS3PathUnavailSec, mscLpSdhPathIfAdminStatus=mscLpSdhPathIfAdminStatus, mscLpE3AdminState=mscLpE3AdminState, mscLpHssiActualTxLineSpeed=mscLpHssiActualTxLineSpeed, mscLpMemoryUsageAvgMaxTable=mscLpMemoryUsageAvgMaxTable, mscLpV35TestTimeRemaining=mscLpV35TestTimeRemaining, mscLpDS1LineType=mscLpDS1LineType, mscLpV35Index=mscLpV35Index, mscLpSonetSectLosSec=mscLpSonetSectLosSec, mscLpDS3DS1RowStatusTable=mscLpDS3DS1RowStatusTable, mscLpDS1ChanCellStorageType=mscLpDS1ChanCellStorageType, mscLpE1RxAisAlarm=mscLpE1RxAisAlarm, mscLpE1ChanCellOperTable=mscLpE1ChanCellOperTable, mscLpDS3DS1ChanVendor=mscLpDS3DS1ChanVendor, mscLpSdhPathAdminState=mscLpSdhPathAdminState, mscLpE1DspIndex=mscLpE1DspIndex, mscLpMemoryUsageAvgMaxValue=mscLpMemoryUsageAvgMaxValue, mscLpSonetPathRowStatusEntry=mscLpSonetPathRowStatusEntry, mscLpDS3CellRowStatusEntry=mscLpDS3CellRowStatusEntry, mscLpSonetPathCidDataTable=mscLpSonetPathCidDataTable, mscLpDS1ChanTestDuration=mscLpDS1ChanTestDuration, mscLpDS3DS1ErrorFreeSec=mscLpDS3DS1ErrorFreeSec, mscLpEngDsOvProvEntry=mscLpEngDsOvProvEntry, mscLpMemoryUsageAvgEntry=mscLpMemoryUsageAvgEntry, mscLpE1ProceduralStatus=mscLpE1ProceduralStatus, mscLpHssiStateTable=mscLpHssiStateTable, mscLpX21TestCustomizedPattern=mscLpX21TestCustomizedPattern, mscLpE1StorageType=mscLpE1StorageType, mscLpE1ChanTestStateEntry=mscLpE1ChanTestStateEntry, mscLpMemoryUsageTable=mscLpMemoryUsageTable, mscLpHssiAdminInfoEntry=mscLpHssiAdminInfoEntry, mscLpSonetPathCellUncorrectableHecErrors=mscLpSonetPathCellUncorrectableHecErrors, mscLpLogicalProcessorType=mscLpLogicalProcessorType, mscLpDS3TestFrmPatternType=mscLpDS3TestFrmPatternType, mscLpCpuUtilAvgMax=mscLpCpuUtilAvgMax, mscLpDS1ChanTcSigOneValue=mscLpDS1ChanTcSigOneValue, mscLpUtilEntry=mscLpUtilEntry, mscLpSonetPathCellCorrectableHeaderErrors=mscLpSonetPathCellCorrectableHeaderErrors, mscLpMemoryUsageEntry=mscLpMemoryUsageEntry, mscLpDS3CBitFarEndUnavailSec=mscLpDS3CBitFarEndUnavailSec, mscLpJT2ApplicationFramerName=mscLpJT2ApplicationFramerName, mscLpX21TestBitsRx=mscLpX21TestBitsRx, mscLpSonetPathFarEndPathCodeViolations=mscLpSonetPathFarEndPathCodeViolations, mscLpJT2ErrorFreeSec=mscLpJT2ErrorFreeSec, mscLpV35TestRowStatus=mscLpV35TestRowStatus, mscLpDS3DS1ChanCellComponentName=mscLpDS3DS1ChanCellComponentName, mscLpE3RowStatus=mscLpE3RowStatus, mscLpE1ChanTestBitsTx=mscLpE1ChanTestBitsTx, mscLpE3CellRowStatus=mscLpE3CellRowStatus, mscLpE3Vendor=mscLpE3Vendor, mscLpE1IfEntryTable=mscLpE1IfEntryTable, mscLpDS3DS1UnavailSec=mscLpDS3DS1UnavailSec, mscLpE3TxAis=mscLpE3TxAis, mscLpSonetIfEntryTable=mscLpSonetIfEntryTable, mscLpMsgBlockUsageAvgMin=mscLpMsgBlockUsageAvgMin, mscLpE1ChanCellUncorrectableHecErrors=mscLpE1ChanCellUncorrectableHecErrors, mscLpHssiProvTable=mscLpHssiProvTable, mscLpJT2CellRowStatus=mscLpJT2CellRowStatus, mscLpJT2CellProvEntry=mscLpJT2CellProvEntry, mscLpSdhPathOperTable=mscLpSdhPathOperTable, mscLpJT2CellScrambleCellPayload=mscLpJT2CellScrambleCellPayload, mscLpDS3DS1Index=mscLpDS3DS1Index, mscLpDS3LofAlarm=mscLpDS3LofAlarm, mscLpDS1ChanTestElapsedTime=mscLpDS1ChanTestElapsedTime, mscLpSonetPathUsageState=mscLpSonetPathUsageState, mscLpE1TestComponentName=mscLpE1TestComponentName, mscLpSonetOperEntry=mscLpSonetOperEntry, mscLpSdhPathCellCorrectSingleBitHeaderErrors=mscLpSdhPathCellCorrectSingleBitHeaderErrors, mscLpDS3DS1ChanTestResultsEntry=mscLpDS3DS1ChanTestResultsEntry, mscLpHssiStateEntry=mscLpHssiStateEntry, mscLpDS3TestDataStartDelay=mscLpDS3TestDataStartDelay, mscLpDS1ChanOperStatusTable=mscLpDS1ChanOperStatusTable, mscLpDS3DS1Chan=mscLpDS3DS1Chan, mscLpDS3DS1ChanTestFrmTx=mscLpDS3DS1ChanTestFrmTx, mscLpE1ChanTimeslotDataRate=mscLpE1ChanTimeslotDataRate, mscLpV35Test=mscLpV35Test, mscLpSonetPathOperTable=mscLpSonetPathOperTable, mscLpSonetPathFarEndPathFailures=mscLpSonetPathFarEndPathFailures, mscLpV35TestBitsRx=mscLpV35TestBitsRx, mscLpE3PlcpIndex=mscLpE3PlcpIndex, mscLpSdhPathCellProvTable=mscLpSdhPathCellProvTable, mscLpE3G832RowStatus=mscLpE3G832RowStatus, mscLpE3PlcpOperationalTable=mscLpE3PlcpOperationalTable, mscLpX21AdminInfoTable=mscLpX21AdminInfoTable, mscLpJT2=mscLpJT2, mscLpSdhFarEndLineAisSec=mscLpSdhFarEndLineAisSec, mscLpE1TestRowStatusTable=mscLpE1TestRowStatusTable, mscLpE3RowStatusTable=mscLpE3RowStatusTable, mscLpV35TestBitErrorRate=mscLpV35TestBitErrorRate, mscLpE1TxRaiAlarm=mscLpE1TxRaiAlarm, mscLpDS1CustomerIdentifier=mscLpDS1CustomerIdentifier, mscLpE3ProvEntry=mscLpE3ProvEntry, mscLpX21LineTerminationRequired=mscLpX21LineTerminationRequired, mscLpV35Vendor=mscLpV35Vendor, mscLpE1ChanStorageType=mscLpE1ChanStorageType, mscLpSonetPathRowStatusTable=mscLpSonetPathRowStatusTable, mscLpDS1ChanTcProvEntry=mscLpDS1ChanTcProvEntry, mscLpHssiIfEntryTable=mscLpHssiIfEntryTable, mscLpSonetFarEndLineAisSec=mscLpSonetFarEndLineAisSec, mscLpE3ErrorFreeSec=mscLpE3ErrorFreeSec, mscLpDS1ChanTestDisplayInterval=mscLpDS1ChanTestDisplayInterval, mscLpSdhSectSevErroredSec=mscLpSdhSectSevErroredSec, mscLpJT2TestCustomizedPattern=mscLpJT2TestCustomizedPattern, mscLpSonetLineAisSec=mscLpSonetLineAisSec, mscLpDS1Chan=mscLpDS1Chan, mscLpSdhPathCellStatsEntry=mscLpSdhPathCellStatsEntry, mscLpDS1ChanTestSetupEntry=mscLpDS1ChanTestSetupEntry, mscLpSdhVendor=mscLpSdhVendor, mscLpDS1ChanCellOperEntry=mscLpDS1ChanCellOperEntry, mscLpE3TestRowStatusTable=mscLpE3TestRowStatusTable, mscLpSdhTestCustomizedPattern=mscLpSdhTestCustomizedPattern, mscLpJT2TestComponentName=mscLpJT2TestComponentName, mscLpE1Audio=mscLpE1Audio, mscLpX21EnableDynamicSpeed=mscLpX21EnableDynamicSpeed, mscLpDS3TestIndex=mscLpDS3TestIndex, mscLpDS1TestStateTable=mscLpDS1TestStateTable, mscLpLocalMsgBlockCapacity=mscLpLocalMsgBlockCapacity, mscLpHssiCidDataEntry=mscLpHssiCidDataEntry, mscLpSonetPathSnmpOperStatus=mscLpSonetPathSnmpOperStatus, mscLpV35RowStatusEntry=mscLpV35RowStatusEntry, mscLpDS3DS1CommentText=mscLpDS3DS1CommentText, mscLpE1AudioRowStatusTable=mscLpE1AudioRowStatusTable, mscLpHssiTestSetupEntry=mscLpHssiTestSetupEntry, mscLpDS3DS1TestStorageType=mscLpDS3DS1TestStorageType, mscLpE1ChanIndex=mscLpE1ChanIndex, mscLpDS3DS1ChanCellUncorrectableHecErrors=mscLpDS3DS1ChanCellUncorrectableHecErrors, mscLpDS1ChanTcSigTwoIndex=mscLpDS1ChanTcSigTwoIndex, mscLpDS3DS1StatsEntry=mscLpDS3DS1StatsEntry, mscLpSdhLineErroredSec=mscLpSdhLineErroredSec, mscLpHssiTestFrmSize=mscLpHssiTestFrmSize, mscLpDS3TestStorageType=mscLpDS3TestStorageType, mscLpDS1TestRowStatus=mscLpDS1TestRowStatus, mscLpDS3DS1ChanCellRowStatusTable=mscLpDS3DS1ChanCellRowStatusTable, mscLpDS3DS1ChanTestStateTable=mscLpDS3DS1ChanTestStateTable, mscLpHssiOperEntry=mscLpHssiOperEntry, mscLpSdhTestStorageType=mscLpSdhTestStorageType, mscLpE3AvailabilityStatus=mscLpE3AvailabilityStatus, mscLpV35TestStorageType=mscLpV35TestStorageType, mscLpV35IfEntryEntry=mscLpV35IfEntryEntry, mscLpSonetRowStatus=mscLpSonetRowStatus, mscLpSdhPathStorageType=mscLpSdhPathStorageType, mscLpE1ChanFlmFlmStatus=mscLpE1ChanFlmFlmStatus, mscLpE1SlipErrors=mscLpE1SlipErrors, mscLpDS3DS1ChanTcIndex=mscLpDS3DS1ChanTcIndex, mscLpDS3CBitCbitErroredSec=mscLpDS3CBitCbitErroredSec, mscLpDS3DS1ChanTimeslots=mscLpDS3DS1ChanTimeslots, mscLpE1TestTimeRemaining=mscLpE1TestTimeRemaining)
mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-LogicalProcessorMIB", mscLpDS1ChanComponentName=mscLpDS1ChanComponentName, mscLpSdhSnmpOperStatus=mscLpSdhSnmpOperStatus, mscLpV35RowStatus=mscLpV35RowStatus, mscLpDS3Plcp=mscLpDS3Plcp, mscLpSonetTestBitsRx=mscLpSonetTestBitsRx, mscLpSonetPathCellTransmitCellUtilization=mscLpSonetPathCellTransmitCellUtilization, mscLpJT2CellProvTable=mscLpJT2CellProvTable, mscLpSonetPathPathErrorFreeSec=mscLpSonetPathPathErrorFreeSec, mscLpE1ChanTcIndex=mscLpE1ChanTcIndex, mscLpSdhStateEntry=mscLpSdhStateEntry, mscLpHssiReadyLineState=mscLpHssiReadyLineState, mscLpHssiTestTimeRemaining=mscLpHssiTestTimeRemaining, mscLpSonetIfAdminStatus=mscLpSonetIfAdminStatus, mscLpE1ChanTestAdminState=mscLpE1ChanTestAdminState, mscLpDS3DS1ChanTestElapsedTime=mscLpDS3DS1ChanTestElapsedTime, mscLpV35CidDataTable=mscLpV35CidDataTable, mscLpSdhPathStandbyStatus=mscLpSdhPathStandbyStatus, mscLpStateTable=mscLpStateTable, mscLpE3G832OperationalEntry=mscLpE3G832OperationalEntry, mscLpDS3DS1ChanCellProvEntry=mscLpDS3DS1ChanCellProvEntry, mscLpUtilTable=mscLpUtilTable, mscLpDS1TestComponentName=mscLpDS1TestComponentName, mscLpSdhPathAvailabilityStatus=mscLpSdhPathAvailabilityStatus, mscLpMemoryUsageAvgIndex=mscLpMemoryUsageAvgIndex, mscLpE1TestRowStatusEntry=mscLpE1TestRowStatusEntry, mscLpSdhTestBitErrorRate=mscLpSdhTestBitErrorRate, mscLpDS1BpvErrors=mscLpDS1BpvErrors, mscLpSdhTxRdi=mscLpSdhTxRdi, mscLpSdhPathRowStatus=mscLpSdhPathRowStatus, mscLpSdhTestResultsTable=mscLpSdhTestResultsTable, mscLpDS1ChanTestBitsRx=mscLpDS1ChanTestBitsRx, mscLpE3LinkAlarmScanInterval=mscLpE3LinkAlarmScanInterval, mscLpE1ChanTestStateTable=mscLpE1ChanTestStateTable, mscLpE1ChanTestResultsEntry=mscLpE1ChanTestResultsEntry, mscLpE1ChanFlm=mscLpE1ChanFlm, mscLpDS3CellLcdAlarm=mscLpDS3CellLcdAlarm, mscLpDS3TestFrmRx=mscLpDS3TestFrmRx, mscLpE1ErrorFreeSec=mscLpE1ErrorFreeSec, mscLpE3LineLosSec=mscLpE3LineLosSec, mscLpSonetTestBytesTx=mscLpSonetTestBytesTx, mscLpE1TestSetupTable=mscLpE1TestSetupTable, mscLpCapTable=mscLpCapTable, mscLpDS1AdminInfoTable=mscLpDS1AdminInfoTable, mscLpV35ProvEntry=mscLpV35ProvEntry, mscLpDS1TestDuration=mscLpDS1TestDuration, mscLpDS3DS1StateTable=mscLpDS3DS1StateTable, mscLpSonetFarEndLineUnavailSec=mscLpSonetFarEndLineUnavailSec, mscLpSdhPath=mscLpSdhPath, mscLpJT2BpvErrors=mscLpJT2BpvErrors, mscLpDS3CellRowStatusTable=mscLpDS3CellRowStatusTable, mscLpDS3DS1ChanTcRowStatusEntry=mscLpDS3DS1ChanTcRowStatusEntry, mscLpDS3TestCauseOfTermination=mscLpDS3TestCauseOfTermination, mscLpE1ChanTestType=mscLpE1ChanTestType, mscLpSdhFarEndLineErrorFreeSec=mscLpSdhFarEndLineErrorFreeSec, mscLpE3PlcpStatsEntry=mscLpE3PlcpStatsEntry, mscLpDS3TestFrmSize=mscLpDS3TestFrmSize, mscLpSonetTestUsageState=mscLpSonetTestUsageState, mscLpHssiCommentText=mscLpHssiCommentText, mscLpHssiRowStatus=mscLpHssiRowStatus, mscLpE1ChanTestRowStatusEntry=mscLpE1ChanTestRowStatusEntry, mscLpJT2Test=mscLpJT2Test, mscLpHssiStandbyStatus=mscLpHssiStandbyStatus, mscLpDS3DS1ChanTcSigTwoTable=mscLpDS3DS1ChanTcSigTwoTable, mscLpE1ChanTcIngressConditioning=mscLpE1ChanTcIngressConditioning, mscLpSonetStateTable=mscLpSonetStateTable, mscLpSonetPathSignalLabelMismatch=mscLpSonetPathSignalLabelMismatch, mscLpDS3PlcpStatsEntry=mscLpDS3PlcpStatsEntry, mscLpE1ErroredSec=mscLpE1ErroredSec, mscLpCapEntry=mscLpCapEntry, mscLpSdhIfAdminStatus=mscLpSdhIfAdminStatus, mscLpHssiIfAdminStatus=mscLpHssiIfAdminStatus, mscLpE1TestElapsedTime=mscLpE1TestElapsedTime, mscLpDS1Index=mscLpDS1Index, mscLpSdhAdminState=mscLpSdhAdminState, mscLpSdhErrorFreeSec=mscLpSdhErrorFreeSec, mscLpE1ChanTcEgressConditioning=mscLpE1ChanTcEgressConditioning, mscLpE3G832FarEndSefAisSec=mscLpE3G832FarEndSefAisSec, mscLpSonetStandbyStatus=mscLpSonetStandbyStatus, mscLpDS1ProvTable=mscLpDS1ProvTable, mscLpEngDsIndex=mscLpEngDsIndex, mscLpX21AdminState=mscLpX21AdminState, mscLpSdhTestUsageState=mscLpSdhTestUsageState, mscLpHssiTestSetupTable=mscLpHssiTestSetupTable, mscLpJT2OperStatusTable=mscLpJT2OperStatusTable, mscLpSdhPathPathSevErroredSec=mscLpSdhPathPathSevErroredSec, mscLpJT2TestBitErrorRate=mscLpJT2TestBitErrorRate, mscLpE1Index=mscLpE1Index)
| (object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, single_value_constraint, constraints_union, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection')
(gauge32, unsigned32, integer32, display_string, storage_type, row_status, row_pointer, counter32, interface_index) = mibBuilder.importSymbols('Nortel-MsCarrier-MscPassport-StandardTextualConventionsMIB', 'Gauge32', 'Unsigned32', 'Integer32', 'DisplayString', 'StorageType', 'RowStatus', 'RowPointer', 'Counter32', 'InterfaceIndex')
(link, enterprise_date_and_time, ascii_string, non_replicated, hex, passport_counter64) = mibBuilder.importSymbols('Nortel-MsCarrier-MscPassport-TextualConventionsMIB', 'Link', 'EnterpriseDateAndTime', 'AsciiString', 'NonReplicated', 'Hex', 'PassportCounter64')
(msc_passport_mi_bs, msc_components) = mibBuilder.importSymbols('Nortel-MsCarrier-MscPassport-UsefulDefinitionsMIB', 'mscPassportMIBs', 'mscComponents')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(notification_type, gauge32, integer32, bits, module_identity, object_identity, unsigned32, iso, ip_address, mib_identifier, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, counter32) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'Gauge32', 'Integer32', 'Bits', 'ModuleIdentity', 'ObjectIdentity', 'Unsigned32', 'iso', 'IpAddress', 'MibIdentifier', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'Counter32')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
logical_processor_mib = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11))
msc_lp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12))
msc_lp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1))
if mibBuilder.loadTexts:
mscLpRowStatusTable.setStatus('mandatory')
msc_lp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpRowStatusEntry.setStatus('mandatory')
msc_lp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpRowStatus.setStatus('mandatory')
msc_lp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpComponentName.setStatus('mandatory')
msc_lp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpStorageType.setStatus('mandatory')
msc_lp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 15)))
if mibBuilder.loadTexts:
mscLpIndex.setStatus('mandatory')
msc_lp_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100))
if mibBuilder.loadTexts:
mscLpProvTable.setStatus('mandatory')
msc_lp_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpProvEntry.setStatus('mandatory')
msc_lp_main_card = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1, 1), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpMainCard.setStatus('mandatory')
msc_lp_spare_card = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1, 2), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSpareCard.setStatus('mandatory')
msc_lp_logical_processor_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 100, 1, 3), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpLogicalProcessorType.setStatus('mandatory')
msc_lp_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 101))
if mibBuilder.loadTexts:
mscLpCidDataTable.setStatus('mandatory')
msc_lp_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 101, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpCidDataEntry.setStatus('mandatory')
msc_lp_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 101, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpCustomerIdentifier.setStatus('mandatory')
msc_lp_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102))
if mibBuilder.loadTexts:
mscLpStateTable.setStatus('mandatory')
msc_lp_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpStateEntry.setStatus('mandatory')
msc_lp_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpAdminState.setStatus('mandatory')
msc_lp_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpOperationalState.setStatus('mandatory')
msc_lp_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpUsageState.setStatus('mandatory')
msc_lp_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpAvailabilityStatus.setStatus('mandatory')
msc_lp_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpProceduralStatus.setStatus('mandatory')
msc_lp_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpControlStatus.setStatus('mandatory')
msc_lp_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpAlarmStatus.setStatus('mandatory')
msc_lp_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpStandbyStatus.setStatus('mandatory')
msc_lp_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 102, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpUnknownStatus.setStatus('mandatory')
msc_lp_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103))
if mibBuilder.loadTexts:
mscLpOperTable.setStatus('mandatory')
msc_lp_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpOperEntry.setStatus('mandatory')
msc_lp_active_card = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 1), row_pointer()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpActiveCard.setStatus('mandatory')
msc_lp_main_card_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 3, 4))).clone(namedValues=named_values(('notProvisioned', 0), ('notAvailable', 1), ('available', 3), ('active', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMainCardStatus.setStatus('mandatory')
msc_lp_spare_card_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('notProvisioned', 0), ('notAvailable', 1), ('alreadyInUse', 2), ('available', 3), ('active', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSpareCardStatus.setStatus('mandatory')
msc_lp_restart_on_cp_switch = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpRestartOnCpSwitch.setStatus('mandatory')
msc_lp_scheduled_switchover = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 103, 1, 5), enterprise_date_and_time().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(16, 16)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpScheduledSwitchover.setStatus('mandatory')
msc_lp_util_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104))
if mibBuilder.loadTexts:
mscLpUtilTable.setStatus('mandatory')
msc_lp_util_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpUtilEntry.setStatus('mandatory')
msc_lp_time_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpTimeInterval.setStatus('mandatory')
msc_lp_cpu_util = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 2), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpCpuUtil.setStatus('mandatory')
msc_lp_cpu_util_avg = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpCpuUtilAvg.setStatus('mandatory')
msc_lp_cpu_util_avg_min = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpCpuUtilAvgMin.setStatus('mandatory')
msc_lp_cpu_util_avg_max = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 5), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpCpuUtilAvgMax.setStatus('mandatory')
msc_lp_msg_block_usage = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 6), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMsgBlockUsage.setStatus('mandatory')
msc_lp_msg_block_usage_avg = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 7), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMsgBlockUsageAvg.setStatus('mandatory')
msc_lp_msg_block_usage_avg_min = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 8), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMsgBlockUsageAvgMin.setStatus('mandatory')
msc_lp_msg_block_usage_avg_max = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 9), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMsgBlockUsageAvgMax.setStatus('mandatory')
msc_lp_local_msg_block_usage = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 10), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpLocalMsgBlockUsage.setStatus('mandatory')
msc_lp_local_msg_block_usage_avg = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 11), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpLocalMsgBlockUsageAvg.setStatus('mandatory')
msc_lp_local_msg_block_usage_min = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 12), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpLocalMsgBlockUsageMin.setStatus('mandatory')
msc_lp_local_msg_block_usage_max = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 104, 1, 13), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpLocalMsgBlockUsageMax.setStatus('mandatory')
msc_lp_cap_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105))
if mibBuilder.loadTexts:
mscLpCapTable.setStatus('mandatory')
msc_lp_cap_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'))
if mibBuilder.loadTexts:
mscLpCapEntry.setStatus('mandatory')
msc_lp_msg_block_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMsgBlockCapacity.setStatus('mandatory')
msc_lp_local_msg_block_capacity = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 105, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpLocalMsgBlockCapacity.setStatus('mandatory')
msc_lp_link_to_applications_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 242))
if mibBuilder.loadTexts:
mscLpLinkToApplicationsTable.setStatus('mandatory')
msc_lp_link_to_applications_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 242, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpLinkToApplicationsValue'))
if mibBuilder.loadTexts:
mscLpLinkToApplicationsEntry.setStatus('mandatory')
msc_lp_link_to_applications_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 242, 1, 1), link()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpLinkToApplicationsValue.setStatus('mandatory')
msc_lp_memory_capacity_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244))
if mibBuilder.loadTexts:
mscLpMemoryCapacityTable.setStatus('mandatory')
msc_lp_memory_capacity_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpMemoryCapacityIndex'))
if mibBuilder.loadTexts:
mscLpMemoryCapacityEntry.setStatus('mandatory')
msc_lp_memory_capacity_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fastRam', 0), ('normalRam', 1), ('sharedRam', 2))))
if mibBuilder.loadTexts:
mscLpMemoryCapacityIndex.setStatus('mandatory')
msc_lp_memory_capacity_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 244, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMemoryCapacityValue.setStatus('mandatory')
msc_lp_memory_usage_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245))
if mibBuilder.loadTexts:
mscLpMemoryUsageTable.setStatus('mandatory')
msc_lp_memory_usage_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpMemoryUsageIndex'))
if mibBuilder.loadTexts:
mscLpMemoryUsageEntry.setStatus('mandatory')
msc_lp_memory_usage_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fastRam', 0), ('normalRam', 1), ('sharedRam', 2))))
if mibBuilder.loadTexts:
mscLpMemoryUsageIndex.setStatus('mandatory')
msc_lp_memory_usage_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 245, 1, 2), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMemoryUsageValue.setStatus('mandatory')
msc_lp_memory_usage_avg_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgTable.setStatus('mandatory')
msc_lp_memory_usage_avg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpMemoryUsageAvgIndex'))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgEntry.setStatus('mandatory')
msc_lp_memory_usage_avg_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fastRam', 0), ('normalRam', 1), ('sharedRam', 2))))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgIndex.setStatus('mandatory')
msc_lp_memory_usage_avg_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 276, 1, 2), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgValue.setStatus('mandatory')
msc_lp_memory_usage_avg_min_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMinTable.setStatus('mandatory')
msc_lp_memory_usage_avg_min_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpMemoryUsageAvgMinIndex'))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMinEntry.setStatus('mandatory')
msc_lp_memory_usage_avg_min_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fastRam', 0), ('normalRam', 1), ('sharedRam', 2))))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMinIndex.setStatus('mandatory')
msc_lp_memory_usage_avg_min_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 277, 1, 2), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMinValue.setStatus('mandatory')
msc_lp_memory_usage_avg_max_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMaxTable.setStatus('mandatory')
msc_lp_memory_usage_avg_max_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpMemoryUsageAvgMaxIndex'))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMaxEntry.setStatus('mandatory')
msc_lp_memory_usage_avg_max_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fastRam', 0), ('normalRam', 1), ('sharedRam', 2))))
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMaxIndex.setStatus('mandatory')
msc_lp_memory_usage_avg_max_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 278, 1, 2), gauge32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpMemoryUsageAvgMaxValue.setStatus('mandatory')
msc_lp_ds3 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5))
msc_lp_ds3_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1))
if mibBuilder.loadTexts:
mscLpDS3RowStatusTable.setStatus('mandatory')
msc_lp_ds3_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3RowStatusEntry.setStatus('mandatory')
msc_lp_ds3_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3RowStatus.setStatus('mandatory')
msc_lp_ds3_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3ComponentName.setStatus('mandatory')
msc_lp_ds3_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3StorageType.setStatus('mandatory')
msc_lp_ds3_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 11)))
if mibBuilder.loadTexts:
mscLpDS3Index.setStatus('mandatory')
msc_lp_ds3_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10))
if mibBuilder.loadTexts:
mscLpDS3ProvTable.setStatus('mandatory')
msc_lp_ds3_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3ProvEntry.setStatus('mandatory')
msc_lp_ds3_cbit_parity = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('on')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CbitParity.setStatus('mandatory')
msc_lp_ds3_line_length = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 450)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3LineLength.setStatus('mandatory')
msc_lp_ds3_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 4))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2), ('otherPort', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3ClockingSource.setStatus('mandatory')
msc_lp_ds3_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 4), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3ApplicationFramerName.setStatus('mandatory')
msc_lp_ds3_mapping = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 10, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('direct', 0), ('plcp', 1))).clone('direct')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3Mapping.setStatus('mandatory')
msc_lp_ds3_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 11))
if mibBuilder.loadTexts:
mscLpDS3CidDataTable.setStatus('mandatory')
msc_lp_ds3_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3CidDataEntry.setStatus('mandatory')
msc_lp_ds3_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CustomerIdentifier.setStatus('mandatory')
msc_lp_ds3_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12))
if mibBuilder.loadTexts:
mscLpDS3AdminInfoTable.setStatus('mandatory')
msc_lp_ds3_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3AdminInfoEntry.setStatus('mandatory')
msc_lp_ds3_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3Vendor.setStatus('mandatory')
msc_lp_ds3_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CommentText.setStatus('mandatory')
msc_lp_ds3_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13))
if mibBuilder.loadTexts:
mscLpDS3IfEntryTable.setStatus('mandatory')
msc_lp_ds3_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3IfEntryEntry.setStatus('mandatory')
msc_lp_ds3_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3IfAdminStatus.setStatus('mandatory')
msc_lp_ds3_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3IfIndex.setStatus('mandatory')
msc_lp_ds3_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 14))
if mibBuilder.loadTexts:
mscLpDS3OperStatusTable.setStatus('mandatory')
msc_lp_ds3_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3OperStatusEntry.setStatus('mandatory')
msc_lp_ds3_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3SnmpOperStatus.setStatus('mandatory')
msc_lp_ds3_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15))
if mibBuilder.loadTexts:
mscLpDS3StateTable.setStatus('mandatory')
msc_lp_ds3_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3StateEntry.setStatus('mandatory')
msc_lp_ds3_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3AdminState.setStatus('mandatory')
msc_lp_ds3_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3OperationalState.setStatus('mandatory')
msc_lp_ds3_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3UsageState.setStatus('mandatory')
msc_lp_ds3_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3AvailabilityStatus.setStatus('mandatory')
msc_lp_ds3_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3ProceduralStatus.setStatus('mandatory')
msc_lp_ds3_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3ControlStatus.setStatus('mandatory')
msc_lp_ds3_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3AlarmStatus.setStatus('mandatory')
msc_lp_ds3_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3StandbyStatus.setStatus('mandatory')
msc_lp_ds3_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3UnknownStatus.setStatus('mandatory')
msc_lp_ds3_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16))
if mibBuilder.loadTexts:
mscLpDS3OperTable.setStatus('mandatory')
msc_lp_ds3_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3OperEntry.setStatus('mandatory')
msc_lp_ds3_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LosAlarm.setStatus('mandatory')
msc_lp_ds3_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LofAlarm.setStatus('mandatory')
msc_lp_ds3_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3RxAisAlarm.setStatus('mandatory')
msc_lp_ds3_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3RxRaiAlarm.setStatus('mandatory')
msc_lp_ds3_rx_idle = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3RxIdle.setStatus('mandatory')
msc_lp_ds3_tx_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TxAis.setStatus('mandatory')
msc_lp_ds3_tx_rai = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TxRai.setStatus('mandatory')
msc_lp_ds3_tx_idle = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 16, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TxIdle.setStatus('mandatory')
msc_lp_ds3_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17))
if mibBuilder.loadTexts:
mscLpDS3StatsTable.setStatus('mandatory')
msc_lp_ds3_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'))
if mibBuilder.loadTexts:
mscLpDS3StatsEntry.setStatus('mandatory')
msc_lp_ds3_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3RunningTime.setStatus('mandatory')
msc_lp_ds3_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3ErrorFreeSec.setStatus('mandatory')
msc_lp_ds3_line_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LineCodeViolations.setStatus('mandatory')
msc_lp_ds3_line_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LineErroredSec.setStatus('mandatory')
msc_lp_ds3_line_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LineSevErroredSec.setStatus('mandatory')
msc_lp_ds3_line_los_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LineLosSec.setStatus('mandatory')
msc_lp_ds3_line_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3LineFailures.setStatus('mandatory')
msc_lp_ds3_path_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PathCodeViolations.setStatus('mandatory')
msc_lp_ds3_path_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PathErroredSec.setStatus('mandatory')
msc_lp_ds3_path_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PathSevErroredSec.setStatus('mandatory')
msc_lp_ds3_path_sef_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PathSefAisSec.setStatus('mandatory')
msc_lp_ds3_path_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PathUnavailSec.setStatus('mandatory')
msc_lp_ds3_path_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 17, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PathFailures.setStatus('mandatory')
msc_lp_ds3_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2))
msc_lp_ds3_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1))
if mibBuilder.loadTexts:
mscLpDS3TestRowStatusTable.setStatus('mandatory')
msc_lp_ds3_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3TestRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestRowStatus.setStatus('mandatory')
msc_lp_ds3_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestComponentName.setStatus('mandatory')
msc_lp_ds3_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestStorageType.setStatus('mandatory')
msc_lp_ds3_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3TestIndex.setStatus('mandatory')
msc_lp_ds3_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10))
if mibBuilder.loadTexts:
mscLpDS3TestStateTable.setStatus('mandatory')
msc_lp_ds3_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3TestStateEntry.setStatus('mandatory')
msc_lp_ds3_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestAdminState.setStatus('mandatory')
msc_lp_ds3_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestOperationalState.setStatus('mandatory')
msc_lp_ds3_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestUsageState.setStatus('mandatory')
msc_lp_ds3_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11))
if mibBuilder.loadTexts:
mscLpDS3TestSetupTable.setStatus('mandatory')
msc_lp_ds3_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3TestSetupEntry.setStatus('mandatory')
msc_lp_ds3_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestPurpose.setStatus('mandatory')
msc_lp_ds3_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestType.setStatus('mandatory')
msc_lp_ds3_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestFrmSize.setStatus('mandatory')
msc_lp_ds3_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestFrmPatternType.setStatus('mandatory')
msc_lp_ds3_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestCustomizedPattern.setStatus('mandatory')
msc_lp_ds3_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestDataStartDelay.setStatus('mandatory')
msc_lp_ds3_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestDisplayInterval.setStatus('mandatory')
msc_lp_ds3_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3TestDuration.setStatus('mandatory')
msc_lp_ds3_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12))
if mibBuilder.loadTexts:
mscLpDS3TestResultsTable.setStatus('mandatory')
msc_lp_ds3_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3TestResultsEntry.setStatus('mandatory')
msc_lp_ds3_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestElapsedTime.setStatus('mandatory')
msc_lp_ds3_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestTimeRemaining.setStatus('mandatory')
msc_lp_ds3_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestCauseOfTermination.setStatus('mandatory')
msc_lp_ds3_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestBitsTx.setStatus('mandatory')
msc_lp_ds3_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestBytesTx.setStatus('mandatory')
msc_lp_ds3_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestFrmTx.setStatus('mandatory')
msc_lp_ds3_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestBitsRx.setStatus('mandatory')
msc_lp_ds3_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestBytesRx.setStatus('mandatory')
msc_lp_ds3_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestFrmRx.setStatus('mandatory')
msc_lp_ds3_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestErroredFrmRx.setStatus('mandatory')
msc_lp_ds3_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3TestBitErrorRate.setStatus('mandatory')
msc_lp_ds3_c_bit = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3))
msc_lp_ds3_c_bit_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1))
if mibBuilder.loadTexts:
mscLpDS3CBitRowStatusTable.setStatus('mandatory')
msc_lp_ds3_c_bit_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CBitIndex'))
if mibBuilder.loadTexts:
mscLpDS3CBitRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_c_bit_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitRowStatus.setStatus('mandatory')
msc_lp_ds3_c_bit_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitComponentName.setStatus('mandatory')
msc_lp_ds3_c_bit_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitStorageType.setStatus('mandatory')
msc_lp_ds3_c_bit_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3CBitIndex.setStatus('mandatory')
msc_lp_ds3_c_bit_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10))
if mibBuilder.loadTexts:
mscLpDS3CBitOperationalTable.setStatus('mandatory')
msc_lp_ds3_c_bit_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CBitIndex'))
if mibBuilder.loadTexts:
mscLpDS3CBitOperationalEntry.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('equipmentFailure', 0), ('los', 1), ('sef', 2), ('ais', 3), ('idle', 4), ('none', 5))).clone('none')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndAlarm.setStatus('mandatory')
msc_lp_ds3_c_bit_loopedback_to_far_end = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitLoopedbackToFarEnd.setStatus('mandatory')
msc_lp_ds3_c_bit_loopback_at_far_end_requested = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 10, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitLoopbackAtFarEndRequested.setStatus('mandatory')
msc_lp_ds3_c_bit_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11))
if mibBuilder.loadTexts:
mscLpDS3CBitStatsTable.setStatus('mandatory')
msc_lp_ds3_c_bit_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CBitIndex'))
if mibBuilder.loadTexts:
mscLpDS3CBitStatsEntry.setStatus('mandatory')
msc_lp_ds3_c_bit_cbit_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitCbitErrorFreeSec.setStatus('mandatory')
msc_lp_ds3_c_bit_cbit_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitCbitCodeViolations.setStatus('mandatory')
msc_lp_ds3_c_bit_cbit_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitCbitErroredSec.setStatus('mandatory')
msc_lp_ds3_c_bit_cbit_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitCbitSevErroredSec.setStatus('mandatory')
msc_lp_ds3_c_bit_cbit_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitCbitUnavailSec.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndErrorFreeSec.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndCodeViolations.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndErroredSec.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndSevErroredSec.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_sef_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndSefAisSec.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndUnavailSec.setStatus('mandatory')
msc_lp_ds3_c_bit_far_end_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 3, 11, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CBitFarEndFailures.setStatus('mandatory')
msc_lp_ds3_plcp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4))
msc_lp_ds3_plcp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1))
if mibBuilder.loadTexts:
mscLpDS3PlcpRowStatusTable.setStatus('mandatory')
msc_lp_ds3_plcp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3PlcpIndex'))
if mibBuilder.loadTexts:
mscLpDS3PlcpRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_plcp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpRowStatus.setStatus('mandatory')
msc_lp_ds3_plcp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpComponentName.setStatus('mandatory')
msc_lp_ds3_plcp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpStorageType.setStatus('mandatory')
msc_lp_ds3_plcp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3PlcpIndex.setStatus('mandatory')
msc_lp_ds3_plcp_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10))
if mibBuilder.loadTexts:
mscLpDS3PlcpOperationalTable.setStatus('mandatory')
msc_lp_ds3_plcp_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3PlcpIndex'))
if mibBuilder.loadTexts:
mscLpDS3PlcpOperationalEntry.setStatus('mandatory')
msc_lp_ds3_plcp_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpLofAlarm.setStatus('mandatory')
msc_lp_ds3_plcp_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpRxRaiAlarm.setStatus('mandatory')
msc_lp_ds3_plcp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11))
if mibBuilder.loadTexts:
mscLpDS3PlcpStatsTable.setStatus('mandatory')
msc_lp_ds3_plcp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3PlcpIndex'))
if mibBuilder.loadTexts:
mscLpDS3PlcpStatsEntry.setStatus('mandatory')
msc_lp_ds3_plcp_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpErrorFreeSec.setStatus('mandatory')
msc_lp_ds3_plcp_coding_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpCodingViolations.setStatus('mandatory')
msc_lp_ds3_plcp_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpErroredSec.setStatus('mandatory')
msc_lp_ds3_plcp_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpSevErroredSec.setStatus('mandatory')
msc_lp_ds3_plcp_sev_errored_framing_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpSevErroredFramingSec.setStatus('mandatory')
msc_lp_ds3_plcp_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpUnavailSec.setStatus('mandatory')
msc_lp_ds3_plcp_far_end_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpFarEndErrorFreeSec.setStatus('mandatory')
msc_lp_ds3_plcp_far_end_coding_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpFarEndCodingViolations.setStatus('mandatory')
msc_lp_ds3_plcp_far_end_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpFarEndErroredSec.setStatus('mandatory')
msc_lp_ds3_plcp_far_end_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpFarEndSevErroredSec.setStatus('mandatory')
msc_lp_ds3_plcp_far_end_unavailable_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 4, 11, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3PlcpFarEndUnavailableSec.setStatus('mandatory')
msc_lp_ds3_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5))
msc_lp_ds3_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1))
if mibBuilder.loadTexts:
mscLpDS3CellRowStatusTable.setStatus('mandatory')
msc_lp_ds3_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CellIndex'))
if mibBuilder.loadTexts:
mscLpDS3CellRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CellRowStatus.setStatus('mandatory')
msc_lp_ds3_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellComponentName.setStatus('mandatory')
msc_lp_ds3_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellStorageType.setStatus('mandatory')
msc_lp_ds3_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3CellIndex.setStatus('mandatory')
msc_lp_ds3_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10))
if mibBuilder.loadTexts:
mscLpDS3CellProvTable.setStatus('mandatory')
msc_lp_ds3_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CellIndex'))
if mibBuilder.loadTexts:
mscLpDS3CellProvEntry.setStatus('mandatory')
msc_lp_ds3_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CellAlarmActDelay.setStatus('mandatory')
msc_lp_ds3_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CellScrambleCellPayload.setStatus('mandatory')
msc_lp_ds3_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3CellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_ds3_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 11))
if mibBuilder.loadTexts:
mscLpDS3CellOperTable.setStatus('mandatory')
msc_lp_ds3_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CellIndex'))
if mibBuilder.loadTexts:
mscLpDS3CellOperEntry.setStatus('mandatory')
msc_lp_ds3_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellLcdAlarm.setStatus('mandatory')
msc_lp_ds3_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12))
if mibBuilder.loadTexts:
mscLpDS3CellStatsTable.setStatus('mandatory')
msc_lp_ds3_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3CellIndex'))
if mibBuilder.loadTexts:
mscLpDS3CellStatsEntry.setStatus('mandatory')
msc_lp_ds3_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_ds3_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellSevErroredSec.setStatus('mandatory')
msc_lp_ds3_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellReceiveCellUtilization.setStatus('mandatory')
msc_lp_ds3_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellTransmitCellUtilization.setStatus('mandatory')
msc_lp_ds3_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 5, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3CellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_ds3_ds1 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6))
msc_lp_ds3_ds1_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1))
if mibBuilder.loadTexts:
mscLpDS3DS1RowStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1RowStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1RowStatus.setStatus('mandatory')
msc_lp_ds3_ds1_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ComponentName.setStatus('mandatory')
msc_lp_ds3_ds1_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1StorageType.setStatus('mandatory')
msc_lp_ds3_ds1_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 28)))
if mibBuilder.loadTexts:
mscLpDS3DS1Index.setStatus('mandatory')
msc_lp_ds3_ds1_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10))
if mibBuilder.loadTexts:
mscLpDS3DS1ProvTable.setStatus('mandatory')
msc_lp_ds3_ds1_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1ProvEntry.setStatus('mandatory')
msc_lp_ds3_ds1_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 4, 5))).clone(namedValues=named_values(('d4', 0), ('esf', 1), ('d4Cas', 4), ('esfCas', 5))).clone('esf')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1LineType.setStatus('mandatory')
msc_lp_ds3_ds1_zero_coding = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 3))).clone(namedValues=named_values(('bit7Stuffing', 0), ('none', 3))).clone('none')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ZeroCoding.setStatus('mandatory')
msc_lp_ds3_ds1_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ClockingSource.setStatus('mandatory')
msc_lp_ds3_ds1_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 11))
if mibBuilder.loadTexts:
mscLpDS3DS1CidDataTable.setStatus('mandatory')
msc_lp_ds3_ds1_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1CidDataEntry.setStatus('mandatory')
msc_lp_ds3_ds1_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1CustomerIdentifier.setStatus('mandatory')
msc_lp_ds3_ds1_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12))
if mibBuilder.loadTexts:
mscLpDS3DS1AdminInfoTable.setStatus('mandatory')
msc_lp_ds3_ds1_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1AdminInfoEntry.setStatus('mandatory')
msc_lp_ds3_ds1_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1Vendor.setStatus('mandatory')
msc_lp_ds3_ds1_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1CommentText.setStatus('mandatory')
msc_lp_ds3_ds1_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13))
if mibBuilder.loadTexts:
mscLpDS3DS1IfEntryTable.setStatus('mandatory')
msc_lp_ds3_ds1_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1IfEntryEntry.setStatus('mandatory')
msc_lp_ds3_ds1_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1IfAdminStatus.setStatus('mandatory')
msc_lp_ds3_ds1_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1IfIndex.setStatus('mandatory')
msc_lp_ds3_ds1_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 14))
if mibBuilder.loadTexts:
mscLpDS3DS1OperStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1OperStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1SnmpOperStatus.setStatus('mandatory')
msc_lp_ds3_ds1_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15))
if mibBuilder.loadTexts:
mscLpDS3DS1StateTable.setStatus('mandatory')
msc_lp_ds3_ds1_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1StateEntry.setStatus('mandatory')
msc_lp_ds3_ds1_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1AdminState.setStatus('mandatory')
msc_lp_ds3_ds1_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1OperationalState.setStatus('mandatory')
msc_lp_ds3_ds1_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1UsageState.setStatus('mandatory')
msc_lp_ds3_ds1_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1AvailabilityStatus.setStatus('mandatory')
msc_lp_ds3_ds1_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ProceduralStatus.setStatus('mandatory')
msc_lp_ds3_ds1_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ControlStatus.setStatus('mandatory')
msc_lp_ds3_ds1_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1AlarmStatus.setStatus('mandatory')
msc_lp_ds3_ds1_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1StandbyStatus.setStatus('mandatory')
msc_lp_ds3_ds1_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1UnknownStatus.setStatus('mandatory')
msc_lp_ds3_ds1_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16))
if mibBuilder.loadTexts:
mscLpDS3DS1OperTable.setStatus('mandatory')
msc_lp_ds3_ds1_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1OperEntry.setStatus('mandatory')
msc_lp_ds3_ds1_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1RxAisAlarm.setStatus('mandatory')
msc_lp_ds3_ds1_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1LofAlarm.setStatus('mandatory')
msc_lp_ds3_ds1_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1RxRaiAlarm.setStatus('mandatory')
msc_lp_ds3_ds1_tx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TxAisAlarm.setStatus('mandatory')
msc_lp_ds3_ds1_tx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TxRaiAlarm.setStatus('mandatory')
msc_lp_ds3_ds1_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17))
if mibBuilder.loadTexts:
mscLpDS3DS1StatsTable.setStatus('mandatory')
msc_lp_ds3_ds1_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'))
if mibBuilder.loadTexts:
mscLpDS3DS1StatsEntry.setStatus('mandatory')
msc_lp_ds3_ds1_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1RunningTime.setStatus('mandatory')
msc_lp_ds3_ds1_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ErrorFreeSec.setStatus('mandatory')
msc_lp_ds3_ds1_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ErroredSec.setStatus('mandatory')
msc_lp_ds3_ds1_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1SevErroredSec.setStatus('mandatory')
msc_lp_ds3_ds1_sev_errored_frm_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1SevErroredFrmSec.setStatus('mandatory')
msc_lp_ds3_ds1_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1UnavailSec.setStatus('mandatory')
msc_lp_ds3_ds1_crc_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1CrcErrors.setStatus('mandatory')
msc_lp_ds3_ds1_frm_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1FrmErrors.setStatus('mandatory')
msc_lp_ds3_ds1_slip_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 17, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1SlipErrors.setStatus('mandatory')
msc_lp_ds3_ds1_chan = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2))
msc_lp_ds3_ds1_chan_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanRowStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanRowStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanComponentName.setStatus('mandatory')
msc_lp_ds3_ds1_chan_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanStorageType.setStatus('mandatory')
msc_lp_ds3_ds1_chan_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 0)))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanProvTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanProvEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_timeslots = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTimeslots.setStatus('mandatory')
msc_lp_ds3_ds1_chan_timeslot_data_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('n56k', 0), ('doNotOverride', 1))).clone('doNotOverride')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTimeslotDataRate.setStatus('mandatory')
msc_lp_ds3_ds1_chan_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 10, 1, 3), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanApplicationFramerName.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 11))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCidDataTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCidDataEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCustomerIdentifier.setStatus('mandatory')
msc_lp_ds3_ds1_chan_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanIfEntryTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanIfEntryEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanIfAdminStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 12, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanIfIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 13))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanOperStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanOperStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanSnmpOperStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanStateTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanStateEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanAdminState.setStatus('mandatory')
msc_lp_ds3_ds1_chan_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanOperationalState.setStatus('mandatory')
msc_lp_ds3_ds1_chan_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanUsageState.setStatus('mandatory')
msc_lp_ds3_ds1_chan_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanAvailabilityStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanProceduralStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanControlStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanAlarmStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanStandbyStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 14, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanUnknownStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 15))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanOperTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanOperEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_actual_channel_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 15, 1, 1), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanActualChannelSpeed.setStatus('mandatory')
msc_lp_ds3_ds1_chan_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanAdminInfoTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanAdminInfoEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanVendor.setStatus('mandatory')
msc_lp_ds3_ds1_chan_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 16, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCommentText.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2))
msc_lp_ds3_ds1_chan_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestRowStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestRowStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestComponentName.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestStorageType.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestStateTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestStateEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestAdminState.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestOperationalState.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestUsageState.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestSetupTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestSetupEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestPurpose.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestType.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestFrmSize.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestFrmPatternType.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestCustomizedPattern.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestDataStartDelay.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestDisplayInterval.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestDuration.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestResultsTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestResultsEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestElapsedTime.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestTimeRemaining.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestCauseOfTermination.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestBitsTx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestBytesTx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestFrmTx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestBitsRx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestBytesRx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestFrmRx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestErroredFrmRx.setStatus('mandatory')
msc_lp_ds3_ds1_chan_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTestBitErrorRate.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3))
msc_lp_ds3_ds1_chan_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellRowStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellRowStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellComponentName.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellStorageType.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellProvTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellProvEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellAlarmActDelay.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellScrambleCellPayload.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 11))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellOperTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellOperEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellLcdAlarm.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellStatsTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellStatsEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellSevErroredSec.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellReceiveCellUtilization.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellTransmitCellUtilization.setStatus('mandatory')
msc_lp_ds3_ds1_chan_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 3, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanCellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4))
msc_lp_ds3_ds1_chan_tc_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcRowStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcRowStatus.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcComponentName.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcStorageType.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcProvTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcProvEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_replacement_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10, 1, 1), hex().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcReplacementData.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_signal_one_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSignalOneDuration.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_op_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcOpTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_op_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcOpEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_ingress_conditioning = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcIngressConditioning.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_egress_conditioning = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcEgressConditioning.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_one_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigOneTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_one_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcSigOneIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigOneEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_one_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('d', 0), ('c', 1), ('b', 2), ('a', 3))))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigOneIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_one_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 398, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigOneValue.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_two_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigTwoTable.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_two_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1ChanTcSigTwoIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigTwoEntry.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_two_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('d', 0), ('c', 1), ('b', 2), ('a', 3))))
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigTwoIndex.setStatus('mandatory')
msc_lp_ds3_ds1_chan_tc_sig_two_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 2, 4, 399, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1ChanTcSigTwoValue.setStatus('mandatory')
msc_lp_ds3_ds1_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3))
msc_lp_ds3_ds1_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1))
if mibBuilder.loadTexts:
mscLpDS3DS1TestRowStatusTable.setStatus('mandatory')
msc_lp_ds3_ds1_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1TestRowStatusEntry.setStatus('mandatory')
msc_lp_ds3_ds1_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestRowStatus.setStatus('mandatory')
msc_lp_ds3_ds1_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestComponentName.setStatus('mandatory')
msc_lp_ds3_ds1_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestStorageType.setStatus('mandatory')
msc_lp_ds3_ds1_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS3DS1TestIndex.setStatus('mandatory')
msc_lp_ds3_ds1_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10))
if mibBuilder.loadTexts:
mscLpDS3DS1TestStateTable.setStatus('mandatory')
msc_lp_ds3_ds1_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1TestStateEntry.setStatus('mandatory')
msc_lp_ds3_ds1_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestAdminState.setStatus('mandatory')
msc_lp_ds3_ds1_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestOperationalState.setStatus('mandatory')
msc_lp_ds3_ds1_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestUsageState.setStatus('mandatory')
msc_lp_ds3_ds1_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11))
if mibBuilder.loadTexts:
mscLpDS3DS1TestSetupTable.setStatus('mandatory')
msc_lp_ds3_ds1_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1TestSetupEntry.setStatus('mandatory')
msc_lp_ds3_ds1_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestPurpose.setStatus('mandatory')
msc_lp_ds3_ds1_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestType.setStatus('mandatory')
msc_lp_ds3_ds1_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestFrmSize.setStatus('mandatory')
msc_lp_ds3_ds1_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestFrmPatternType.setStatus('mandatory')
msc_lp_ds3_ds1_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestCustomizedPattern.setStatus('mandatory')
msc_lp_ds3_ds1_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestDataStartDelay.setStatus('mandatory')
msc_lp_ds3_ds1_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestDisplayInterval.setStatus('mandatory')
msc_lp_ds3_ds1_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS3DS1TestDuration.setStatus('mandatory')
msc_lp_ds3_ds1_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12))
if mibBuilder.loadTexts:
mscLpDS3DS1TestResultsTable.setStatus('mandatory')
msc_lp_ds3_ds1_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS3DS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS3DS1TestResultsEntry.setStatus('mandatory')
msc_lp_ds3_ds1_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestElapsedTime.setStatus('mandatory')
msc_lp_ds3_ds1_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestTimeRemaining.setStatus('mandatory')
msc_lp_ds3_ds1_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestCauseOfTermination.setStatus('mandatory')
msc_lp_ds3_ds1_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestBitsTx.setStatus('mandatory')
msc_lp_ds3_ds1_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestBytesTx.setStatus('mandatory')
msc_lp_ds3_ds1_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestFrmTx.setStatus('mandatory')
msc_lp_ds3_ds1_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestBitsRx.setStatus('mandatory')
msc_lp_ds3_ds1_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestBytesRx.setStatus('mandatory')
msc_lp_ds3_ds1_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestFrmRx.setStatus('mandatory')
msc_lp_ds3_ds1_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestErroredFrmRx.setStatus('mandatory')
msc_lp_ds3_ds1_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 5, 6, 3, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS3DS1TestBitErrorRate.setStatus('mandatory')
msc_lp_e3 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6))
msc_lp_e3_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1))
if mibBuilder.loadTexts:
mscLpE3RowStatusTable.setStatus('mandatory')
msc_lp_e3_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3RowStatusEntry.setStatus('mandatory')
msc_lp_e3_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3RowStatus.setStatus('mandatory')
msc_lp_e3_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3ComponentName.setStatus('mandatory')
msc_lp_e3_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3StorageType.setStatus('mandatory')
msc_lp_e3_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 11)))
if mibBuilder.loadTexts:
mscLpE3Index.setStatus('mandatory')
msc_lp_e3_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10))
if mibBuilder.loadTexts:
mscLpE3ProvTable.setStatus('mandatory')
msc_lp_e3_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3ProvEntry.setStatus('mandatory')
msc_lp_e3_line_length = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 300)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3LineLength.setStatus('mandatory')
msc_lp_e3_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 4))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2), ('otherPort', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3ClockingSource.setStatus('mandatory')
msc_lp_e3_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 3), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3ApplicationFramerName.setStatus('mandatory')
msc_lp_e3_mapping = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('direct', 0), ('plcp', 1))).clone('direct')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3Mapping.setStatus('mandatory')
msc_lp_e3_framing = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('g751', 0), ('g832', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3Framing.setStatus('mandatory')
msc_lp_e3_link_alarm_activation_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(100, 2600)).clone(2200)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3LinkAlarmActivationThreshold.setStatus('mandatory')
msc_lp_e3_link_alarm_scan_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 10, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(50, 250)).clone(200)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3LinkAlarmScanInterval.setStatus('mandatory')
msc_lp_e3_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 11))
if mibBuilder.loadTexts:
mscLpE3CidDataTable.setStatus('mandatory')
msc_lp_e3_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3CidDataEntry.setStatus('mandatory')
msc_lp_e3_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3CustomerIdentifier.setStatus('mandatory')
msc_lp_e3_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12))
if mibBuilder.loadTexts:
mscLpE3AdminInfoTable.setStatus('mandatory')
msc_lp_e3_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3AdminInfoEntry.setStatus('mandatory')
msc_lp_e3_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3Vendor.setStatus('mandatory')
msc_lp_e3_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3CommentText.setStatus('mandatory')
msc_lp_e3_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13))
if mibBuilder.loadTexts:
mscLpE3IfEntryTable.setStatus('mandatory')
msc_lp_e3_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3IfEntryEntry.setStatus('mandatory')
msc_lp_e3_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3IfAdminStatus.setStatus('mandatory')
msc_lp_e3_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3IfIndex.setStatus('mandatory')
msc_lp_e3_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 14))
if mibBuilder.loadTexts:
mscLpE3OperStatusTable.setStatus('mandatory')
msc_lp_e3_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3OperStatusEntry.setStatus('mandatory')
msc_lp_e3_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3SnmpOperStatus.setStatus('mandatory')
msc_lp_e3_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15))
if mibBuilder.loadTexts:
mscLpE3StateTable.setStatus('mandatory')
msc_lp_e3_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3StateEntry.setStatus('mandatory')
msc_lp_e3_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3AdminState.setStatus('mandatory')
msc_lp_e3_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3OperationalState.setStatus('mandatory')
msc_lp_e3_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3UsageState.setStatus('mandatory')
msc_lp_e3_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3AvailabilityStatus.setStatus('mandatory')
msc_lp_e3_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3ProceduralStatus.setStatus('mandatory')
msc_lp_e3_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3ControlStatus.setStatus('mandatory')
msc_lp_e3_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3AlarmStatus.setStatus('mandatory')
msc_lp_e3_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3StandbyStatus.setStatus('mandatory')
msc_lp_e3_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3UnknownStatus.setStatus('mandatory')
msc_lp_e3_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16))
if mibBuilder.loadTexts:
mscLpE3OperTable.setStatus('mandatory')
msc_lp_e3_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3OperEntry.setStatus('mandatory')
msc_lp_e3_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LosAlarm.setStatus('mandatory')
msc_lp_e3_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LofAlarm.setStatus('mandatory')
msc_lp_e3_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3RxAisAlarm.setStatus('mandatory')
msc_lp_e3_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3RxRaiAlarm.setStatus('mandatory')
msc_lp_e3_tx_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TxAis.setStatus('mandatory')
msc_lp_e3_tx_rai = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TxRai.setStatus('mandatory')
msc_lp_e3_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17))
if mibBuilder.loadTexts:
mscLpE3StatsTable.setStatus('mandatory')
msc_lp_e3_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'))
if mibBuilder.loadTexts:
mscLpE3StatsEntry.setStatus('mandatory')
msc_lp_e3_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3RunningTime.setStatus('mandatory')
msc_lp_e3_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3ErrorFreeSec.setStatus('mandatory')
msc_lp_e3_line_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LineCodeViolations.setStatus('mandatory')
msc_lp_e3_line_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LineErroredSec.setStatus('mandatory')
msc_lp_e3_line_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LineSevErroredSec.setStatus('mandatory')
msc_lp_e3_line_los_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LineLosSec.setStatus('mandatory')
msc_lp_e3_line_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3LineFailures.setStatus('mandatory')
msc_lp_e3_path_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PathCodeViolations.setStatus('mandatory')
msc_lp_e3_path_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PathErroredSec.setStatus('mandatory')
msc_lp_e3_path_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PathSevErroredSec.setStatus('mandatory')
msc_lp_e3_path_sef_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PathSefAisSec.setStatus('mandatory')
msc_lp_e3_path_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PathUnavailSec.setStatus('mandatory')
msc_lp_e3_path_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 17, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PathFailures.setStatus('mandatory')
msc_lp_e3_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2))
msc_lp_e3_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1))
if mibBuilder.loadTexts:
mscLpE3TestRowStatusTable.setStatus('mandatory')
msc_lp_e3_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3TestIndex'))
if mibBuilder.loadTexts:
mscLpE3TestRowStatusEntry.setStatus('mandatory')
msc_lp_e3_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestRowStatus.setStatus('mandatory')
msc_lp_e3_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestComponentName.setStatus('mandatory')
msc_lp_e3_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestStorageType.setStatus('mandatory')
msc_lp_e3_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE3TestIndex.setStatus('mandatory')
msc_lp_e3_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10))
if mibBuilder.loadTexts:
mscLpE3TestStateTable.setStatus('mandatory')
msc_lp_e3_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3TestIndex'))
if mibBuilder.loadTexts:
mscLpE3TestStateEntry.setStatus('mandatory')
msc_lp_e3_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestAdminState.setStatus('mandatory')
msc_lp_e3_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestOperationalState.setStatus('mandatory')
msc_lp_e3_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestUsageState.setStatus('mandatory')
msc_lp_e3_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11))
if mibBuilder.loadTexts:
mscLpE3TestSetupTable.setStatus('mandatory')
msc_lp_e3_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3TestIndex'))
if mibBuilder.loadTexts:
mscLpE3TestSetupEntry.setStatus('mandatory')
msc_lp_e3_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestPurpose.setStatus('mandatory')
msc_lp_e3_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestType.setStatus('mandatory')
msc_lp_e3_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestFrmSize.setStatus('mandatory')
msc_lp_e3_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestFrmPatternType.setStatus('mandatory')
msc_lp_e3_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestCustomizedPattern.setStatus('mandatory')
msc_lp_e3_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestDataStartDelay.setStatus('mandatory')
msc_lp_e3_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestDisplayInterval.setStatus('mandatory')
msc_lp_e3_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3TestDuration.setStatus('mandatory')
msc_lp_e3_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12))
if mibBuilder.loadTexts:
mscLpE3TestResultsTable.setStatus('mandatory')
msc_lp_e3_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3TestIndex'))
if mibBuilder.loadTexts:
mscLpE3TestResultsEntry.setStatus('mandatory')
msc_lp_e3_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestElapsedTime.setStatus('mandatory')
msc_lp_e3_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestTimeRemaining.setStatus('mandatory')
msc_lp_e3_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestCauseOfTermination.setStatus('mandatory')
msc_lp_e3_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestBitsTx.setStatus('mandatory')
msc_lp_e3_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestBytesTx.setStatus('mandatory')
msc_lp_e3_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestFrmTx.setStatus('mandatory')
msc_lp_e3_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestBitsRx.setStatus('mandatory')
msc_lp_e3_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestBytesRx.setStatus('mandatory')
msc_lp_e3_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestFrmRx.setStatus('mandatory')
msc_lp_e3_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestErroredFrmRx.setStatus('mandatory')
msc_lp_e3_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3TestBitErrorRate.setStatus('mandatory')
msc_lp_e3_g832 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3))
msc_lp_e3_g832_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1))
if mibBuilder.loadTexts:
mscLpE3G832RowStatusTable.setStatus('mandatory')
msc_lp_e3_g832_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3G832Index'))
if mibBuilder.loadTexts:
mscLpE3G832RowStatusEntry.setStatus('mandatory')
msc_lp_e3_g832_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3G832RowStatus.setStatus('mandatory')
msc_lp_e3_g832_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832ComponentName.setStatus('mandatory')
msc_lp_e3_g832_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832StorageType.setStatus('mandatory')
msc_lp_e3_g832_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE3G832Index.setStatus('mandatory')
msc_lp_e3_g832_provisioned_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10))
if mibBuilder.loadTexts:
mscLpE3G832ProvisionedTable.setStatus('mandatory')
msc_lp_e3_g832_provisioned_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3G832Index'))
if mibBuilder.loadTexts:
mscLpE3G832ProvisionedEntry.setStatus('mandatory')
msc_lp_e3_g832_trail_trace_transmitted = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 15)).clone(hexValue='')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3G832TrailTraceTransmitted.setStatus('mandatory')
msc_lp_e3_g832_trail_trace_expected = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 10, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 15)).clone(hexValue='')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3G832TrailTraceExpected.setStatus('mandatory')
msc_lp_e3_g832_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11))
if mibBuilder.loadTexts:
mscLpE3G832OperationalTable.setStatus('mandatory')
msc_lp_e3_g832_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3G832Index'))
if mibBuilder.loadTexts:
mscLpE3G832OperationalEntry.setStatus('mandatory')
msc_lp_e3_g832_unexpected_payload_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832UnexpectedPayloadType.setStatus('mandatory')
msc_lp_e3_g832_trail_trace_mismatch = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832TrailTraceMismatch.setStatus('mandatory')
msc_lp_e3_g832_timing_marker = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('notTraceable', 0), ('traceable', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832TimingMarker.setStatus('mandatory')
msc_lp_e3_g832_trail_trace_received = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 11, 1, 4), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832TrailTraceReceived.setStatus('mandatory')
msc_lp_e3_g832_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12))
if mibBuilder.loadTexts:
mscLpE3G832StatsTable.setStatus('mandatory')
msc_lp_e3_g832_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3G832Index'))
if mibBuilder.loadTexts:
mscLpE3G832StatsEntry.setStatus('mandatory')
msc_lp_e3_g832_far_end_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832FarEndErrorFreeSec.setStatus('mandatory')
msc_lp_e3_g832_far_end_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832FarEndCodeViolations.setStatus('mandatory')
msc_lp_e3_g832_far_end_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832FarEndErroredSec.setStatus('mandatory')
msc_lp_e3_g832_far_end_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832FarEndSevErroredSec.setStatus('mandatory')
msc_lp_e3_g832_far_end_sef_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832FarEndSefAisSec.setStatus('mandatory')
msc_lp_e3_g832_far_end_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 3, 12, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3G832FarEndUnavailSec.setStatus('mandatory')
msc_lp_e3_plcp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4))
msc_lp_e3_plcp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1))
if mibBuilder.loadTexts:
mscLpE3PlcpRowStatusTable.setStatus('mandatory')
msc_lp_e3_plcp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3PlcpIndex'))
if mibBuilder.loadTexts:
mscLpE3PlcpRowStatusEntry.setStatus('mandatory')
msc_lp_e3_plcp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpRowStatus.setStatus('mandatory')
msc_lp_e3_plcp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpComponentName.setStatus('mandatory')
msc_lp_e3_plcp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpStorageType.setStatus('mandatory')
msc_lp_e3_plcp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE3PlcpIndex.setStatus('mandatory')
msc_lp_e3_plcp_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10))
if mibBuilder.loadTexts:
mscLpE3PlcpOperationalTable.setStatus('mandatory')
msc_lp_e3_plcp_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3PlcpIndex'))
if mibBuilder.loadTexts:
mscLpE3PlcpOperationalEntry.setStatus('mandatory')
msc_lp_e3_plcp_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpLofAlarm.setStatus('mandatory')
msc_lp_e3_plcp_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpRxRaiAlarm.setStatus('mandatory')
msc_lp_e3_plcp_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11))
if mibBuilder.loadTexts:
mscLpE3PlcpStatsTable.setStatus('mandatory')
msc_lp_e3_plcp_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3PlcpIndex'))
if mibBuilder.loadTexts:
mscLpE3PlcpStatsEntry.setStatus('mandatory')
msc_lp_e3_plcp_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpErrorFreeSec.setStatus('mandatory')
msc_lp_e3_plcp_coding_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpCodingViolations.setStatus('mandatory')
msc_lp_e3_plcp_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpErroredSec.setStatus('mandatory')
msc_lp_e3_plcp_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpSevErroredSec.setStatus('mandatory')
msc_lp_e3_plcp_sev_errored_framing_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpSevErroredFramingSec.setStatus('mandatory')
msc_lp_e3_plcp_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpUnavailSec.setStatus('mandatory')
msc_lp_e3_plcp_far_end_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpFarEndErrorFreeSec.setStatus('mandatory')
msc_lp_e3_plcp_far_end_coding_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpFarEndCodingViolations.setStatus('mandatory')
msc_lp_e3_plcp_far_end_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpFarEndErroredSec.setStatus('mandatory')
msc_lp_e3_plcp_far_end_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpFarEndSevErroredSec.setStatus('mandatory')
msc_lp_e3_plcp_far_end_unavailable_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 4, 11, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3PlcpFarEndUnavailableSec.setStatus('mandatory')
msc_lp_e3_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5))
msc_lp_e3_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1))
if mibBuilder.loadTexts:
mscLpE3CellRowStatusTable.setStatus('mandatory')
msc_lp_e3_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3CellIndex'))
if mibBuilder.loadTexts:
mscLpE3CellRowStatusEntry.setStatus('mandatory')
msc_lp_e3_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3CellRowStatus.setStatus('mandatory')
msc_lp_e3_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellComponentName.setStatus('mandatory')
msc_lp_e3_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellStorageType.setStatus('mandatory')
msc_lp_e3_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE3CellIndex.setStatus('mandatory')
msc_lp_e3_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10))
if mibBuilder.loadTexts:
mscLpE3CellProvTable.setStatus('mandatory')
msc_lp_e3_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3CellIndex'))
if mibBuilder.loadTexts:
mscLpE3CellProvEntry.setStatus('mandatory')
msc_lp_e3_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3CellAlarmActDelay.setStatus('mandatory')
msc_lp_e3_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3CellScrambleCellPayload.setStatus('mandatory')
msc_lp_e3_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE3CellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_e3_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 11))
if mibBuilder.loadTexts:
mscLpE3CellOperTable.setStatus('mandatory')
msc_lp_e3_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3CellIndex'))
if mibBuilder.loadTexts:
mscLpE3CellOperEntry.setStatus('mandatory')
msc_lp_e3_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellLcdAlarm.setStatus('mandatory')
msc_lp_e3_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12))
if mibBuilder.loadTexts:
mscLpE3CellStatsTable.setStatus('mandatory')
msc_lp_e3_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE3CellIndex'))
if mibBuilder.loadTexts:
mscLpE3CellStatsEntry.setStatus('mandatory')
msc_lp_e3_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_e3_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellSevErroredSec.setStatus('mandatory')
msc_lp_e3_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellReceiveCellUtilization.setStatus('mandatory')
msc_lp_e3_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellTransmitCellUtilization.setStatus('mandatory')
msc_lp_e3_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 6, 5, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE3CellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_ds1 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7))
msc_lp_ds1_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1))
if mibBuilder.loadTexts:
mscLpDS1RowStatusTable.setStatus('mandatory')
msc_lp_ds1_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1RowStatusEntry.setStatus('mandatory')
msc_lp_ds1_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1RowStatus.setStatus('mandatory')
msc_lp_ds1_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ComponentName.setStatus('mandatory')
msc_lp_ds1_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1StorageType.setStatus('mandatory')
msc_lp_ds1_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 31)))
if mibBuilder.loadTexts:
mscLpDS1Index.setStatus('mandatory')
msc_lp_ds1_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10))
if mibBuilder.loadTexts:
mscLpDS1ProvTable.setStatus('mandatory')
msc_lp_ds1_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1ProvEntry.setStatus('mandatory')
msc_lp_ds1_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 4, 5, 6))).clone(namedValues=named_values(('d4', 0), ('esf', 1), ('d4Cas', 4), ('esfCas', 5), ('unframed', 6))).clone('esf')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1LineType.setStatus('mandatory')
msc_lp_ds1_zero_coding = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('bit7Stuffing', 0), ('b8zs', 1), ('ami', 2))).clone('b8zs')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ZeroCoding.setStatus('mandatory')
msc_lp_ds1_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2), ('otherPort', 3), ('srtsMode', 4), ('adaptiveMode', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ClockingSource.setStatus('mandatory')
msc_lp_ds1_rai_alarm_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('sBit', 0), ('bit2', 1), ('fdl', 2))).clone('fdl')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1RaiAlarmType.setStatus('mandatory')
msc_lp_ds1_line_length = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 10, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 655))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1LineLength.setStatus('mandatory')
msc_lp_ds1_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 11))
if mibBuilder.loadTexts:
mscLpDS1CidDataTable.setStatus('mandatory')
msc_lp_ds1_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1CidDataEntry.setStatus('mandatory')
msc_lp_ds1_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1CustomerIdentifier.setStatus('mandatory')
msc_lp_ds1_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12))
if mibBuilder.loadTexts:
mscLpDS1AdminInfoTable.setStatus('mandatory')
msc_lp_ds1_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1AdminInfoEntry.setStatus('mandatory')
msc_lp_ds1_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1Vendor.setStatus('mandatory')
msc_lp_ds1_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1CommentText.setStatus('mandatory')
msc_lp_ds1_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13))
if mibBuilder.loadTexts:
mscLpDS1IfEntryTable.setStatus('mandatory')
msc_lp_ds1_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1IfEntryEntry.setStatus('mandatory')
msc_lp_ds1_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1IfAdminStatus.setStatus('mandatory')
msc_lp_ds1_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1IfIndex.setStatus('mandatory')
msc_lp_ds1_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 14))
if mibBuilder.loadTexts:
mscLpDS1OperStatusTable.setStatus('mandatory')
msc_lp_ds1_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1OperStatusEntry.setStatus('mandatory')
msc_lp_ds1_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1SnmpOperStatus.setStatus('mandatory')
msc_lp_ds1_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15))
if mibBuilder.loadTexts:
mscLpDS1StateTable.setStatus('mandatory')
msc_lp_ds1_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1StateEntry.setStatus('mandatory')
msc_lp_ds1_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1AdminState.setStatus('mandatory')
msc_lp_ds1_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1OperationalState.setStatus('mandatory')
msc_lp_ds1_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1UsageState.setStatus('mandatory')
msc_lp_ds1_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1AvailabilityStatus.setStatus('mandatory')
msc_lp_ds1_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ProceduralStatus.setStatus('mandatory')
msc_lp_ds1_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ControlStatus.setStatus('mandatory')
msc_lp_ds1_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1AlarmStatus.setStatus('mandatory')
msc_lp_ds1_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1StandbyStatus.setStatus('mandatory')
msc_lp_ds1_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1UnknownStatus.setStatus('mandatory')
msc_lp_ds1_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16))
if mibBuilder.loadTexts:
mscLpDS1OperTable.setStatus('mandatory')
msc_lp_ds1_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1OperEntry.setStatus('mandatory')
msc_lp_ds1_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1LosAlarm.setStatus('mandatory')
msc_lp_ds1_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1RxAisAlarm.setStatus('mandatory')
msc_lp_ds1_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1LofAlarm.setStatus('mandatory')
msc_lp_ds1_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1RxRaiAlarm.setStatus('mandatory')
msc_lp_ds1_tx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TxAisAlarm.setStatus('mandatory')
msc_lp_ds1_tx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TxRaiAlarm.setStatus('mandatory')
msc_lp_ds1_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17))
if mibBuilder.loadTexts:
mscLpDS1StatsTable.setStatus('mandatory')
msc_lp_ds1_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'))
if mibBuilder.loadTexts:
mscLpDS1StatsEntry.setStatus('mandatory')
msc_lp_ds1_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1RunningTime.setStatus('mandatory')
msc_lp_ds1_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ErrorFreeSec.setStatus('mandatory')
msc_lp_ds1_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ErroredSec.setStatus('mandatory')
msc_lp_ds1_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1SevErroredSec.setStatus('mandatory')
msc_lp_ds1_sev_errored_frm_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1SevErroredFrmSec.setStatus('mandatory')
msc_lp_ds1_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1UnavailSec.setStatus('mandatory')
msc_lp_ds1_bpv_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1BpvErrors.setStatus('mandatory')
msc_lp_ds1_crc_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1CrcErrors.setStatus('mandatory')
msc_lp_ds1_frm_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1FrmErrors.setStatus('mandatory')
msc_lp_ds1_los_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1LosStateChanges.setStatus('mandatory')
msc_lp_ds1_slip_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 17, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1SlipErrors.setStatus('mandatory')
msc_lp_ds1_chan = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2))
msc_lp_ds1_chan_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1))
if mibBuilder.loadTexts:
mscLpDS1ChanRowStatusTable.setStatus('mandatory')
msc_lp_ds1_chan_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_chan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanRowStatus.setStatus('mandatory')
msc_lp_ds1_chan_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanComponentName.setStatus('mandatory')
msc_lp_ds1_chan_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanStorageType.setStatus('mandatory')
msc_lp_ds1_chan_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 24)))
if mibBuilder.loadTexts:
mscLpDS1ChanIndex.setStatus('mandatory')
msc_lp_ds1_chan_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10))
if mibBuilder.loadTexts:
mscLpDS1ChanProvTable.setStatus('mandatory')
msc_lp_ds1_chan_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanProvEntry.setStatus('mandatory')
msc_lp_ds1_chan_timeslots = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTimeslots.setStatus('mandatory')
msc_lp_ds1_chan_timeslot_data_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('n56k', 0), ('doNotOverride', 1))).clone('doNotOverride')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTimeslotDataRate.setStatus('mandatory')
msc_lp_ds1_chan_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 10, 1, 3), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanApplicationFramerName.setStatus('mandatory')
msc_lp_ds1_chan_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 11))
if mibBuilder.loadTexts:
mscLpDS1ChanCidDataTable.setStatus('mandatory')
msc_lp_ds1_chan_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanCidDataEntry.setStatus('mandatory')
msc_lp_ds1_chan_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanCustomerIdentifier.setStatus('mandatory')
msc_lp_ds1_chan_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12))
if mibBuilder.loadTexts:
mscLpDS1ChanIfEntryTable.setStatus('mandatory')
msc_lp_ds1_chan_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanIfEntryEntry.setStatus('mandatory')
msc_lp_ds1_chan_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanIfAdminStatus.setStatus('mandatory')
msc_lp_ds1_chan_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 12, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanIfIndex.setStatus('mandatory')
msc_lp_ds1_chan_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 13))
if mibBuilder.loadTexts:
mscLpDS1ChanOperStatusTable.setStatus('mandatory')
msc_lp_ds1_chan_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanOperStatusEntry.setStatus('mandatory')
msc_lp_ds1_chan_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanSnmpOperStatus.setStatus('mandatory')
msc_lp_ds1_chan_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14))
if mibBuilder.loadTexts:
mscLpDS1ChanStateTable.setStatus('mandatory')
msc_lp_ds1_chan_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanStateEntry.setStatus('mandatory')
msc_lp_ds1_chan_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanAdminState.setStatus('mandatory')
msc_lp_ds1_chan_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanOperationalState.setStatus('mandatory')
msc_lp_ds1_chan_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanUsageState.setStatus('mandatory')
msc_lp_ds1_chan_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanAvailabilityStatus.setStatus('mandatory')
msc_lp_ds1_chan_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanProceduralStatus.setStatus('mandatory')
msc_lp_ds1_chan_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanControlStatus.setStatus('mandatory')
msc_lp_ds1_chan_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanAlarmStatus.setStatus('mandatory')
msc_lp_ds1_chan_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanStandbyStatus.setStatus('mandatory')
msc_lp_ds1_chan_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 14, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanUnknownStatus.setStatus('mandatory')
msc_lp_ds1_chan_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 15))
if mibBuilder.loadTexts:
mscLpDS1ChanOperTable.setStatus('mandatory')
msc_lp_ds1_chan_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanOperEntry.setStatus('mandatory')
msc_lp_ds1_chan_actual_channel_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 15, 1, 1), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanActualChannelSpeed.setStatus('mandatory')
msc_lp_ds1_chan_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16))
if mibBuilder.loadTexts:
mscLpDS1ChanAdminInfoTable.setStatus('mandatory')
msc_lp_ds1_chan_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanAdminInfoEntry.setStatus('mandatory')
msc_lp_ds1_chan_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanVendor.setStatus('mandatory')
msc_lp_ds1_chan_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 16, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanCommentText.setStatus('mandatory')
msc_lp_ds1_chan_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2))
msc_lp_ds1_chan_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1))
if mibBuilder.loadTexts:
mscLpDS1ChanTestRowStatusTable.setStatus('mandatory')
msc_lp_ds1_chan_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTestRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_chan_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestRowStatus.setStatus('mandatory')
msc_lp_ds1_chan_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestComponentName.setStatus('mandatory')
msc_lp_ds1_chan_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestStorageType.setStatus('mandatory')
msc_lp_ds1_chan_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS1ChanTestIndex.setStatus('mandatory')
msc_lp_ds1_chan_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10))
if mibBuilder.loadTexts:
mscLpDS1ChanTestStateTable.setStatus('mandatory')
msc_lp_ds1_chan_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTestStateEntry.setStatus('mandatory')
msc_lp_ds1_chan_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestAdminState.setStatus('mandatory')
msc_lp_ds1_chan_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestOperationalState.setStatus('mandatory')
msc_lp_ds1_chan_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestUsageState.setStatus('mandatory')
msc_lp_ds1_chan_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11))
if mibBuilder.loadTexts:
mscLpDS1ChanTestSetupTable.setStatus('mandatory')
msc_lp_ds1_chan_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTestSetupEntry.setStatus('mandatory')
msc_lp_ds1_chan_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestPurpose.setStatus('mandatory')
msc_lp_ds1_chan_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestType.setStatus('mandatory')
msc_lp_ds1_chan_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestFrmSize.setStatus('mandatory')
msc_lp_ds1_chan_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestFrmPatternType.setStatus('mandatory')
msc_lp_ds1_chan_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestCustomizedPattern.setStatus('mandatory')
msc_lp_ds1_chan_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestDataStartDelay.setStatus('mandatory')
msc_lp_ds1_chan_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestDisplayInterval.setStatus('mandatory')
msc_lp_ds1_chan_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTestDuration.setStatus('mandatory')
msc_lp_ds1_chan_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12))
if mibBuilder.loadTexts:
mscLpDS1ChanTestResultsTable.setStatus('mandatory')
msc_lp_ds1_chan_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTestResultsEntry.setStatus('mandatory')
msc_lp_ds1_chan_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestElapsedTime.setStatus('mandatory')
msc_lp_ds1_chan_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestTimeRemaining.setStatus('mandatory')
msc_lp_ds1_chan_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestCauseOfTermination.setStatus('mandatory')
msc_lp_ds1_chan_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestBitsTx.setStatus('mandatory')
msc_lp_ds1_chan_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestBytesTx.setStatus('mandatory')
msc_lp_ds1_chan_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestFrmTx.setStatus('mandatory')
msc_lp_ds1_chan_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestBitsRx.setStatus('mandatory')
msc_lp_ds1_chan_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestBytesRx.setStatus('mandatory')
msc_lp_ds1_chan_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestFrmRx.setStatus('mandatory')
msc_lp_ds1_chan_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestErroredFrmRx.setStatus('mandatory')
msc_lp_ds1_chan_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTestBitErrorRate.setStatus('mandatory')
msc_lp_ds1_chan_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3))
msc_lp_ds1_chan_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1))
if mibBuilder.loadTexts:
mscLpDS1ChanCellRowStatusTable.setStatus('mandatory')
msc_lp_ds1_chan_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanCellRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_chan_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanCellRowStatus.setStatus('mandatory')
msc_lp_ds1_chan_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellComponentName.setStatus('mandatory')
msc_lp_ds1_chan_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellStorageType.setStatus('mandatory')
msc_lp_ds1_chan_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS1ChanCellIndex.setStatus('mandatory')
msc_lp_ds1_chan_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10))
if mibBuilder.loadTexts:
mscLpDS1ChanCellProvTable.setStatus('mandatory')
msc_lp_ds1_chan_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanCellProvEntry.setStatus('mandatory')
msc_lp_ds1_chan_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanCellAlarmActDelay.setStatus('mandatory')
msc_lp_ds1_chan_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanCellScrambleCellPayload.setStatus('mandatory')
msc_lp_ds1_chan_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_ds1_chan_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 11))
if mibBuilder.loadTexts:
mscLpDS1ChanCellOperTable.setStatus('mandatory')
msc_lp_ds1_chan_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanCellOperEntry.setStatus('mandatory')
msc_lp_ds1_chan_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellLcdAlarm.setStatus('mandatory')
msc_lp_ds1_chan_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12))
if mibBuilder.loadTexts:
mscLpDS1ChanCellStatsTable.setStatus('mandatory')
msc_lp_ds1_chan_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanCellStatsEntry.setStatus('mandatory')
msc_lp_ds1_chan_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_ds1_chan_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellSevErroredSec.setStatus('mandatory')
msc_lp_ds1_chan_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellReceiveCellUtilization.setStatus('mandatory')
msc_lp_ds1_chan_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellTransmitCellUtilization.setStatus('mandatory')
msc_lp_ds1_chan_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 3, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanCellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_ds1_chan_tc = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4))
msc_lp_ds1_chan_tc_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1))
if mibBuilder.loadTexts:
mscLpDS1ChanTcRowStatusTable.setStatus('mandatory')
msc_lp_ds1_chan_tc_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTcRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_chan_tc_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTcRowStatus.setStatus('mandatory')
msc_lp_ds1_chan_tc_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTcComponentName.setStatus('mandatory')
msc_lp_ds1_chan_tc_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTcStorageType.setStatus('mandatory')
msc_lp_ds1_chan_tc_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS1ChanTcIndex.setStatus('mandatory')
msc_lp_ds1_chan_tc_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10))
if mibBuilder.loadTexts:
mscLpDS1ChanTcProvTable.setStatus('mandatory')
msc_lp_ds1_chan_tc_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTcProvEntry.setStatus('mandatory')
msc_lp_ds1_chan_tc_replacement_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10, 1, 1), hex().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTcReplacementData.setStatus('mandatory')
msc_lp_ds1_chan_tc_signal_one_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTcSignalOneDuration.setStatus('mandatory')
msc_lp_ds1_chan_tc_op_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11))
if mibBuilder.loadTexts:
mscLpDS1ChanTcOpTable.setStatus('mandatory')
msc_lp_ds1_chan_tc_op_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTcOpEntry.setStatus('mandatory')
msc_lp_ds1_chan_tc_ingress_conditioning = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTcIngressConditioning.setStatus('mandatory')
msc_lp_ds1_chan_tc_egress_conditioning = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1ChanTcEgressConditioning.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_one_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398))
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigOneTable.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_one_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcSigOneIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigOneEntry.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_one_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('d', 0), ('c', 1), ('b', 2), ('a', 3))))
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigOneIndex.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_one_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 398, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigOneValue.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_two_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399))
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigTwoTable.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_two_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1ChanTcSigTwoIndex'))
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigTwoEntry.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_two_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('d', 0), ('c', 1), ('b', 2), ('a', 3))))
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigTwoIndex.setStatus('mandatory')
msc_lp_ds1_chan_tc_sig_two_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 2, 4, 399, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1ChanTcSigTwoValue.setStatus('mandatory')
msc_lp_ds1_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3))
msc_lp_ds1_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1))
if mibBuilder.loadTexts:
mscLpDS1TestRowStatusTable.setStatus('mandatory')
msc_lp_ds1_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS1TestRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestRowStatus.setStatus('mandatory')
msc_lp_ds1_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestComponentName.setStatus('mandatory')
msc_lp_ds1_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestStorageType.setStatus('mandatory')
msc_lp_ds1_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS1TestIndex.setStatus('mandatory')
msc_lp_ds1_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10))
if mibBuilder.loadTexts:
mscLpDS1TestStateTable.setStatus('mandatory')
msc_lp_ds1_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS1TestStateEntry.setStatus('mandatory')
msc_lp_ds1_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestAdminState.setStatus('mandatory')
msc_lp_ds1_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestOperationalState.setStatus('mandatory')
msc_lp_ds1_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestUsageState.setStatus('mandatory')
msc_lp_ds1_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11))
if mibBuilder.loadTexts:
mscLpDS1TestSetupTable.setStatus('mandatory')
msc_lp_ds1_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS1TestSetupEntry.setStatus('mandatory')
msc_lp_ds1_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestPurpose.setStatus('mandatory')
msc_lp_ds1_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestType.setStatus('mandatory')
msc_lp_ds1_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestFrmSize.setStatus('mandatory')
msc_lp_ds1_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestFrmPatternType.setStatus('mandatory')
msc_lp_ds1_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestCustomizedPattern.setStatus('mandatory')
msc_lp_ds1_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestDataStartDelay.setStatus('mandatory')
msc_lp_ds1_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestDisplayInterval.setStatus('mandatory')
msc_lp_ds1_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpDS1TestDuration.setStatus('mandatory')
msc_lp_ds1_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12))
if mibBuilder.loadTexts:
mscLpDS1TestResultsTable.setStatus('mandatory')
msc_lp_ds1_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1TestIndex'))
if mibBuilder.loadTexts:
mscLpDS1TestResultsEntry.setStatus('mandatory')
msc_lp_ds1_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestElapsedTime.setStatus('mandatory')
msc_lp_ds1_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestTimeRemaining.setStatus('mandatory')
msc_lp_ds1_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestCauseOfTermination.setStatus('mandatory')
msc_lp_ds1_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestBitsTx.setStatus('mandatory')
msc_lp_ds1_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestBytesTx.setStatus('mandatory')
msc_lp_ds1_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestFrmTx.setStatus('mandatory')
msc_lp_ds1_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestBitsRx.setStatus('mandatory')
msc_lp_ds1_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestBytesRx.setStatus('mandatory')
msc_lp_ds1_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestFrmRx.setStatus('mandatory')
msc_lp_ds1_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestErroredFrmRx.setStatus('mandatory')
msc_lp_ds1_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 3, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1TestBitErrorRate.setStatus('mandatory')
msc_lp_ds1_dsp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4))
msc_lp_ds1_dsp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1))
if mibBuilder.loadTexts:
mscLpDS1DspRowStatusTable.setStatus('mandatory')
msc_lp_ds1_dsp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1DspIndex'))
if mibBuilder.loadTexts:
mscLpDS1DspRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_dsp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1DspRowStatus.setStatus('mandatory')
msc_lp_ds1_dsp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1DspComponentName.setStatus('mandatory')
msc_lp_ds1_dsp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1DspStorageType.setStatus('mandatory')
msc_lp_ds1_dsp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS1DspIndex.setStatus('mandatory')
msc_lp_ds1_audio = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5))
msc_lp_ds1_audio_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1))
if mibBuilder.loadTexts:
mscLpDS1AudioRowStatusTable.setStatus('mandatory')
msc_lp_ds1_audio_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpDS1AudioIndex'))
if mibBuilder.loadTexts:
mscLpDS1AudioRowStatusEntry.setStatus('mandatory')
msc_lp_ds1_audio_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1AudioRowStatus.setStatus('mandatory')
msc_lp_ds1_audio_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1AudioComponentName.setStatus('mandatory')
msc_lp_ds1_audio_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpDS1AudioStorageType.setStatus('mandatory')
msc_lp_ds1_audio_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 7, 5, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpDS1AudioIndex.setStatus('mandatory')
msc_lp_e1 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8))
msc_lp_e1_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1))
if mibBuilder.loadTexts:
mscLpE1RowStatusTable.setStatus('mandatory')
msc_lp_e1_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1RowStatusEntry.setStatus('mandatory')
msc_lp_e1_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1RowStatus.setStatus('mandatory')
msc_lp_e1_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ComponentName.setStatus('mandatory')
msc_lp_e1_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1StorageType.setStatus('mandatory')
msc_lp_e1_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 31)))
if mibBuilder.loadTexts:
mscLpE1Index.setStatus('mandatory')
msc_lp_e1_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10))
if mibBuilder.loadTexts:
mscLpE1ProvTable.setStatus('mandatory')
msc_lp_e1_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1ProvEntry.setStatus('mandatory')
msc_lp_e1_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 6))).clone(namedValues=named_values(('ccs', 2), ('cas', 3), ('unframed', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1LineType.setStatus('mandatory')
msc_lp_e1_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2), ('otherPort', 3), ('srtsMode', 4), ('adaptiveMode', 5)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ClockingSource.setStatus('mandatory')
msc_lp_e1_crc4_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1Crc4Mode.setStatus('mandatory')
msc_lp_e1_send_rai_on_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1))).clone('yes')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1SendRaiOnAis.setStatus('mandatory')
msc_lp_e1_rai_declare_alarm_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 5), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 20000))).clone(100)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1RaiDeclareAlarmTime.setStatus('mandatory')
msc_lp_e1_rai_clear_alarm_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 10, 1, 6), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 20000))).clone(100)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1RaiClearAlarmTime.setStatus('mandatory')
msc_lp_e1_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 11))
if mibBuilder.loadTexts:
mscLpE1CidDataTable.setStatus('mandatory')
msc_lp_e1_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1CidDataEntry.setStatus('mandatory')
msc_lp_e1_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1CustomerIdentifier.setStatus('mandatory')
msc_lp_e1_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12))
if mibBuilder.loadTexts:
mscLpE1AdminInfoTable.setStatus('mandatory')
msc_lp_e1_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1AdminInfoEntry.setStatus('mandatory')
msc_lp_e1_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1Vendor.setStatus('mandatory')
msc_lp_e1_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1CommentText.setStatus('mandatory')
msc_lp_e1_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13))
if mibBuilder.loadTexts:
mscLpE1IfEntryTable.setStatus('mandatory')
msc_lp_e1_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1IfEntryEntry.setStatus('mandatory')
msc_lp_e1_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1IfAdminStatus.setStatus('mandatory')
msc_lp_e1_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1IfIndex.setStatus('mandatory')
msc_lp_e1_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 14))
if mibBuilder.loadTexts:
mscLpE1OperStatusTable.setStatus('mandatory')
msc_lp_e1_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1OperStatusEntry.setStatus('mandatory')
msc_lp_e1_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1SnmpOperStatus.setStatus('mandatory')
msc_lp_e1_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15))
if mibBuilder.loadTexts:
mscLpE1StateTable.setStatus('mandatory')
msc_lp_e1_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1StateEntry.setStatus('mandatory')
msc_lp_e1_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1AdminState.setStatus('mandatory')
msc_lp_e1_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1OperationalState.setStatus('mandatory')
msc_lp_e1_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1UsageState.setStatus('mandatory')
msc_lp_e1_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1AvailabilityStatus.setStatus('mandatory')
msc_lp_e1_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ProceduralStatus.setStatus('mandatory')
msc_lp_e1_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ControlStatus.setStatus('mandatory')
msc_lp_e1_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1AlarmStatus.setStatus('mandatory')
msc_lp_e1_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1StandbyStatus.setStatus('mandatory')
msc_lp_e1_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1UnknownStatus.setStatus('mandatory')
msc_lp_e1_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16))
if mibBuilder.loadTexts:
mscLpE1OperTable.setStatus('mandatory')
msc_lp_e1_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1OperEntry.setStatus('mandatory')
msc_lp_e1_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1LosAlarm.setStatus('mandatory')
msc_lp_e1_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1RxAisAlarm.setStatus('mandatory')
msc_lp_e1_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1LofAlarm.setStatus('mandatory')
msc_lp_e1_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1RxRaiAlarm.setStatus('mandatory')
msc_lp_e1_tx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TxAisAlarm.setStatus('mandatory')
msc_lp_e1_tx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TxRaiAlarm.setStatus('mandatory')
msc_lp_e1_e1_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17))
if mibBuilder.loadTexts:
mscLpE1E1OperTable.setStatus('mandatory')
msc_lp_e1_e1_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1E1OperEntry.setStatus('mandatory')
msc_lp_e1_multifrm_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1MultifrmLofAlarm.setStatus('mandatory')
msc_lp_e1_rx_multifrm_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1RxMultifrmRaiAlarm.setStatus('mandatory')
msc_lp_e1_tx_multifrm_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 17, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TxMultifrmRaiAlarm.setStatus('mandatory')
msc_lp_e1_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18))
if mibBuilder.loadTexts:
mscLpE1StatsTable.setStatus('mandatory')
msc_lp_e1_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'))
if mibBuilder.loadTexts:
mscLpE1StatsEntry.setStatus('mandatory')
msc_lp_e1_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1RunningTime.setStatus('mandatory')
msc_lp_e1_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ErrorFreeSec.setStatus('mandatory')
msc_lp_e1_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ErroredSec.setStatus('mandatory')
msc_lp_e1_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1SevErroredSec.setStatus('mandatory')
msc_lp_e1_sev_errored_frm_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1SevErroredFrmSec.setStatus('mandatory')
msc_lp_e1_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1UnavailSec.setStatus('mandatory')
msc_lp_e1_bpv_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1BpvErrors.setStatus('mandatory')
msc_lp_e1_crc_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1CrcErrors.setStatus('mandatory')
msc_lp_e1_frm_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1FrmErrors.setStatus('mandatory')
msc_lp_e1_los_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1LosStateChanges.setStatus('mandatory')
msc_lp_e1_slip_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 18, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1SlipErrors.setStatus('mandatory')
msc_lp_e1_chan = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2))
msc_lp_e1_chan_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1))
if mibBuilder.loadTexts:
mscLpE1ChanRowStatusTable.setStatus('mandatory')
msc_lp_e1_chan_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanRowStatusEntry.setStatus('mandatory')
msc_lp_e1_chan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanRowStatus.setStatus('mandatory')
msc_lp_e1_chan_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanComponentName.setStatus('mandatory')
msc_lp_e1_chan_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanStorageType.setStatus('mandatory')
msc_lp_e1_chan_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 31)))
if mibBuilder.loadTexts:
mscLpE1ChanIndex.setStatus('mandatory')
msc_lp_e1_chan_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10))
if mibBuilder.loadTexts:
mscLpE1ChanProvTable.setStatus('mandatory')
msc_lp_e1_chan_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanProvEntry.setStatus('mandatory')
msc_lp_e1_chan_timeslots = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTimeslots.setStatus('mandatory')
msc_lp_e1_chan_timeslot_data_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('n56k', 0), ('doNotOverride', 1))).clone('doNotOverride')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTimeslotDataRate.setStatus('mandatory')
msc_lp_e1_chan_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 10, 1, 3), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanApplicationFramerName.setStatus('mandatory')
msc_lp_e1_chan_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 11))
if mibBuilder.loadTexts:
mscLpE1ChanCidDataTable.setStatus('mandatory')
msc_lp_e1_chan_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanCidDataEntry.setStatus('mandatory')
msc_lp_e1_chan_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanCustomerIdentifier.setStatus('mandatory')
msc_lp_e1_chan_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12))
if mibBuilder.loadTexts:
mscLpE1ChanIfEntryTable.setStatus('mandatory')
msc_lp_e1_chan_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanIfEntryEntry.setStatus('mandatory')
msc_lp_e1_chan_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanIfAdminStatus.setStatus('mandatory')
msc_lp_e1_chan_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 12, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanIfIndex.setStatus('mandatory')
msc_lp_e1_chan_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 13))
if mibBuilder.loadTexts:
mscLpE1ChanOperStatusTable.setStatus('mandatory')
msc_lp_e1_chan_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanOperStatusEntry.setStatus('mandatory')
msc_lp_e1_chan_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanSnmpOperStatus.setStatus('mandatory')
msc_lp_e1_chan_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14))
if mibBuilder.loadTexts:
mscLpE1ChanStateTable.setStatus('mandatory')
msc_lp_e1_chan_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanStateEntry.setStatus('mandatory')
msc_lp_e1_chan_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanAdminState.setStatus('mandatory')
msc_lp_e1_chan_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanOperationalState.setStatus('mandatory')
msc_lp_e1_chan_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanUsageState.setStatus('mandatory')
msc_lp_e1_chan_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanAvailabilityStatus.setStatus('mandatory')
msc_lp_e1_chan_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanProceduralStatus.setStatus('mandatory')
msc_lp_e1_chan_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanControlStatus.setStatus('mandatory')
msc_lp_e1_chan_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanAlarmStatus.setStatus('mandatory')
msc_lp_e1_chan_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanStandbyStatus.setStatus('mandatory')
msc_lp_e1_chan_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 14, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanUnknownStatus.setStatus('mandatory')
msc_lp_e1_chan_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 15))
if mibBuilder.loadTexts:
mscLpE1ChanOperTable.setStatus('mandatory')
msc_lp_e1_chan_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanOperEntry.setStatus('mandatory')
msc_lp_e1_chan_actual_channel_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 15, 1, 1), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanActualChannelSpeed.setStatus('mandatory')
msc_lp_e1_chan_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16))
if mibBuilder.loadTexts:
mscLpE1ChanAdminInfoTable.setStatus('mandatory')
msc_lp_e1_chan_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanAdminInfoEntry.setStatus('mandatory')
msc_lp_e1_chan_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanVendor.setStatus('mandatory')
msc_lp_e1_chan_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 16, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanCommentText.setStatus('mandatory')
msc_lp_e1_chan_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2))
msc_lp_e1_chan_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1))
if mibBuilder.loadTexts:
mscLpE1ChanTestRowStatusTable.setStatus('mandatory')
msc_lp_e1_chan_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTestRowStatusEntry.setStatus('mandatory')
msc_lp_e1_chan_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestRowStatus.setStatus('mandatory')
msc_lp_e1_chan_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestComponentName.setStatus('mandatory')
msc_lp_e1_chan_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestStorageType.setStatus('mandatory')
msc_lp_e1_chan_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1ChanTestIndex.setStatus('mandatory')
msc_lp_e1_chan_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10))
if mibBuilder.loadTexts:
mscLpE1ChanTestStateTable.setStatus('mandatory')
msc_lp_e1_chan_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTestStateEntry.setStatus('mandatory')
msc_lp_e1_chan_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestAdminState.setStatus('mandatory')
msc_lp_e1_chan_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestOperationalState.setStatus('mandatory')
msc_lp_e1_chan_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestUsageState.setStatus('mandatory')
msc_lp_e1_chan_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11))
if mibBuilder.loadTexts:
mscLpE1ChanTestSetupTable.setStatus('mandatory')
msc_lp_e1_chan_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTestSetupEntry.setStatus('mandatory')
msc_lp_e1_chan_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestPurpose.setStatus('mandatory')
msc_lp_e1_chan_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestType.setStatus('mandatory')
msc_lp_e1_chan_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestFrmSize.setStatus('mandatory')
msc_lp_e1_chan_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestFrmPatternType.setStatus('mandatory')
msc_lp_e1_chan_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestCustomizedPattern.setStatus('mandatory')
msc_lp_e1_chan_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestDataStartDelay.setStatus('mandatory')
msc_lp_e1_chan_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestDisplayInterval.setStatus('mandatory')
msc_lp_e1_chan_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTestDuration.setStatus('mandatory')
msc_lp_e1_chan_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12))
if mibBuilder.loadTexts:
mscLpE1ChanTestResultsTable.setStatus('mandatory')
msc_lp_e1_chan_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTestIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTestResultsEntry.setStatus('mandatory')
msc_lp_e1_chan_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestElapsedTime.setStatus('mandatory')
msc_lp_e1_chan_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestTimeRemaining.setStatus('mandatory')
msc_lp_e1_chan_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestCauseOfTermination.setStatus('mandatory')
msc_lp_e1_chan_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestBitsTx.setStatus('mandatory')
msc_lp_e1_chan_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestBytesTx.setStatus('mandatory')
msc_lp_e1_chan_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestFrmTx.setStatus('mandatory')
msc_lp_e1_chan_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestBitsRx.setStatus('mandatory')
msc_lp_e1_chan_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestBytesRx.setStatus('mandatory')
msc_lp_e1_chan_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestFrmRx.setStatus('mandatory')
msc_lp_e1_chan_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestErroredFrmRx.setStatus('mandatory')
msc_lp_e1_chan_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTestBitErrorRate.setStatus('mandatory')
msc_lp_e1_chan_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3))
msc_lp_e1_chan_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1))
if mibBuilder.loadTexts:
mscLpE1ChanCellRowStatusTable.setStatus('mandatory')
msc_lp_e1_chan_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanCellRowStatusEntry.setStatus('mandatory')
msc_lp_e1_chan_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanCellRowStatus.setStatus('mandatory')
msc_lp_e1_chan_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellComponentName.setStatus('mandatory')
msc_lp_e1_chan_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellStorageType.setStatus('mandatory')
msc_lp_e1_chan_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1ChanCellIndex.setStatus('mandatory')
msc_lp_e1_chan_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10))
if mibBuilder.loadTexts:
mscLpE1ChanCellProvTable.setStatus('mandatory')
msc_lp_e1_chan_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanCellProvEntry.setStatus('mandatory')
msc_lp_e1_chan_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanCellAlarmActDelay.setStatus('mandatory')
msc_lp_e1_chan_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanCellScrambleCellPayload.setStatus('mandatory')
msc_lp_e1_chan_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_e1_chan_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 11))
if mibBuilder.loadTexts:
mscLpE1ChanCellOperTable.setStatus('mandatory')
msc_lp_e1_chan_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanCellOperEntry.setStatus('mandatory')
msc_lp_e1_chan_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellLcdAlarm.setStatus('mandatory')
msc_lp_e1_chan_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12))
if mibBuilder.loadTexts:
mscLpE1ChanCellStatsTable.setStatus('mandatory')
msc_lp_e1_chan_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanCellIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanCellStatsEntry.setStatus('mandatory')
msc_lp_e1_chan_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_e1_chan_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellSevErroredSec.setStatus('mandatory')
msc_lp_e1_chan_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellReceiveCellUtilization.setStatus('mandatory')
msc_lp_e1_chan_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellTransmitCellUtilization.setStatus('mandatory')
msc_lp_e1_chan_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 3, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanCellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_e1_chan_tc = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4))
msc_lp_e1_chan_tc_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1))
if mibBuilder.loadTexts:
mscLpE1ChanTcRowStatusTable.setStatus('mandatory')
msc_lp_e1_chan_tc_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTcRowStatusEntry.setStatus('mandatory')
msc_lp_e1_chan_tc_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTcRowStatus.setStatus('mandatory')
msc_lp_e1_chan_tc_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTcComponentName.setStatus('mandatory')
msc_lp_e1_chan_tc_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTcStorageType.setStatus('mandatory')
msc_lp_e1_chan_tc_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1ChanTcIndex.setStatus('mandatory')
msc_lp_e1_chan_tc_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10))
if mibBuilder.loadTexts:
mscLpE1ChanTcProvTable.setStatus('mandatory')
msc_lp_e1_chan_tc_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTcProvEntry.setStatus('mandatory')
msc_lp_e1_chan_tc_replacement_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10, 1, 1), hex().subtype(subtypeSpec=value_range_constraint(0, 255)).clone(255)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTcReplacementData.setStatus('mandatory')
msc_lp_e1_chan_tc_signal_one_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTcSignalOneDuration.setStatus('mandatory')
msc_lp_e1_chan_tc_op_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11))
if mibBuilder.loadTexts:
mscLpE1ChanTcOpTable.setStatus('mandatory')
msc_lp_e1_chan_tc_op_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTcOpEntry.setStatus('mandatory')
msc_lp_e1_chan_tc_ingress_conditioning = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTcIngressConditioning.setStatus('mandatory')
msc_lp_e1_chan_tc_egress_conditioning = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanTcEgressConditioning.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_one_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398))
if mibBuilder.loadTexts:
mscLpE1ChanTcSigOneTable.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_one_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcSigOneIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTcSigOneEntry.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_one_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('d', 0), ('c', 1), ('b', 2), ('a', 3))))
if mibBuilder.loadTexts:
mscLpE1ChanTcSigOneIndex.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_one_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 398, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTcSigOneValue.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_two_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399))
if mibBuilder.loadTexts:
mscLpE1ChanTcSigTwoTable.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_two_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanTcSigTwoIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanTcSigTwoEntry.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_two_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('d', 0), ('c', 1), ('b', 2), ('a', 3))))
if mibBuilder.loadTexts:
mscLpE1ChanTcSigTwoIndex.setStatus('mandatory')
msc_lp_e1_chan_tc_sig_two_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 4, 399, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanTcSigTwoValue.setStatus('mandatory')
msc_lp_e1_chan_flm = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5))
msc_lp_e1_chan_flm_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1))
if mibBuilder.loadTexts:
mscLpE1ChanFlmRowStatusTable.setStatus('mandatory')
msc_lp_e1_chan_flm_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanFlmIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanFlmRowStatusEntry.setStatus('mandatory')
msc_lp_e1_chan_flm_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanFlmRowStatus.setStatus('mandatory')
msc_lp_e1_chan_flm_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanFlmComponentName.setStatus('mandatory')
msc_lp_e1_chan_flm_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanFlmStorageType.setStatus('mandatory')
msc_lp_e1_chan_flm_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1ChanFlmIndex.setStatus('mandatory')
msc_lp_e1_chan_flm_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10))
if mibBuilder.loadTexts:
mscLpE1ChanFlmProvTable.setStatus('mandatory')
msc_lp_e1_chan_flm_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanFlmIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanFlmProvEntry.setStatus('mandatory')
msc_lp_e1_chan_flm_a_bit_monitoring = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanFlmABitMonitoring.setStatus('mandatory')
msc_lp_e1_chan_flm_hdlc_monitoring = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('enabled')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1ChanFlmHdlcMonitoring.setStatus('mandatory')
msc_lp_e1_chan_flm_op_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 11))
if mibBuilder.loadTexts:
mscLpE1ChanFlmOpTable.setStatus('mandatory')
msc_lp_e1_chan_flm_op_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1ChanFlmIndex'))
if mibBuilder.loadTexts:
mscLpE1ChanFlmOpEntry.setStatus('mandatory')
msc_lp_e1_chan_flm_flm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 2, 5, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('notMonitoring', 0), ('frameLinkUp', 1), ('frameLinkDown', 2), ('lossOfHdlc', 3), ('lossOfAbit', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1ChanFlmFlmStatus.setStatus('mandatory')
msc_lp_e1_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3))
msc_lp_e1_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1))
if mibBuilder.loadTexts:
mscLpE1TestRowStatusTable.setStatus('mandatory')
msc_lp_e1_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1TestIndex'))
if mibBuilder.loadTexts:
mscLpE1TestRowStatusEntry.setStatus('mandatory')
msc_lp_e1_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestRowStatus.setStatus('mandatory')
msc_lp_e1_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestComponentName.setStatus('mandatory')
msc_lp_e1_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestStorageType.setStatus('mandatory')
msc_lp_e1_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1TestIndex.setStatus('mandatory')
msc_lp_e1_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10))
if mibBuilder.loadTexts:
mscLpE1TestStateTable.setStatus('mandatory')
msc_lp_e1_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1TestIndex'))
if mibBuilder.loadTexts:
mscLpE1TestStateEntry.setStatus('mandatory')
msc_lp_e1_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestAdminState.setStatus('mandatory')
msc_lp_e1_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestOperationalState.setStatus('mandatory')
msc_lp_e1_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestUsageState.setStatus('mandatory')
msc_lp_e1_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11))
if mibBuilder.loadTexts:
mscLpE1TestSetupTable.setStatus('mandatory')
msc_lp_e1_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1TestIndex'))
if mibBuilder.loadTexts:
mscLpE1TestSetupEntry.setStatus('mandatory')
msc_lp_e1_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestPurpose.setStatus('mandatory')
msc_lp_e1_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestType.setStatus('mandatory')
msc_lp_e1_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestFrmSize.setStatus('mandatory')
msc_lp_e1_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestFrmPatternType.setStatus('mandatory')
msc_lp_e1_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestCustomizedPattern.setStatus('mandatory')
msc_lp_e1_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestDataStartDelay.setStatus('mandatory')
msc_lp_e1_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestDisplayInterval.setStatus('mandatory')
msc_lp_e1_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpE1TestDuration.setStatus('mandatory')
msc_lp_e1_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12))
if mibBuilder.loadTexts:
mscLpE1TestResultsTable.setStatus('mandatory')
msc_lp_e1_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1TestIndex'))
if mibBuilder.loadTexts:
mscLpE1TestResultsEntry.setStatus('mandatory')
msc_lp_e1_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestElapsedTime.setStatus('mandatory')
msc_lp_e1_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestTimeRemaining.setStatus('mandatory')
msc_lp_e1_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestCauseOfTermination.setStatus('mandatory')
msc_lp_e1_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestBitsTx.setStatus('mandatory')
msc_lp_e1_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestBytesTx.setStatus('mandatory')
msc_lp_e1_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestFrmTx.setStatus('mandatory')
msc_lp_e1_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestBitsRx.setStatus('mandatory')
msc_lp_e1_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestBytesRx.setStatus('mandatory')
msc_lp_e1_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestFrmRx.setStatus('mandatory')
msc_lp_e1_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestErroredFrmRx.setStatus('mandatory')
msc_lp_e1_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 3, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1TestBitErrorRate.setStatus('mandatory')
msc_lp_e1_dsp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4))
msc_lp_e1_dsp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1))
if mibBuilder.loadTexts:
mscLpE1DspRowStatusTable.setStatus('mandatory')
msc_lp_e1_dsp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1DspIndex'))
if mibBuilder.loadTexts:
mscLpE1DspRowStatusEntry.setStatus('mandatory')
msc_lp_e1_dsp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1DspRowStatus.setStatus('mandatory')
msc_lp_e1_dsp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1DspComponentName.setStatus('mandatory')
msc_lp_e1_dsp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1DspStorageType.setStatus('mandatory')
msc_lp_e1_dsp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 4, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1DspIndex.setStatus('mandatory')
msc_lp_e1_audio = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5))
msc_lp_e1_audio_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1))
if mibBuilder.loadTexts:
mscLpE1AudioRowStatusTable.setStatus('mandatory')
msc_lp_e1_audio_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpE1AudioIndex'))
if mibBuilder.loadTexts:
mscLpE1AudioRowStatusEntry.setStatus('mandatory')
msc_lp_e1_audio_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1AudioRowStatus.setStatus('mandatory')
msc_lp_e1_audio_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1AudioComponentName.setStatus('mandatory')
msc_lp_e1_audio_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpE1AudioStorageType.setStatus('mandatory')
msc_lp_e1_audio_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 8, 5, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpE1AudioIndex.setStatus('mandatory')
msc_lp_v35 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9))
msc_lp_v35_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1))
if mibBuilder.loadTexts:
mscLpV35RowStatusTable.setStatus('mandatory')
msc_lp_v35_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35RowStatusEntry.setStatus('mandatory')
msc_lp_v35_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35RowStatus.setStatus('mandatory')
msc_lp_v35_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35ComponentName.setStatus('mandatory')
msc_lp_v35_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35StorageType.setStatus('mandatory')
msc_lp_v35_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 7)))
if mibBuilder.loadTexts:
mscLpV35Index.setStatus('mandatory')
msc_lp_v35_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10))
if mibBuilder.loadTexts:
mscLpV35ProvTable.setStatus('mandatory')
msc_lp_v35_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35ProvEntry.setStatus('mandatory')
msc_lp_v35_link_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 128))).clone(namedValues=named_values(('dte', 0), ('dce', 128))).clone('dte')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35LinkMode.setStatus('mandatory')
msc_lp_v35_ready_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='f0')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35ReadyLineState.setStatus('mandatory')
msc_lp_v35_data_transfer_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='f0')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35DataTransferLineState.setStatus('mandatory')
msc_lp_v35_line_status_time_out = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 20000)).clone(1000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35LineStatusTimeOut.setStatus('mandatory')
msc_lp_v35_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(9600, 3840000)).clone(192000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35LineSpeed.setStatus('mandatory')
msc_lp_v35_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('local', 0), ('module', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35ClockingSource.setStatus('mandatory')
msc_lp_v35_dte_data_clock_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 2))).clone(namedValues=named_values(('fromDce', 0), ('fromDte', 2))).clone('fromDce')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35DteDataClockSource.setStatus('mandatory')
msc_lp_v35_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 8), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35ApplicationFramerName.setStatus('mandatory')
msc_lp_v35_enable_dynamic_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 10, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1))).clone('no')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35EnableDynamicSpeed.setStatus('mandatory')
msc_lp_v35_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 11))
if mibBuilder.loadTexts:
mscLpV35CidDataTable.setStatus('mandatory')
msc_lp_v35_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35CidDataEntry.setStatus('mandatory')
msc_lp_v35_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35CustomerIdentifier.setStatus('mandatory')
msc_lp_v35_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12))
if mibBuilder.loadTexts:
mscLpV35AdminInfoTable.setStatus('mandatory')
msc_lp_v35_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35AdminInfoEntry.setStatus('mandatory')
msc_lp_v35_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35Vendor.setStatus('mandatory')
msc_lp_v35_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35CommentText.setStatus('mandatory')
msc_lp_v35_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13))
if mibBuilder.loadTexts:
mscLpV35IfEntryTable.setStatus('mandatory')
msc_lp_v35_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35IfEntryEntry.setStatus('mandatory')
msc_lp_v35_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35IfAdminStatus.setStatus('mandatory')
msc_lp_v35_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35IfIndex.setStatus('mandatory')
msc_lp_v35_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 14))
if mibBuilder.loadTexts:
mscLpV35OperStatusTable.setStatus('mandatory')
msc_lp_v35_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35OperStatusEntry.setStatus('mandatory')
msc_lp_v35_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35SnmpOperStatus.setStatus('mandatory')
msc_lp_v35_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15))
if mibBuilder.loadTexts:
mscLpV35StateTable.setStatus('mandatory')
msc_lp_v35_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35StateEntry.setStatus('mandatory')
msc_lp_v35_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35AdminState.setStatus('mandatory')
msc_lp_v35_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35OperationalState.setStatus('mandatory')
msc_lp_v35_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35UsageState.setStatus('mandatory')
msc_lp_v35_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35AvailabilityStatus.setStatus('mandatory')
msc_lp_v35_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35ProceduralStatus.setStatus('mandatory')
msc_lp_v35_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35ControlStatus.setStatus('mandatory')
msc_lp_v35_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35AlarmStatus.setStatus('mandatory')
msc_lp_v35_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35StandbyStatus.setStatus('mandatory')
msc_lp_v35_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35UnknownStatus.setStatus('mandatory')
msc_lp_v35_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16))
if mibBuilder.loadTexts:
mscLpV35OperTable.setStatus('mandatory')
msc_lp_v35_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'))
if mibBuilder.loadTexts:
mscLpV35OperEntry.setStatus('mandatory')
msc_lp_v35_actual_link_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 128))).clone(namedValues=named_values(('dte', 0), ('dce', 128)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35ActualLinkMode.setStatus('mandatory')
msc_lp_v35_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35LineState.setStatus('mandatory')
msc_lp_v35_actual_tx_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35ActualTxLineSpeed.setStatus('mandatory')
msc_lp_v35_actual_rx_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35ActualRxLineSpeed.setStatus('mandatory')
msc_lp_v35_data_xfer_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 16, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35DataXferStateChanges.setStatus('mandatory')
msc_lp_v35_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2))
msc_lp_v35_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1))
if mibBuilder.loadTexts:
mscLpV35TestRowStatusTable.setStatus('mandatory')
msc_lp_v35_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35TestIndex'))
if mibBuilder.loadTexts:
mscLpV35TestRowStatusEntry.setStatus('mandatory')
msc_lp_v35_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestRowStatus.setStatus('mandatory')
msc_lp_v35_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestComponentName.setStatus('mandatory')
msc_lp_v35_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestStorageType.setStatus('mandatory')
msc_lp_v35_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpV35TestIndex.setStatus('mandatory')
msc_lp_v35_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10))
if mibBuilder.loadTexts:
mscLpV35TestStateTable.setStatus('mandatory')
msc_lp_v35_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35TestIndex'))
if mibBuilder.loadTexts:
mscLpV35TestStateEntry.setStatus('mandatory')
msc_lp_v35_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestAdminState.setStatus('mandatory')
msc_lp_v35_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestOperationalState.setStatus('mandatory')
msc_lp_v35_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestUsageState.setStatus('mandatory')
msc_lp_v35_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11))
if mibBuilder.loadTexts:
mscLpV35TestSetupTable.setStatus('mandatory')
msc_lp_v35_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35TestIndex'))
if mibBuilder.loadTexts:
mscLpV35TestSetupEntry.setStatus('mandatory')
msc_lp_v35_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestPurpose.setStatus('mandatory')
msc_lp_v35_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestType.setStatus('mandatory')
msc_lp_v35_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestFrmSize.setStatus('mandatory')
msc_lp_v35_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestFrmPatternType.setStatus('mandatory')
msc_lp_v35_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestCustomizedPattern.setStatus('mandatory')
msc_lp_v35_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestDataStartDelay.setStatus('mandatory')
msc_lp_v35_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestDisplayInterval.setStatus('mandatory')
msc_lp_v35_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpV35TestDuration.setStatus('mandatory')
msc_lp_v35_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12))
if mibBuilder.loadTexts:
mscLpV35TestResultsTable.setStatus('mandatory')
msc_lp_v35_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpV35TestIndex'))
if mibBuilder.loadTexts:
mscLpV35TestResultsEntry.setStatus('mandatory')
msc_lp_v35_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestElapsedTime.setStatus('mandatory')
msc_lp_v35_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestTimeRemaining.setStatus('mandatory')
msc_lp_v35_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestCauseOfTermination.setStatus('mandatory')
msc_lp_v35_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestBitsTx.setStatus('mandatory')
msc_lp_v35_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestBytesTx.setStatus('mandatory')
msc_lp_v35_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestFrmTx.setStatus('mandatory')
msc_lp_v35_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestBitsRx.setStatus('mandatory')
msc_lp_v35_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestBytesRx.setStatus('mandatory')
msc_lp_v35_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestFrmRx.setStatus('mandatory')
msc_lp_v35_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestErroredFrmRx.setStatus('mandatory')
msc_lp_v35_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 9, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpV35TestBitErrorRate.setStatus('mandatory')
msc_lp_x21 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10))
msc_lp_x21_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1))
if mibBuilder.loadTexts:
mscLpX21RowStatusTable.setStatus('mandatory')
msc_lp_x21_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21RowStatusEntry.setStatus('mandatory')
msc_lp_x21_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21RowStatus.setStatus('mandatory')
msc_lp_x21_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21ComponentName.setStatus('mandatory')
msc_lp_x21_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21StorageType.setStatus('mandatory')
msc_lp_x21_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 7)))
if mibBuilder.loadTexts:
mscLpX21Index.setStatus('mandatory')
msc_lp_x21_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10))
if mibBuilder.loadTexts:
mscLpX21ProvTable.setStatus('mandatory')
msc_lp_x21_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21ProvEntry.setStatus('mandatory')
msc_lp_x21_link_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 128))).clone(namedValues=named_values(('dte', 0), ('dce', 128))).clone('dte')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21LinkMode.setStatus('mandatory')
msc_lp_x21_ready_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='c0')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21ReadyLineState.setStatus('mandatory')
msc_lp_x21_data_transfer_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='c0')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21DataTransferLineState.setStatus('mandatory')
msc_lp_x21_line_status_time_out = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(10, 20000)).clone(1000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21LineStatusTimeOut.setStatus('mandatory')
msc_lp_x21_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(9600, 7680000)).clone(192000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21LineSpeed.setStatus('mandatory')
msc_lp_x21_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('local', 0), ('module', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21ClockingSource.setStatus('mandatory')
msc_lp_x21_dte_data_clock_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 2))).clone(namedValues=named_values(('fromDce', 0), ('fromDte', 2))).clone('fromDce')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21DteDataClockSource.setStatus('mandatory')
msc_lp_x21_line_termination_required = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1))).clone('yes')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21LineTerminationRequired.setStatus('mandatory')
msc_lp_x21_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 9), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21ApplicationFramerName.setStatus('mandatory')
msc_lp_x21_enable_dynamic_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 10, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1))).clone('no')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21EnableDynamicSpeed.setStatus('mandatory')
msc_lp_x21_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 11))
if mibBuilder.loadTexts:
mscLpX21CidDataTable.setStatus('mandatory')
msc_lp_x21_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21CidDataEntry.setStatus('mandatory')
msc_lp_x21_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21CustomerIdentifier.setStatus('mandatory')
msc_lp_x21_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12))
if mibBuilder.loadTexts:
mscLpX21AdminInfoTable.setStatus('mandatory')
msc_lp_x21_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21AdminInfoEntry.setStatus('mandatory')
msc_lp_x21_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21Vendor.setStatus('mandatory')
msc_lp_x21_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21CommentText.setStatus('mandatory')
msc_lp_x21_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13))
if mibBuilder.loadTexts:
mscLpX21IfEntryTable.setStatus('mandatory')
msc_lp_x21_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21IfEntryEntry.setStatus('mandatory')
msc_lp_x21_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21IfAdminStatus.setStatus('mandatory')
msc_lp_x21_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21IfIndex.setStatus('mandatory')
msc_lp_x21_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 14))
if mibBuilder.loadTexts:
mscLpX21OperStatusTable.setStatus('mandatory')
msc_lp_x21_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21OperStatusEntry.setStatus('mandatory')
msc_lp_x21_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21SnmpOperStatus.setStatus('mandatory')
msc_lp_x21_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15))
if mibBuilder.loadTexts:
mscLpX21StateTable.setStatus('mandatory')
msc_lp_x21_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21StateEntry.setStatus('mandatory')
msc_lp_x21_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21AdminState.setStatus('mandatory')
msc_lp_x21_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21OperationalState.setStatus('mandatory')
msc_lp_x21_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21UsageState.setStatus('mandatory')
msc_lp_x21_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21AvailabilityStatus.setStatus('mandatory')
msc_lp_x21_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21ProceduralStatus.setStatus('mandatory')
msc_lp_x21_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21ControlStatus.setStatus('mandatory')
msc_lp_x21_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21AlarmStatus.setStatus('mandatory')
msc_lp_x21_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21StandbyStatus.setStatus('mandatory')
msc_lp_x21_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21UnknownStatus.setStatus('mandatory')
msc_lp_x21_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16))
if mibBuilder.loadTexts:
mscLpX21OperTable.setStatus('mandatory')
msc_lp_x21_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'))
if mibBuilder.loadTexts:
mscLpX21OperEntry.setStatus('mandatory')
msc_lp_x21_actual_link_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 128))).clone(namedValues=named_values(('dte', 0), ('dce', 128)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21ActualLinkMode.setStatus('mandatory')
msc_lp_x21_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21LineState.setStatus('mandatory')
msc_lp_x21_actual_tx_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21ActualTxLineSpeed.setStatus('mandatory')
msc_lp_x21_actual_rx_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21ActualRxLineSpeed.setStatus('mandatory')
msc_lp_x21_data_xfer_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 16, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21DataXferStateChanges.setStatus('mandatory')
msc_lp_x21_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2))
msc_lp_x21_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1))
if mibBuilder.loadTexts:
mscLpX21TestRowStatusTable.setStatus('mandatory')
msc_lp_x21_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21TestIndex'))
if mibBuilder.loadTexts:
mscLpX21TestRowStatusEntry.setStatus('mandatory')
msc_lp_x21_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestRowStatus.setStatus('mandatory')
msc_lp_x21_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestComponentName.setStatus('mandatory')
msc_lp_x21_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestStorageType.setStatus('mandatory')
msc_lp_x21_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpX21TestIndex.setStatus('mandatory')
msc_lp_x21_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10))
if mibBuilder.loadTexts:
mscLpX21TestStateTable.setStatus('mandatory')
msc_lp_x21_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21TestIndex'))
if mibBuilder.loadTexts:
mscLpX21TestStateEntry.setStatus('mandatory')
msc_lp_x21_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestAdminState.setStatus('mandatory')
msc_lp_x21_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestOperationalState.setStatus('mandatory')
msc_lp_x21_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestUsageState.setStatus('mandatory')
msc_lp_x21_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11))
if mibBuilder.loadTexts:
mscLpX21TestSetupTable.setStatus('mandatory')
msc_lp_x21_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21TestIndex'))
if mibBuilder.loadTexts:
mscLpX21TestSetupEntry.setStatus('mandatory')
msc_lp_x21_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestPurpose.setStatus('mandatory')
msc_lp_x21_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestType.setStatus('mandatory')
msc_lp_x21_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestFrmSize.setStatus('mandatory')
msc_lp_x21_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestFrmPatternType.setStatus('mandatory')
msc_lp_x21_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestCustomizedPattern.setStatus('mandatory')
msc_lp_x21_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestDataStartDelay.setStatus('mandatory')
msc_lp_x21_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestDisplayInterval.setStatus('mandatory')
msc_lp_x21_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpX21TestDuration.setStatus('mandatory')
msc_lp_x21_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12))
if mibBuilder.loadTexts:
mscLpX21TestResultsTable.setStatus('mandatory')
msc_lp_x21_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpX21TestIndex'))
if mibBuilder.loadTexts:
mscLpX21TestResultsEntry.setStatus('mandatory')
msc_lp_x21_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestElapsedTime.setStatus('mandatory')
msc_lp_x21_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestTimeRemaining.setStatus('mandatory')
msc_lp_x21_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestCauseOfTermination.setStatus('mandatory')
msc_lp_x21_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestBitsTx.setStatus('mandatory')
msc_lp_x21_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestBytesTx.setStatus('mandatory')
msc_lp_x21_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestFrmTx.setStatus('mandatory')
msc_lp_x21_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestBitsRx.setStatus('mandatory')
msc_lp_x21_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestBytesRx.setStatus('mandatory')
msc_lp_x21_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestFrmRx.setStatus('mandatory')
msc_lp_x21_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestErroredFrmRx.setStatus('mandatory')
msc_lp_x21_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 10, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpX21TestBitErrorRate.setStatus('mandatory')
msc_lp_sonet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14))
msc_lp_sonet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1))
if mibBuilder.loadTexts:
mscLpSonetRowStatusTable.setStatus('mandatory')
msc_lp_sonet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetRowStatusEntry.setStatus('mandatory')
msc_lp_sonet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetRowStatus.setStatus('mandatory')
msc_lp_sonet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetComponentName.setStatus('mandatory')
msc_lp_sonet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetStorageType.setStatus('mandatory')
msc_lp_sonet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 3)))
if mibBuilder.loadTexts:
mscLpSonetIndex.setStatus('mandatory')
msc_lp_sonet_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 10))
if mibBuilder.loadTexts:
mscLpSonetProvTable.setStatus('mandatory')
msc_lp_sonet_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetProvEntry.setStatus('mandatory')
msc_lp_sonet_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetClockingSource.setStatus('mandatory')
msc_lp_sonet_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 11))
if mibBuilder.loadTexts:
mscLpSonetCidDataTable.setStatus('mandatory')
msc_lp_sonet_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetCidDataEntry.setStatus('mandatory')
msc_lp_sonet_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetCustomerIdentifier.setStatus('mandatory')
msc_lp_sonet_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12))
if mibBuilder.loadTexts:
mscLpSonetAdminInfoTable.setStatus('mandatory')
msc_lp_sonet_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetAdminInfoEntry.setStatus('mandatory')
msc_lp_sonet_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetVendor.setStatus('mandatory')
msc_lp_sonet_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetCommentText.setStatus('mandatory')
msc_lp_sonet_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13))
if mibBuilder.loadTexts:
mscLpSonetIfEntryTable.setStatus('mandatory')
msc_lp_sonet_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetIfEntryEntry.setStatus('mandatory')
msc_lp_sonet_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetIfAdminStatus.setStatus('mandatory')
msc_lp_sonet_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetIfIndex.setStatus('mandatory')
msc_lp_sonet_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 14))
if mibBuilder.loadTexts:
mscLpSonetOperStatusTable.setStatus('mandatory')
msc_lp_sonet_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetOperStatusEntry.setStatus('mandatory')
msc_lp_sonet_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSnmpOperStatus.setStatus('mandatory')
msc_lp_sonet_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15))
if mibBuilder.loadTexts:
mscLpSonetStateTable.setStatus('mandatory')
msc_lp_sonet_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetStateEntry.setStatus('mandatory')
msc_lp_sonet_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetAdminState.setStatus('mandatory')
msc_lp_sonet_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetOperationalState.setStatus('mandatory')
msc_lp_sonet_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetUsageState.setStatus('mandatory')
msc_lp_sonet_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetAvailabilityStatus.setStatus('mandatory')
msc_lp_sonet_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetProceduralStatus.setStatus('mandatory')
msc_lp_sonet_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetControlStatus.setStatus('mandatory')
msc_lp_sonet_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetAlarmStatus.setStatus('mandatory')
msc_lp_sonet_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetStandbyStatus.setStatus('mandatory')
msc_lp_sonet_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetUnknownStatus.setStatus('mandatory')
msc_lp_sonet_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16))
if mibBuilder.loadTexts:
mscLpSonetOperTable.setStatus('mandatory')
msc_lp_sonet_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetOperEntry.setStatus('mandatory')
msc_lp_sonet_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLosAlarm.setStatus('mandatory')
msc_lp_sonet_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLofAlarm.setStatus('mandatory')
msc_lp_sonet_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetRxAisAlarm.setStatus('mandatory')
msc_lp_sonet_rx_rfi_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetRxRfiAlarm.setStatus('mandatory')
msc_lp_sonet_tx_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTxAis.setStatus('mandatory')
msc_lp_sonet_tx_rdi = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTxRdi.setStatus('mandatory')
msc_lp_sonet_unusable_tx_clock_ref_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 16, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetUnusableTxClockRefAlarm.setStatus('mandatory')
msc_lp_sonet_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17))
if mibBuilder.loadTexts:
mscLpSonetStatsTable.setStatus('mandatory')
msc_lp_sonet_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'))
if mibBuilder.loadTexts:
mscLpSonetStatsEntry.setStatus('mandatory')
msc_lp_sonet_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetRunningTime.setStatus('mandatory')
msc_lp_sonet_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetErrorFreeSec.setStatus('mandatory')
msc_lp_sonet_sect_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSectCodeViolations.setStatus('mandatory')
msc_lp_sonet_sect_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSectErroredSec.setStatus('mandatory')
msc_lp_sonet_sect_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSectSevErroredSec.setStatus('mandatory')
msc_lp_sonet_sect_los_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSectLosSec.setStatus('mandatory')
msc_lp_sonet_sect_sev_errored_frm_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSectSevErroredFrmSec.setStatus('mandatory')
msc_lp_sonet_sect_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetSectFailures.setStatus('mandatory')
msc_lp_sonet_line_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLineCodeViolations.setStatus('mandatory')
msc_lp_sonet_line_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLineErroredSec.setStatus('mandatory')
msc_lp_sonet_line_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLineSevErroredSec.setStatus('mandatory')
msc_lp_sonet_line_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLineAisSec.setStatus('mandatory')
msc_lp_sonet_line_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLineUnavailSec.setStatus('mandatory')
msc_lp_sonet_line_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetLineFailures.setStatus('mandatory')
msc_lp_sonet_far_end_line_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineErrorFreeSec.setStatus('mandatory')
msc_lp_sonet_far_end_line_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineCodeViolations.setStatus('mandatory')
msc_lp_sonet_far_end_line_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 17), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineErroredSec.setStatus('mandatory')
msc_lp_sonet_far_end_line_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 18), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineSevErroredSec.setStatus('mandatory')
msc_lp_sonet_far_end_line_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineAisSec.setStatus('mandatory')
msc_lp_sonet_far_end_line_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 20), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineUnavailSec.setStatus('mandatory')
msc_lp_sonet_far_end_line_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 17, 1, 21), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetFarEndLineFailures.setStatus('mandatory')
msc_lp_sonet_path = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2))
msc_lp_sonet_path_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1))
if mibBuilder.loadTexts:
mscLpSonetPathRowStatusTable.setStatus('mandatory')
msc_lp_sonet_path_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathRowStatusEntry.setStatus('mandatory')
msc_lp_sonet_path_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathRowStatus.setStatus('mandatory')
msc_lp_sonet_path_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathComponentName.setStatus('mandatory')
msc_lp_sonet_path_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathStorageType.setStatus('mandatory')
msc_lp_sonet_path_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 0)))
if mibBuilder.loadTexts:
mscLpSonetPathIndex.setStatus('mandatory')
msc_lp_sonet_path_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 10))
if mibBuilder.loadTexts:
mscLpSonetPathProvTable.setStatus('mandatory')
msc_lp_sonet_path_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathProvEntry.setStatus('mandatory')
msc_lp_sonet_path_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 10, 1, 1), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathApplicationFramerName.setStatus('mandatory')
msc_lp_sonet_path_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 11))
if mibBuilder.loadTexts:
mscLpSonetPathCidDataTable.setStatus('mandatory')
msc_lp_sonet_path_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathCidDataEntry.setStatus('mandatory')
msc_lp_sonet_path_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathCustomerIdentifier.setStatus('mandatory')
msc_lp_sonet_path_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12))
if mibBuilder.loadTexts:
mscLpSonetPathStateTable.setStatus('mandatory')
msc_lp_sonet_path_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathStateEntry.setStatus('mandatory')
msc_lp_sonet_path_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathAdminState.setStatus('mandatory')
msc_lp_sonet_path_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathOperationalState.setStatus('mandatory')
msc_lp_sonet_path_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathUsageState.setStatus('mandatory')
msc_lp_sonet_path_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathAvailabilityStatus.setStatus('mandatory')
msc_lp_sonet_path_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathProceduralStatus.setStatus('mandatory')
msc_lp_sonet_path_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathControlStatus.setStatus('mandatory')
msc_lp_sonet_path_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathAlarmStatus.setStatus('mandatory')
msc_lp_sonet_path_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathStandbyStatus.setStatus('mandatory')
msc_lp_sonet_path_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 12, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathUnknownStatus.setStatus('mandatory')
msc_lp_sonet_path_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13))
if mibBuilder.loadTexts:
mscLpSonetPathIfEntryTable.setStatus('mandatory')
msc_lp_sonet_path_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathIfEntryEntry.setStatus('mandatory')
msc_lp_sonet_path_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathIfAdminStatus.setStatus('mandatory')
msc_lp_sonet_path_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathIfIndex.setStatus('mandatory')
msc_lp_sonet_path_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 14))
if mibBuilder.loadTexts:
mscLpSonetPathOperStatusTable.setStatus('mandatory')
msc_lp_sonet_path_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathOperStatusEntry.setStatus('mandatory')
msc_lp_sonet_path_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathSnmpOperStatus.setStatus('mandatory')
msc_lp_sonet_path_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15))
if mibBuilder.loadTexts:
mscLpSonetPathOperTable.setStatus('mandatory')
msc_lp_sonet_path_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathOperEntry.setStatus('mandatory')
msc_lp_sonet_path_lop_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathLopAlarm.setStatus('mandatory')
msc_lp_sonet_path_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathRxAisAlarm.setStatus('mandatory')
msc_lp_sonet_path_rx_rfi_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathRxRfiAlarm.setStatus('mandatory')
msc_lp_sonet_path_signal_label_mismatch = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathSignalLabelMismatch.setStatus('mandatory')
msc_lp_sonet_path_tx_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathTxAis.setStatus('mandatory')
msc_lp_sonet_path_tx_rdi = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 15, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathTxRdi.setStatus('mandatory')
msc_lp_sonet_path_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16))
if mibBuilder.loadTexts:
mscLpSonetPathStatsTable.setStatus('mandatory')
msc_lp_sonet_path_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathStatsEntry.setStatus('mandatory')
msc_lp_sonet_path_path_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathErrorFreeSec.setStatus('mandatory')
msc_lp_sonet_path_path_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathCodeViolations.setStatus('mandatory')
msc_lp_sonet_path_path_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathErroredSec.setStatus('mandatory')
msc_lp_sonet_path_path_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathSevErroredSec.setStatus('mandatory')
msc_lp_sonet_path_path_ais_lop_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathAisLopSec.setStatus('mandatory')
msc_lp_sonet_path_path_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathUnavailSec.setStatus('mandatory')
msc_lp_sonet_path_path_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathPathFailures.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathErrorFreeSec.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathCodeViolations.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathErroredSec.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathSevErroredSec.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_ais_lop_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathAisLopSec.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathUnavailSec.setStatus('mandatory')
msc_lp_sonet_path_far_end_path_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 16, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathFarEndPathFailures.setStatus('mandatory')
msc_lp_sonet_path_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2))
msc_lp_sonet_path_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1))
if mibBuilder.loadTexts:
mscLpSonetPathCellRowStatusTable.setStatus('mandatory')
msc_lp_sonet_path_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathCellRowStatusEntry.setStatus('mandatory')
msc_lp_sonet_path_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellRowStatus.setStatus('mandatory')
msc_lp_sonet_path_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellComponentName.setStatus('mandatory')
msc_lp_sonet_path_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellStorageType.setStatus('mandatory')
msc_lp_sonet_path_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpSonetPathCellIndex.setStatus('mandatory')
msc_lp_sonet_path_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10))
if mibBuilder.loadTexts:
mscLpSonetPathCellProvTable.setStatus('mandatory')
msc_lp_sonet_path_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathCellProvEntry.setStatus('mandatory')
msc_lp_sonet_path_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathCellAlarmActDelay.setStatus('mandatory')
msc_lp_sonet_path_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathCellScrambleCellPayload.setStatus('mandatory')
msc_lp_sonet_path_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetPathCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_sonet_path_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 11))
if mibBuilder.loadTexts:
mscLpSonetPathCellOperTable.setStatus('mandatory')
msc_lp_sonet_path_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathCellOperEntry.setStatus('mandatory')
msc_lp_sonet_path_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellLcdAlarm.setStatus('mandatory')
msc_lp_sonet_path_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12))
if mibBuilder.loadTexts:
mscLpSonetPathCellStatsTable.setStatus('mandatory')
msc_lp_sonet_path_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSonetPathCellStatsEntry.setStatus('mandatory')
msc_lp_sonet_path_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_sonet_path_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellSevErroredSec.setStatus('mandatory')
msc_lp_sonet_path_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellReceiveCellUtilization.setStatus('mandatory')
msc_lp_sonet_path_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellTransmitCellUtilization.setStatus('mandatory')
msc_lp_sonet_path_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 2, 2, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetPathCellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_sonet_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3))
msc_lp_sonet_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1))
if mibBuilder.loadTexts:
mscLpSonetTestRowStatusTable.setStatus('mandatory')
msc_lp_sonet_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetTestIndex'))
if mibBuilder.loadTexts:
mscLpSonetTestRowStatusEntry.setStatus('mandatory')
msc_lp_sonet_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestRowStatus.setStatus('mandatory')
msc_lp_sonet_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestComponentName.setStatus('mandatory')
msc_lp_sonet_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestStorageType.setStatus('mandatory')
msc_lp_sonet_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpSonetTestIndex.setStatus('mandatory')
msc_lp_sonet_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10))
if mibBuilder.loadTexts:
mscLpSonetTestStateTable.setStatus('mandatory')
msc_lp_sonet_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetTestIndex'))
if mibBuilder.loadTexts:
mscLpSonetTestStateEntry.setStatus('mandatory')
msc_lp_sonet_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestAdminState.setStatus('mandatory')
msc_lp_sonet_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestOperationalState.setStatus('mandatory')
msc_lp_sonet_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestUsageState.setStatus('mandatory')
msc_lp_sonet_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11))
if mibBuilder.loadTexts:
mscLpSonetTestSetupTable.setStatus('mandatory')
msc_lp_sonet_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetTestIndex'))
if mibBuilder.loadTexts:
mscLpSonetTestSetupEntry.setStatus('mandatory')
msc_lp_sonet_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestPurpose.setStatus('mandatory')
msc_lp_sonet_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestType.setStatus('mandatory')
msc_lp_sonet_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestFrmSize.setStatus('mandatory')
msc_lp_sonet_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestFrmPatternType.setStatus('mandatory')
msc_lp_sonet_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestCustomizedPattern.setStatus('mandatory')
msc_lp_sonet_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestDataStartDelay.setStatus('mandatory')
msc_lp_sonet_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestDisplayInterval.setStatus('mandatory')
msc_lp_sonet_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSonetTestDuration.setStatus('mandatory')
msc_lp_sonet_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12))
if mibBuilder.loadTexts:
mscLpSonetTestResultsTable.setStatus('mandatory')
msc_lp_sonet_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSonetTestIndex'))
if mibBuilder.loadTexts:
mscLpSonetTestResultsEntry.setStatus('mandatory')
msc_lp_sonet_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestElapsedTime.setStatus('mandatory')
msc_lp_sonet_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestTimeRemaining.setStatus('mandatory')
msc_lp_sonet_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestCauseOfTermination.setStatus('mandatory')
msc_lp_sonet_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestBitsTx.setStatus('mandatory')
msc_lp_sonet_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestBytesTx.setStatus('mandatory')
msc_lp_sonet_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestFrmTx.setStatus('mandatory')
msc_lp_sonet_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestBitsRx.setStatus('mandatory')
msc_lp_sonet_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestBytesRx.setStatus('mandatory')
msc_lp_sonet_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestFrmRx.setStatus('mandatory')
msc_lp_sonet_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestErroredFrmRx.setStatus('mandatory')
msc_lp_sonet_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 14, 3, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSonetTestBitErrorRate.setStatus('mandatory')
msc_lp_sdh = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15))
msc_lp_sdh_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1))
if mibBuilder.loadTexts:
mscLpSdhRowStatusTable.setStatus('mandatory')
msc_lp_sdh_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhRowStatusEntry.setStatus('mandatory')
msc_lp_sdh_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhRowStatus.setStatus('mandatory')
msc_lp_sdh_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhComponentName.setStatus('mandatory')
msc_lp_sdh_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhStorageType.setStatus('mandatory')
msc_lp_sdh_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 3)))
if mibBuilder.loadTexts:
mscLpSdhIndex.setStatus('mandatory')
msc_lp_sdh_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 10))
if mibBuilder.loadTexts:
mscLpSdhProvTable.setStatus('mandatory')
msc_lp_sdh_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhProvEntry.setStatus('mandatory')
msc_lp_sdh_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhClockingSource.setStatus('mandatory')
msc_lp_sdh_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 11))
if mibBuilder.loadTexts:
mscLpSdhCidDataTable.setStatus('mandatory')
msc_lp_sdh_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhCidDataEntry.setStatus('mandatory')
msc_lp_sdh_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhCustomerIdentifier.setStatus('mandatory')
msc_lp_sdh_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12))
if mibBuilder.loadTexts:
mscLpSdhAdminInfoTable.setStatus('mandatory')
msc_lp_sdh_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhAdminInfoEntry.setStatus('mandatory')
msc_lp_sdh_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhVendor.setStatus('mandatory')
msc_lp_sdh_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhCommentText.setStatus('mandatory')
msc_lp_sdh_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13))
if mibBuilder.loadTexts:
mscLpSdhIfEntryTable.setStatus('mandatory')
msc_lp_sdh_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhIfEntryEntry.setStatus('mandatory')
msc_lp_sdh_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhIfAdminStatus.setStatus('mandatory')
msc_lp_sdh_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhIfIndex.setStatus('mandatory')
msc_lp_sdh_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 14))
if mibBuilder.loadTexts:
mscLpSdhOperStatusTable.setStatus('mandatory')
msc_lp_sdh_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhOperStatusEntry.setStatus('mandatory')
msc_lp_sdh_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSnmpOperStatus.setStatus('mandatory')
msc_lp_sdh_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15))
if mibBuilder.loadTexts:
mscLpSdhStateTable.setStatus('mandatory')
msc_lp_sdh_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhStateEntry.setStatus('mandatory')
msc_lp_sdh_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhAdminState.setStatus('mandatory')
msc_lp_sdh_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhOperationalState.setStatus('mandatory')
msc_lp_sdh_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhUsageState.setStatus('mandatory')
msc_lp_sdh_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhAvailabilityStatus.setStatus('mandatory')
msc_lp_sdh_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhProceduralStatus.setStatus('mandatory')
msc_lp_sdh_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhControlStatus.setStatus('mandatory')
msc_lp_sdh_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhAlarmStatus.setStatus('mandatory')
msc_lp_sdh_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhStandbyStatus.setStatus('mandatory')
msc_lp_sdh_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhUnknownStatus.setStatus('mandatory')
msc_lp_sdh_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16))
if mibBuilder.loadTexts:
mscLpSdhOperTable.setStatus('mandatory')
msc_lp_sdh_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhOperEntry.setStatus('mandatory')
msc_lp_sdh_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLosAlarm.setStatus('mandatory')
msc_lp_sdh_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLofAlarm.setStatus('mandatory')
msc_lp_sdh_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhRxAisAlarm.setStatus('mandatory')
msc_lp_sdh_rx_rfi_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhRxRfiAlarm.setStatus('mandatory')
msc_lp_sdh_tx_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTxAis.setStatus('mandatory')
msc_lp_sdh_tx_rdi = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTxRdi.setStatus('mandatory')
msc_lp_sdh_unusable_tx_clock_ref_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 16, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhUnusableTxClockRefAlarm.setStatus('mandatory')
msc_lp_sdh_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17))
if mibBuilder.loadTexts:
mscLpSdhStatsTable.setStatus('mandatory')
msc_lp_sdh_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'))
if mibBuilder.loadTexts:
mscLpSdhStatsEntry.setStatus('mandatory')
msc_lp_sdh_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhRunningTime.setStatus('mandatory')
msc_lp_sdh_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhErrorFreeSec.setStatus('mandatory')
msc_lp_sdh_sect_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSectCodeViolations.setStatus('mandatory')
msc_lp_sdh_sect_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSectErroredSec.setStatus('mandatory')
msc_lp_sdh_sect_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSectSevErroredSec.setStatus('mandatory')
msc_lp_sdh_sect_los_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSectLosSec.setStatus('mandatory')
msc_lp_sdh_sect_sev_errored_frm_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSectSevErroredFrmSec.setStatus('mandatory')
msc_lp_sdh_sect_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhSectFailures.setStatus('mandatory')
msc_lp_sdh_line_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLineCodeViolations.setStatus('mandatory')
msc_lp_sdh_line_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLineErroredSec.setStatus('mandatory')
msc_lp_sdh_line_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLineSevErroredSec.setStatus('mandatory')
msc_lp_sdh_line_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLineAisSec.setStatus('mandatory')
msc_lp_sdh_line_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLineUnavailSec.setStatus('mandatory')
msc_lp_sdh_line_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhLineFailures.setStatus('mandatory')
msc_lp_sdh_far_end_line_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineErrorFreeSec.setStatus('mandatory')
msc_lp_sdh_far_end_line_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineCodeViolations.setStatus('mandatory')
msc_lp_sdh_far_end_line_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 17), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineErroredSec.setStatus('mandatory')
msc_lp_sdh_far_end_line_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 18), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineSevErroredSec.setStatus('mandatory')
msc_lp_sdh_far_end_line_ais_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineAisSec.setStatus('mandatory')
msc_lp_sdh_far_end_line_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 20), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineUnavailSec.setStatus('mandatory')
msc_lp_sdh_far_end_line_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 17, 1, 21), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhFarEndLineFailures.setStatus('mandatory')
msc_lp_sdh_path = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2))
msc_lp_sdh_path_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1))
if mibBuilder.loadTexts:
mscLpSdhPathRowStatusTable.setStatus('mandatory')
msc_lp_sdh_path_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathRowStatusEntry.setStatus('mandatory')
msc_lp_sdh_path_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathRowStatus.setStatus('mandatory')
msc_lp_sdh_path_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathComponentName.setStatus('mandatory')
msc_lp_sdh_path_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathStorageType.setStatus('mandatory')
msc_lp_sdh_path_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 0)))
if mibBuilder.loadTexts:
mscLpSdhPathIndex.setStatus('mandatory')
msc_lp_sdh_path_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 10))
if mibBuilder.loadTexts:
mscLpSdhPathProvTable.setStatus('mandatory')
msc_lp_sdh_path_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathProvEntry.setStatus('mandatory')
msc_lp_sdh_path_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 10, 1, 1), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathApplicationFramerName.setStatus('mandatory')
msc_lp_sdh_path_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 11))
if mibBuilder.loadTexts:
mscLpSdhPathCidDataTable.setStatus('mandatory')
msc_lp_sdh_path_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathCidDataEntry.setStatus('mandatory')
msc_lp_sdh_path_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathCustomerIdentifier.setStatus('mandatory')
msc_lp_sdh_path_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12))
if mibBuilder.loadTexts:
mscLpSdhPathStateTable.setStatus('mandatory')
msc_lp_sdh_path_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathStateEntry.setStatus('mandatory')
msc_lp_sdh_path_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathAdminState.setStatus('mandatory')
msc_lp_sdh_path_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathOperationalState.setStatus('mandatory')
msc_lp_sdh_path_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathUsageState.setStatus('mandatory')
msc_lp_sdh_path_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathAvailabilityStatus.setStatus('mandatory')
msc_lp_sdh_path_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathProceduralStatus.setStatus('mandatory')
msc_lp_sdh_path_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathControlStatus.setStatus('mandatory')
msc_lp_sdh_path_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathAlarmStatus.setStatus('mandatory')
msc_lp_sdh_path_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathStandbyStatus.setStatus('mandatory')
msc_lp_sdh_path_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 12, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathUnknownStatus.setStatus('mandatory')
msc_lp_sdh_path_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13))
if mibBuilder.loadTexts:
mscLpSdhPathIfEntryTable.setStatus('mandatory')
msc_lp_sdh_path_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathIfEntryEntry.setStatus('mandatory')
msc_lp_sdh_path_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathIfAdminStatus.setStatus('mandatory')
msc_lp_sdh_path_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathIfIndex.setStatus('mandatory')
msc_lp_sdh_path_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 14))
if mibBuilder.loadTexts:
mscLpSdhPathOperStatusTable.setStatus('mandatory')
msc_lp_sdh_path_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathOperStatusEntry.setStatus('mandatory')
msc_lp_sdh_path_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathSnmpOperStatus.setStatus('mandatory')
msc_lp_sdh_path_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15))
if mibBuilder.loadTexts:
mscLpSdhPathOperTable.setStatus('mandatory')
msc_lp_sdh_path_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathOperEntry.setStatus('mandatory')
msc_lp_sdh_path_lop_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathLopAlarm.setStatus('mandatory')
msc_lp_sdh_path_rx_ais_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathRxAisAlarm.setStatus('mandatory')
msc_lp_sdh_path_rx_rfi_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathRxRfiAlarm.setStatus('mandatory')
msc_lp_sdh_path_signal_label_mismatch = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathSignalLabelMismatch.setStatus('mandatory')
msc_lp_sdh_path_tx_ais = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathTxAis.setStatus('mandatory')
msc_lp_sdh_path_tx_rdi = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 15, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathTxRdi.setStatus('mandatory')
msc_lp_sdh_path_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16))
if mibBuilder.loadTexts:
mscLpSdhPathStatsTable.setStatus('mandatory')
msc_lp_sdh_path_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathStatsEntry.setStatus('mandatory')
msc_lp_sdh_path_path_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathErrorFreeSec.setStatus('mandatory')
msc_lp_sdh_path_path_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathCodeViolations.setStatus('mandatory')
msc_lp_sdh_path_path_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathErroredSec.setStatus('mandatory')
msc_lp_sdh_path_path_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathSevErroredSec.setStatus('mandatory')
msc_lp_sdh_path_path_ais_lop_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathAisLopSec.setStatus('mandatory')
msc_lp_sdh_path_path_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathUnavailSec.setStatus('mandatory')
msc_lp_sdh_path_path_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathPathFailures.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathErrorFreeSec.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_code_violations = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathCodeViolations.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathErroredSec.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathSevErroredSec.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_ais_lop_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathAisLopSec.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathUnavailSec.setStatus('mandatory')
msc_lp_sdh_path_far_end_path_failures = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 16, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathFarEndPathFailures.setStatus('mandatory')
msc_lp_sdh_path_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2))
msc_lp_sdh_path_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1))
if mibBuilder.loadTexts:
mscLpSdhPathCellRowStatusTable.setStatus('mandatory')
msc_lp_sdh_path_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathCellRowStatusEntry.setStatus('mandatory')
msc_lp_sdh_path_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellRowStatus.setStatus('mandatory')
msc_lp_sdh_path_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellComponentName.setStatus('mandatory')
msc_lp_sdh_path_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellStorageType.setStatus('mandatory')
msc_lp_sdh_path_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpSdhPathCellIndex.setStatus('mandatory')
msc_lp_sdh_path_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10))
if mibBuilder.loadTexts:
mscLpSdhPathCellProvTable.setStatus('mandatory')
msc_lp_sdh_path_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathCellProvEntry.setStatus('mandatory')
msc_lp_sdh_path_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathCellAlarmActDelay.setStatus('mandatory')
msc_lp_sdh_path_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathCellScrambleCellPayload.setStatus('mandatory')
msc_lp_sdh_path_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhPathCellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_sdh_path_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 11))
if mibBuilder.loadTexts:
mscLpSdhPathCellOperTable.setStatus('mandatory')
msc_lp_sdh_path_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathCellOperEntry.setStatus('mandatory')
msc_lp_sdh_path_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellLcdAlarm.setStatus('mandatory')
msc_lp_sdh_path_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12))
if mibBuilder.loadTexts:
mscLpSdhPathCellStatsTable.setStatus('mandatory')
msc_lp_sdh_path_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhPathCellIndex'))
if mibBuilder.loadTexts:
mscLpSdhPathCellStatsEntry.setStatus('mandatory')
msc_lp_sdh_path_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_sdh_path_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellSevErroredSec.setStatus('mandatory')
msc_lp_sdh_path_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellReceiveCellUtilization.setStatus('mandatory')
msc_lp_sdh_path_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellTransmitCellUtilization.setStatus('mandatory')
msc_lp_sdh_path_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 2, 2, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhPathCellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_sdh_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3))
msc_lp_sdh_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1))
if mibBuilder.loadTexts:
mscLpSdhTestRowStatusTable.setStatus('mandatory')
msc_lp_sdh_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhTestIndex'))
if mibBuilder.loadTexts:
mscLpSdhTestRowStatusEntry.setStatus('mandatory')
msc_lp_sdh_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestRowStatus.setStatus('mandatory')
msc_lp_sdh_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestComponentName.setStatus('mandatory')
msc_lp_sdh_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestStorageType.setStatus('mandatory')
msc_lp_sdh_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpSdhTestIndex.setStatus('mandatory')
msc_lp_sdh_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10))
if mibBuilder.loadTexts:
mscLpSdhTestStateTable.setStatus('mandatory')
msc_lp_sdh_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhTestIndex'))
if mibBuilder.loadTexts:
mscLpSdhTestStateEntry.setStatus('mandatory')
msc_lp_sdh_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestAdminState.setStatus('mandatory')
msc_lp_sdh_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestOperationalState.setStatus('mandatory')
msc_lp_sdh_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestUsageState.setStatus('mandatory')
msc_lp_sdh_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11))
if mibBuilder.loadTexts:
mscLpSdhTestSetupTable.setStatus('mandatory')
msc_lp_sdh_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhTestIndex'))
if mibBuilder.loadTexts:
mscLpSdhTestSetupEntry.setStatus('mandatory')
msc_lp_sdh_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestPurpose.setStatus('mandatory')
msc_lp_sdh_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestType.setStatus('mandatory')
msc_lp_sdh_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestFrmSize.setStatus('mandatory')
msc_lp_sdh_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestFrmPatternType.setStatus('mandatory')
msc_lp_sdh_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestCustomizedPattern.setStatus('mandatory')
msc_lp_sdh_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestDataStartDelay.setStatus('mandatory')
msc_lp_sdh_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestDisplayInterval.setStatus('mandatory')
msc_lp_sdh_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpSdhTestDuration.setStatus('mandatory')
msc_lp_sdh_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12))
if mibBuilder.loadTexts:
mscLpSdhTestResultsTable.setStatus('mandatory')
msc_lp_sdh_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpSdhTestIndex'))
if mibBuilder.loadTexts:
mscLpSdhTestResultsEntry.setStatus('mandatory')
msc_lp_sdh_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestElapsedTime.setStatus('mandatory')
msc_lp_sdh_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestTimeRemaining.setStatus('mandatory')
msc_lp_sdh_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestCauseOfTermination.setStatus('mandatory')
msc_lp_sdh_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestBitsTx.setStatus('mandatory')
msc_lp_sdh_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestBytesTx.setStatus('mandatory')
msc_lp_sdh_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestFrmTx.setStatus('mandatory')
msc_lp_sdh_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestBitsRx.setStatus('mandatory')
msc_lp_sdh_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestBytesRx.setStatus('mandatory')
msc_lp_sdh_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestFrmRx.setStatus('mandatory')
msc_lp_sdh_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestErroredFrmRx.setStatus('mandatory')
msc_lp_sdh_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 15, 3, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpSdhTestBitErrorRate.setStatus('mandatory')
msc_lp_jt2 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16))
msc_lp_jt2_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1))
if mibBuilder.loadTexts:
mscLpJT2RowStatusTable.setStatus('mandatory')
msc_lp_jt2_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2RowStatusEntry.setStatus('mandatory')
msc_lp_jt2_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2RowStatus.setStatus('mandatory')
msc_lp_jt2_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2ComponentName.setStatus('mandatory')
msc_lp_jt2_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2StorageType.setStatus('mandatory')
msc_lp_jt2_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 1)))
if mibBuilder.loadTexts:
mscLpJT2Index.setStatus('mandatory')
msc_lp_jt2_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 10))
if mibBuilder.loadTexts:
mscLpJT2CidDataTable.setStatus('mandatory')
msc_lp_jt2_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2CidDataEntry.setStatus('mandatory')
msc_lp_jt2_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 10, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2CustomerIdentifier.setStatus('mandatory')
msc_lp_jt2_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11))
if mibBuilder.loadTexts:
mscLpJT2ProvTable.setStatus('mandatory')
msc_lp_jt2_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2ProvEntry.setStatus('mandatory')
msc_lp_jt2_clocking_source = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 4))).clone(namedValues=named_values(('local', 0), ('line', 1), ('module', 2), ('otherPort', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2ClockingSource.setStatus('mandatory')
msc_lp_jt2_line_length = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 480))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2LineLength.setStatus('mandatory')
msc_lp_jt2_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 11, 1, 3), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2ApplicationFramerName.setStatus('mandatory')
msc_lp_jt2_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12))
if mibBuilder.loadTexts:
mscLpJT2IfEntryTable.setStatus('mandatory')
msc_lp_jt2_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2IfEntryEntry.setStatus('mandatory')
msc_lp_jt2_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2IfAdminStatus.setStatus('mandatory')
msc_lp_jt2_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 12, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2IfIndex.setStatus('mandatory')
msc_lp_jt2_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 13))
if mibBuilder.loadTexts:
mscLpJT2OperStatusTable.setStatus('mandatory')
msc_lp_jt2_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2OperStatusEntry.setStatus('mandatory')
msc_lp_jt2_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2SnmpOperStatus.setStatus('mandatory')
msc_lp_jt2_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14))
if mibBuilder.loadTexts:
mscLpJT2StateTable.setStatus('mandatory')
msc_lp_jt2_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2StateEntry.setStatus('mandatory')
msc_lp_jt2_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2AdminState.setStatus('mandatory')
msc_lp_jt2_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2OperationalState.setStatus('mandatory')
msc_lp_jt2_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2UsageState.setStatus('mandatory')
msc_lp_jt2_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2AvailabilityStatus.setStatus('mandatory')
msc_lp_jt2_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2ProceduralStatus.setStatus('mandatory')
msc_lp_jt2_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2ControlStatus.setStatus('mandatory')
msc_lp_jt2_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2AlarmStatus.setStatus('mandatory')
msc_lp_jt2_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2StandbyStatus.setStatus('mandatory')
msc_lp_jt2_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 14, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2UnknownStatus.setStatus('mandatory')
msc_lp_jt2_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15))
if mibBuilder.loadTexts:
mscLpJT2OperTable.setStatus('mandatory')
msc_lp_jt2_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2OperEntry.setStatus('mandatory')
msc_lp_jt2_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2LosAlarm.setStatus('mandatory')
msc_lp_jt2_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2LofAlarm.setStatus('mandatory')
msc_lp_jt2_rx_ais_physical_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2RxAisPhysicalAlarm.setStatus('mandatory')
msc_lp_jt2_rx_ais_payload_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2RxAisPayloadAlarm.setStatus('mandatory')
msc_lp_jt2_rx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2RxRaiAlarm.setStatus('mandatory')
msc_lp_jt2_tx_ais_physical_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TxAisPhysicalAlarm.setStatus('mandatory')
msc_lp_jt2_tx_rai_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 15, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TxRaiAlarm.setStatus('mandatory')
msc_lp_jt2_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16))
if mibBuilder.loadTexts:
mscLpJT2StatsTable.setStatus('mandatory')
msc_lp_jt2_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2StatsEntry.setStatus('mandatory')
msc_lp_jt2_running_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2RunningTime.setStatus('mandatory')
msc_lp_jt2_error_free_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2ErrorFreeSec.setStatus('mandatory')
msc_lp_jt2_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2ErroredSec.setStatus('mandatory')
msc_lp_jt2_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2SevErroredSec.setStatus('mandatory')
msc_lp_jt2_sev_errored_frm_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2SevErroredFrmSec.setStatus('mandatory')
msc_lp_jt2_unavail_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2UnavailSec.setStatus('mandatory')
msc_lp_jt2_bpv_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2BpvErrors.setStatus('mandatory')
msc_lp_jt2_crc_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CrcErrors.setStatus('mandatory')
msc_lp_jt2_frame_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2FrameErrors.setStatus('mandatory')
msc_lp_jt2_los_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 16, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2LosStateChanges.setStatus('mandatory')
msc_lp_jt2_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17))
if mibBuilder.loadTexts:
mscLpJT2AdminInfoTable.setStatus('mandatory')
msc_lp_jt2_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'))
if mibBuilder.loadTexts:
mscLpJT2AdminInfoEntry.setStatus('mandatory')
msc_lp_jt2_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2Vendor.setStatus('mandatory')
msc_lp_jt2_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 17, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2CommentText.setStatus('mandatory')
msc_lp_jt2_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2))
msc_lp_jt2_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1))
if mibBuilder.loadTexts:
mscLpJT2TestRowStatusTable.setStatus('mandatory')
msc_lp_jt2_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2TestIndex'))
if mibBuilder.loadTexts:
mscLpJT2TestRowStatusEntry.setStatus('mandatory')
msc_lp_jt2_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestRowStatus.setStatus('mandatory')
msc_lp_jt2_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestComponentName.setStatus('mandatory')
msc_lp_jt2_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestStorageType.setStatus('mandatory')
msc_lp_jt2_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpJT2TestIndex.setStatus('mandatory')
msc_lp_jt2_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10))
if mibBuilder.loadTexts:
mscLpJT2TestStateTable.setStatus('mandatory')
msc_lp_jt2_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2TestIndex'))
if mibBuilder.loadTexts:
mscLpJT2TestStateEntry.setStatus('mandatory')
msc_lp_jt2_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestAdminState.setStatus('mandatory')
msc_lp_jt2_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestOperationalState.setStatus('mandatory')
msc_lp_jt2_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestUsageState.setStatus('mandatory')
msc_lp_jt2_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11))
if mibBuilder.loadTexts:
mscLpJT2TestSetupTable.setStatus('mandatory')
msc_lp_jt2_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2TestIndex'))
if mibBuilder.loadTexts:
mscLpJT2TestSetupEntry.setStatus('mandatory')
msc_lp_jt2_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestPurpose.setStatus('mandatory')
msc_lp_jt2_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestType.setStatus('mandatory')
msc_lp_jt2_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestFrmSize.setStatus('mandatory')
msc_lp_jt2_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestFrmPatternType.setStatus('mandatory')
msc_lp_jt2_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestCustomizedPattern.setStatus('mandatory')
msc_lp_jt2_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestDataStartDelay.setStatus('mandatory')
msc_lp_jt2_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestDisplayInterval.setStatus('mandatory')
msc_lp_jt2_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2TestDuration.setStatus('mandatory')
msc_lp_jt2_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12))
if mibBuilder.loadTexts:
mscLpJT2TestResultsTable.setStatus('mandatory')
msc_lp_jt2_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2TestIndex'))
if mibBuilder.loadTexts:
mscLpJT2TestResultsEntry.setStatus('mandatory')
msc_lp_jt2_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestElapsedTime.setStatus('mandatory')
msc_lp_jt2_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestTimeRemaining.setStatus('mandatory')
msc_lp_jt2_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestCauseOfTermination.setStatus('mandatory')
msc_lp_jt2_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestBitsTx.setStatus('mandatory')
msc_lp_jt2_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestBytesTx.setStatus('mandatory')
msc_lp_jt2_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestFrmTx.setStatus('mandatory')
msc_lp_jt2_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestBitsRx.setStatus('mandatory')
msc_lp_jt2_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestBytesRx.setStatus('mandatory')
msc_lp_jt2_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestFrmRx.setStatus('mandatory')
msc_lp_jt2_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestErroredFrmRx.setStatus('mandatory')
msc_lp_jt2_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2TestBitErrorRate.setStatus('mandatory')
msc_lp_jt2_cell = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3))
msc_lp_jt2_cell_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1))
if mibBuilder.loadTexts:
mscLpJT2CellRowStatusTable.setStatus('mandatory')
msc_lp_jt2_cell_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2CellIndex'))
if mibBuilder.loadTexts:
mscLpJT2CellRowStatusEntry.setStatus('mandatory')
msc_lp_jt2_cell_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellRowStatus.setStatus('mandatory')
msc_lp_jt2_cell_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellComponentName.setStatus('mandatory')
msc_lp_jt2_cell_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellStorageType.setStatus('mandatory')
msc_lp_jt2_cell_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpJT2CellIndex.setStatus('mandatory')
msc_lp_jt2_cell_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10))
if mibBuilder.loadTexts:
mscLpJT2CellProvTable.setStatus('mandatory')
msc_lp_jt2_cell_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2CellIndex'))
if mibBuilder.loadTexts:
mscLpJT2CellProvEntry.setStatus('mandatory')
msc_lp_jt2_cell_alarm_act_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 2000)).clone(500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2CellAlarmActDelay.setStatus('mandatory')
msc_lp_jt2_cell_scramble_cell_payload = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2CellScrambleCellPayload.setStatus('mandatory')
msc_lp_jt2_cell_correct_single_bit_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1))).clone('off')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpJT2CellCorrectSingleBitHeaderErrors.setStatus('mandatory')
msc_lp_jt2_cell_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 11))
if mibBuilder.loadTexts:
mscLpJT2CellOperTable.setStatus('mandatory')
msc_lp_jt2_cell_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2CellIndex'))
if mibBuilder.loadTexts:
mscLpJT2CellOperEntry.setStatus('mandatory')
msc_lp_jt2_cell_lcd_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('on', 0), ('off', 1))).clone('off')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellLcdAlarm.setStatus('mandatory')
msc_lp_jt2_cell_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12))
if mibBuilder.loadTexts:
mscLpJT2CellStatsTable.setStatus('mandatory')
msc_lp_jt2_cell_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2Index'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpJT2CellIndex'))
if mibBuilder.loadTexts:
mscLpJT2CellStatsEntry.setStatus('mandatory')
msc_lp_jt2_cell_uncorrectable_hec_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellUncorrectableHecErrors.setStatus('mandatory')
msc_lp_jt2_cell_sev_errored_sec = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellSevErroredSec.setStatus('mandatory')
msc_lp_jt2_cell_receive_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellReceiveCellUtilization.setStatus('mandatory')
msc_lp_jt2_cell_transmit_cell_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellTransmitCellUtilization.setStatus('mandatory')
msc_lp_jt2_cell_correctable_header_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 16, 3, 12, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpJT2CellCorrectableHeaderErrors.setStatus('mandatory')
msc_lp_hssi = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17))
msc_lp_hssi_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1))
if mibBuilder.loadTexts:
mscLpHssiRowStatusTable.setStatus('mandatory')
msc_lp_hssi_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiRowStatusEntry.setStatus('mandatory')
msc_lp_hssi_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiRowStatus.setStatus('mandatory')
msc_lp_hssi_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiComponentName.setStatus('mandatory')
msc_lp_hssi_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiStorageType.setStatus('mandatory')
msc_lp_hssi_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 0)))
if mibBuilder.loadTexts:
mscLpHssiIndex.setStatus('mandatory')
msc_lp_hssi_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10))
if mibBuilder.loadTexts:
mscLpHssiProvTable.setStatus('mandatory')
msc_lp_hssi_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiProvEntry.setStatus('mandatory')
msc_lp_hssi_link_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 128))).clone(namedValues=named_values(('dte', 0), ('dce', 128))).clone('dce')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiLinkMode.setStatus('mandatory')
msc_lp_hssi_ready_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='c0')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiReadyLineState.setStatus('mandatory')
msc_lp_hssi_data_transfer_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1).clone(hexValue='c0')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiDataTransferLineState.setStatus('mandatory')
msc_lp_hssi_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(1000000, 50000000)).clone(45000000)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiLineSpeed.setStatus('mandatory')
msc_lp_hssi_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 10, 1, 7), link()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiApplicationFramerName.setStatus('mandatory')
msc_lp_hssi_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 11))
if mibBuilder.loadTexts:
mscLpHssiCidDataTable.setStatus('mandatory')
msc_lp_hssi_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiCidDataEntry.setStatus('mandatory')
msc_lp_hssi_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 11, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiCustomerIdentifier.setStatus('mandatory')
msc_lp_hssi_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12))
if mibBuilder.loadTexts:
mscLpHssiAdminInfoTable.setStatus('mandatory')
msc_lp_hssi_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiAdminInfoEntry.setStatus('mandatory')
msc_lp_hssi_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiVendor.setStatus('mandatory')
msc_lp_hssi_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 12, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiCommentText.setStatus('mandatory')
msc_lp_hssi_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13))
if mibBuilder.loadTexts:
mscLpHssiIfEntryTable.setStatus('mandatory')
msc_lp_hssi_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiIfEntryEntry.setStatus('mandatory')
msc_lp_hssi_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiIfAdminStatus.setStatus('mandatory')
msc_lp_hssi_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 13, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiIfIndex.setStatus('mandatory')
msc_lp_hssi_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 14))
if mibBuilder.loadTexts:
mscLpHssiOperStatusTable.setStatus('mandatory')
msc_lp_hssi_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 14, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiOperStatusEntry.setStatus('mandatory')
msc_lp_hssi_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 14, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('up', 1), ('down', 2), ('testing', 3))).clone('up')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiSnmpOperStatus.setStatus('mandatory')
msc_lp_hssi_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15))
if mibBuilder.loadTexts:
mscLpHssiStateTable.setStatus('mandatory')
msc_lp_hssi_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiStateEntry.setStatus('mandatory')
msc_lp_hssi_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiAdminState.setStatus('mandatory')
msc_lp_hssi_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiOperationalState.setStatus('mandatory')
msc_lp_hssi_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiUsageState.setStatus('mandatory')
msc_lp_hssi_availability_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiAvailabilityStatus.setStatus('mandatory')
msc_lp_hssi_procedural_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiProceduralStatus.setStatus('mandatory')
msc_lp_hssi_control_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiControlStatus.setStatus('mandatory')
msc_lp_hssi_alarm_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiAlarmStatus.setStatus('mandatory')
msc_lp_hssi_standby_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 15))).clone(namedValues=named_values(('hotStandby', 0), ('coldStandby', 1), ('providingService', 2), ('notSet', 15))).clone('notSet')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiStandbyStatus.setStatus('mandatory')
msc_lp_hssi_unknown_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 15, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1))).clone('false')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiUnknownStatus.setStatus('mandatory')
msc_lp_hssi_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16))
if mibBuilder.loadTexts:
mscLpHssiOperTable.setStatus('mandatory')
msc_lp_hssi_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'))
if mibBuilder.loadTexts:
mscLpHssiOperEntry.setStatus('mandatory')
msc_lp_hssi_actual_link_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 128))).clone(namedValues=named_values(('dte', 0), ('dce', 128)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiActualLinkMode.setStatus('mandatory')
msc_lp_hssi_line_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiLineState.setStatus('mandatory')
msc_lp_hssi_actual_tx_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 3), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiActualTxLineSpeed.setStatus('mandatory')
msc_lp_hssi_actual_rx_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 4), gauge32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiActualRxLineSpeed.setStatus('mandatory')
msc_lp_hssi_data_xfer_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 16, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiDataXferStateChanges.setStatus('mandatory')
msc_lp_hssi_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2))
msc_lp_hssi_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1))
if mibBuilder.loadTexts:
mscLpHssiTestRowStatusTable.setStatus('mandatory')
msc_lp_hssi_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiTestIndex'))
if mibBuilder.loadTexts:
mscLpHssiTestRowStatusEntry.setStatus('mandatory')
msc_lp_hssi_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestRowStatus.setStatus('mandatory')
msc_lp_hssi_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestComponentName.setStatus('mandatory')
msc_lp_hssi_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestStorageType.setStatus('mandatory')
msc_lp_hssi_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpHssiTestIndex.setStatus('mandatory')
msc_lp_hssi_test_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10))
if mibBuilder.loadTexts:
mscLpHssiTestStateTable.setStatus('mandatory')
msc_lp_hssi_test_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiTestIndex'))
if mibBuilder.loadTexts:
mscLpHssiTestStateEntry.setStatus('mandatory')
msc_lp_hssi_test_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestAdminState.setStatus('mandatory')
msc_lp_hssi_test_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestOperationalState.setStatus('mandatory')
msc_lp_hssi_test_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestUsageState.setStatus('mandatory')
msc_lp_hssi_test_setup_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11))
if mibBuilder.loadTexts:
mscLpHssiTestSetupTable.setStatus('mandatory')
msc_lp_hssi_test_setup_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiTestIndex'))
if mibBuilder.loadTexts:
mscLpHssiTestSetupEntry.setStatus('mandatory')
msc_lp_hssi_test_purpose = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 40))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestPurpose.setStatus('mandatory')
msc_lp_hssi_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('card', 0), ('manual', 1), ('localLoop', 2), ('remoteLoop', 3), ('externalLoop', 4), ('payloadLoop', 5), ('remoteLoopThisTrib', 6), ('v54RemoteLoop', 7), ('pn127RemoteLoop', 8))).clone('card')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestType.setStatus('mandatory')
msc_lp_hssi_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestFrmSize.setStatus('mandatory')
msc_lp_hssi_test_frm_pattern_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('ccitt32kBitPattern', 0), ('ccitt8MBitPattern', 1), ('customizedPattern', 2))).clone('ccitt32kBitPattern')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestFrmPatternType.setStatus('mandatory')
msc_lp_hssi_test_customized_pattern = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 5), hex().subtype(subtypeSpec=value_range_constraint(0, 4294967295)).clone(1431655765)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestCustomizedPattern.setStatus('mandatory')
msc_lp_hssi_test_data_start_delay = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1814400))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestDataStartDelay.setStatus('mandatory')
msc_lp_hssi_test_display_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 30240)).clone(5)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestDisplayInterval.setStatus('mandatory')
msc_lp_hssi_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 11, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpHssiTestDuration.setStatus('mandatory')
msc_lp_hssi_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12))
if mibBuilder.loadTexts:
mscLpHssiTestResultsTable.setStatus('mandatory')
msc_lp_hssi_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpHssiTestIndex'))
if mibBuilder.loadTexts:
mscLpHssiTestResultsEntry.setStatus('mandatory')
msc_lp_hssi_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestElapsedTime.setStatus('mandatory')
msc_lp_hssi_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestTimeRemaining.setStatus('mandatory')
msc_lp_hssi_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4), ('hardwareReconfigured', 5), ('loopCodeSyncFailed', 6), ('patternSyncFailed', 7), ('patternSyncLost', 8))).clone('neverStarted')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestCauseOfTermination.setStatus('mandatory')
msc_lp_hssi_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 4), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestBitsTx.setStatus('mandatory')
msc_lp_hssi_test_bytes_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 5), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestBytesTx.setStatus('mandatory')
msc_lp_hssi_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 6), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestFrmTx.setStatus('mandatory')
msc_lp_hssi_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 7), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestBitsRx.setStatus('mandatory')
msc_lp_hssi_test_bytes_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 8), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestBytesRx.setStatus('mandatory')
msc_lp_hssi_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 9), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestFrmRx.setStatus('mandatory')
msc_lp_hssi_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 10), passport_counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestErroredFrmRx.setStatus('mandatory')
msc_lp_hssi_test_bit_error_rate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 17, 2, 12, 1, 11), ascii_string().subtype(subtypeSpec=value_size_constraint(5, 5)).setFixedLength(5)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpHssiTestBitErrorRate.setStatus('mandatory')
msc_lp_eng = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23))
msc_lp_eng_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1))
if mibBuilder.loadTexts:
mscLpEngRowStatusTable.setStatus('mandatory')
msc_lp_eng_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngIndex'))
if mibBuilder.loadTexts:
mscLpEngRowStatusEntry.setStatus('mandatory')
msc_lp_eng_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngRowStatus.setStatus('mandatory')
msc_lp_eng_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngComponentName.setStatus('mandatory')
msc_lp_eng_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngStorageType.setStatus('mandatory')
msc_lp_eng_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpEngIndex.setStatus('mandatory')
msc_lp_eng_ds = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2))
msc_lp_eng_ds_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1))
if mibBuilder.loadTexts:
mscLpEngDsRowStatusTable.setStatus('mandatory')
msc_lp_eng_ds_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngDsIndex'))
if mibBuilder.loadTexts:
mscLpEngDsRowStatusEntry.setStatus('mandatory')
msc_lp_eng_ds_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpEngDsRowStatus.setStatus('mandatory')
msc_lp_eng_ds_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngDsComponentName.setStatus('mandatory')
msc_lp_eng_ds_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngDsStorageType.setStatus('mandatory')
msc_lp_eng_ds_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('accounting', 0), ('alarm', 1), ('log', 2), ('debug', 3), ('scn', 4), ('trap', 5), ('stats', 6))))
if mibBuilder.loadTexts:
mscLpEngDsIndex.setStatus('mandatory')
msc_lp_eng_ds_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 10))
if mibBuilder.loadTexts:
mscLpEngDsOperTable.setStatus('mandatory')
msc_lp_eng_ds_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngDsIndex'))
if mibBuilder.loadTexts:
mscLpEngDsOperEntry.setStatus('mandatory')
msc_lp_eng_ds_agent_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngDsAgentQueueSize.setStatus('mandatory')
msc_lp_eng_ds_ov = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2))
msc_lp_eng_ds_ov_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1))
if mibBuilder.loadTexts:
mscLpEngDsOvRowStatusTable.setStatus('mandatory')
msc_lp_eng_ds_ov_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngDsIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngDsOvIndex'))
if mibBuilder.loadTexts:
mscLpEngDsOvRowStatusEntry.setStatus('mandatory')
msc_lp_eng_ds_ov_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpEngDsOvRowStatus.setStatus('mandatory')
msc_lp_eng_ds_ov_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngDsOvComponentName.setStatus('mandatory')
msc_lp_eng_ds_ov_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mscLpEngDsOvStorageType.setStatus('mandatory')
msc_lp_eng_ds_ov_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
mscLpEngDsOvIndex.setStatus('mandatory')
msc_lp_eng_ds_ov_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 10))
if mibBuilder.loadTexts:
mscLpEngDsOvProvTable.setStatus('mandatory')
msc_lp_eng_ds_ov_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngDsIndex'), (0, 'Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', 'mscLpEngDsOvIndex'))
if mibBuilder.loadTexts:
mscLpEngDsOvProvEntry.setStatus('mandatory')
msc_lp_eng_ds_ov_agent_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 12, 23, 2, 2, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mscLpEngDsOvAgentQueueSize.setStatus('mandatory')
logical_processor_group = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1))
logical_processor_group_ca = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1, 1))
logical_processor_group_ca02 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1, 1, 3))
logical_processor_group_ca02_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 1, 1, 3, 2))
logical_processor_capabilities = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3))
logical_processor_capabilities_ca = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3, 1))
logical_processor_capabilities_ca02 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3, 1, 3))
logical_processor_capabilities_ca02_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 11, 3, 1, 3, 2))
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpDS3DS1ChanTestPurpose=mscLpDS3DS1ChanTestPurpose, mscLpSdhPathLopAlarm=mscLpSdhPathLopAlarm, mscLpV35TestRowStatusTable=mscLpV35TestRowStatusTable, mscLpJT2CellLcdAlarm=mscLpJT2CellLcdAlarm, mscLpX21ProvTable=mscLpX21ProvTable, mscLpDS1ChanTcIndex=mscLpDS1ChanTcIndex, mscLpSonetTestResultsTable=mscLpSonetTestResultsTable, mscLpSonetPathCellOperTable=mscLpSonetPathCellOperTable, mscLpDS1ChanCellRowStatusTable=mscLpDS1ChanCellRowStatusTable, mscLpSonetPathIfEntryEntry=mscLpSonetPathIfEntryEntry, mscLpDS3DS1ChanCidDataEntry=mscLpDS3DS1ChanCidDataEntry, mscLpDS3DS1TestCustomizedPattern=mscLpDS3DS1TestCustomizedPattern, mscLpSdhTestRowStatusEntry=mscLpSdhTestRowStatusEntry, mscLpEngStorageType=mscLpEngStorageType, mscLpSdhOperationalState=mscLpSdhOperationalState, mscLpE1ChanRowStatusEntry=mscLpE1ChanRowStatusEntry, mscLpV35TestResultsEntry=mscLpV35TestResultsEntry, mscLpE3G832OperationalTable=mscLpE3G832OperationalTable, mscLpE1ChanCommentText=mscLpE1ChanCommentText, mscLpE1ChanTcSigOneEntry=mscLpE1ChanTcSigOneEntry, mscLpX21ClockingSource=mscLpX21ClockingSource, mscLpJT2StatsEntry=mscLpJT2StatsEntry, mscLpE1AudioRowStatusEntry=mscLpE1AudioRowStatusEntry, mscLpSdhPathCustomerIdentifier=mscLpSdhPathCustomerIdentifier, mscLpDS3LineLosSec=mscLpDS3LineLosSec, mscLpE3LineFailures=mscLpE3LineFailures, mscLpDS1TestElapsedTime=mscLpDS1TestElapsedTime, mscLpE3TestRowStatusEntry=mscLpE3TestRowStatusEntry, mscLpJT2UnknownStatus=mscLpJT2UnknownStatus, mscLpDS3TestRowStatusTable=mscLpDS3TestRowStatusTable, mscLpJT2UnavailSec=mscLpJT2UnavailSec, mscLpDS3DS1ChanTestSetupEntry=mscLpDS3DS1ChanTestSetupEntry, mscLpE1ChanTcStorageType=mscLpE1ChanTcStorageType, mscLpSdhTestOperationalState=mscLpSdhTestOperationalState, mscLpSdhPathCellUncorrectableHecErrors=mscLpSdhPathCellUncorrectableHecErrors, mscLpEngDsOvAgentQueueSize=mscLpEngDsOvAgentQueueSize, mscLpSdhTestComponentName=mscLpSdhTestComponentName, mscLpE3IfEntryTable=mscLpE3IfEntryTable, mscLpJT2RowStatusEntry=mscLpJT2RowStatusEntry, mscLpDS3LosAlarm=mscLpDS3LosAlarm, mscLpDS3DS1TestBytesRx=mscLpDS3DS1TestBytesRx, mscLpMemoryCapacityValue=mscLpMemoryCapacityValue, mscLpDS3OperTable=mscLpDS3OperTable, mscLpE3LinkAlarmActivationThreshold=mscLpE3LinkAlarmActivationThreshold, mscLpDS3DS1ChanCellLcdAlarm=mscLpDS3DS1ChanCellLcdAlarm, mscLpMainCard=mscLpMainCard, mscLpDS1ChanTestType=mscLpDS1ChanTestType, mscLpDS3DS1ChanTimeslotDataRate=mscLpDS3DS1ChanTimeslotDataRate, mscLpE1ChanFlmProvEntry=mscLpE1ChanFlmProvEntry, mscLpDS3TxIdle=mscLpDS3TxIdle, mscLpDS3DS1AvailabilityStatus=mscLpDS3DS1AvailabilityStatus, mscLpDS1ChanRowStatusEntry=mscLpDS1ChanRowStatusEntry, mscLpSonetPathPathFailures=mscLpSonetPathPathFailures, mscLpSdhFarEndLineSevErroredSec=mscLpSdhFarEndLineSevErroredSec, mscLpSonetSectSevErroredSec=mscLpSonetSectSevErroredSec, mscLpDS3DS1ErroredSec=mscLpDS3DS1ErroredSec, mscLpDS3DS1TestDisplayInterval=mscLpDS3DS1TestDisplayInterval, mscLpSdhPathIndex=mscLpSdhPathIndex, mscLpHssiSnmpOperStatus=mscLpHssiSnmpOperStatus, mscLpE3CellCorrectableHeaderErrors=mscLpE3CellCorrectableHeaderErrors, mscLpDS3DS1ChanCidDataTable=mscLpDS3DS1ChanCidDataTable, mscLpE1ChanTestBitErrorRate=mscLpE1ChanTestBitErrorRate, mscLpDS1=mscLpDS1, mscLpSonetPathPathUnavailSec=mscLpSonetPathPathUnavailSec, mscLpSonetTestFrmPatternType=mscLpSonetTestFrmPatternType, mscLpDS1ChanCellLcdAlarm=mscLpDS1ChanCellLcdAlarm, mscLpSdhPathCidDataTable=mscLpSdhPathCidDataTable, mscLpDS3DS1ChanTcSignalOneDuration=mscLpDS3DS1ChanTcSignalOneDuration, mscLpSdhPathApplicationFramerName=mscLpSdhPathApplicationFramerName, mscLpSonetPathCellComponentName=mscLpSonetPathCellComponentName, mscLpJT2Cell=mscLpJT2Cell, mscLpE1AlarmStatus=mscLpE1AlarmStatus, mscLpSonetAdminInfoTable=mscLpSonetAdminInfoTable, mscLpX21TestBitsTx=mscLpX21TestBitsTx, mscLpE1ChanTcRowStatus=mscLpE1ChanTcRowStatus, mscLpJT2TestBytesTx=mscLpJT2TestBytesTx, mscLpSdhPathControlStatus=mscLpSdhPathControlStatus, mscLpSonetTestCauseOfTermination=mscLpSonetTestCauseOfTermination, mscLpE3CellStorageType=mscLpE3CellStorageType, mscLpDS3DS1ChanCustomerIdentifier=mscLpDS3DS1ChanCustomerIdentifier, mscLpE1TestResultsTable=mscLpE1TestResultsTable, mscLpDS3DS1ChanTestBitsTx=mscLpDS3DS1ChanTestBitsTx, mscLpV35StateTable=mscLpV35StateTable, mscLpDS3DS1AdminState=mscLpDS3DS1AdminState, mscLpE1TestAdminState=mscLpE1TestAdminState, mscLpDS3DS1ChanIfEntryTable=mscLpDS3DS1ChanIfEntryTable, mscLpSonetRowStatusEntry=mscLpSonetRowStatusEntry, mscLpSdhPathCellOperEntry=mscLpSdhPathCellOperEntry, mscLpDS3OperStatusEntry=mscLpDS3OperStatusEntry, mscLpDS3PlcpFarEndErrorFreeSec=mscLpDS3PlcpFarEndErrorFreeSec, mscLpDS3DS1ChanTcStorageType=mscLpDS3DS1ChanTcStorageType, mscLpE1CidDataEntry=mscLpE1CidDataEntry, mscLpSonetRowStatusTable=mscLpSonetRowStatusTable, mscLpV35TestFrmRx=mscLpV35TestFrmRx, mscLpDS3DS1RowStatus=mscLpDS3DS1RowStatus, mscLpDS1TestBytesTx=mscLpDS1TestBytesTx, mscLpEngDs=mscLpEngDs, mscLpSonetPathFarEndPathUnavailSec=mscLpSonetPathFarEndPathUnavailSec, mscLpHssiTestBitErrorRate=mscLpHssiTestBitErrorRate, mscLpE1DspRowStatusTable=mscLpE1DspRowStatusTable, mscLpDS3TestSetupEntry=mscLpDS3TestSetupEntry, mscLpDS1ChanRowStatusTable=mscLpDS1ChanRowStatusTable, mscLpDS3DS1ChanRowStatus=mscLpDS3DS1ChanRowStatus, mscLpE1ChanOperStatusTable=mscLpE1ChanOperStatusTable, mscLpSdhTestStateEntry=mscLpSdhTestStateEntry, mscLpDS3DS1StandbyStatus=mscLpDS3DS1StandbyStatus, mscLpE3CustomerIdentifier=mscLpE3CustomerIdentifier, mscLpE3PlcpRxRaiAlarm=mscLpE3PlcpRxRaiAlarm, mscLpSdhPathFarEndPathSevErroredSec=mscLpSdhPathFarEndPathSevErroredSec, mscLpSonetProvTable=mscLpSonetProvTable, mscLpDS1ChanTcSigTwoValue=mscLpDS1ChanTcSigTwoValue, mscLpDS3DS1ChanTestTimeRemaining=mscLpDS3DS1ChanTestTimeRemaining, mscLpSdhPathCellRowStatus=mscLpSdhPathCellRowStatus, mscLpX21TestIndex=mscLpX21TestIndex, mscLpDS1CommentText=mscLpDS1CommentText, mscLpSonetLosAlarm=mscLpSonetLosAlarm, mscLpE1RowStatusEntry=mscLpE1RowStatusEntry, mscLpDS3RowStatusEntry=mscLpDS3RowStatusEntry, mscLpSdh=mscLpSdh, mscLpSdhIndex=mscLpSdhIndex, mscLpE1TestResultsEntry=mscLpE1TestResultsEntry, mscLpDS3DS1ChanTcRowStatus=mscLpDS3DS1ChanTcRowStatus, mscLpV35CustomerIdentifier=mscLpV35CustomerIdentifier, mscLpSonetPathIfAdminStatus=mscLpSonetPathIfAdminStatus, mscLpSonetAlarmStatus=mscLpSonetAlarmStatus, mscLpDS1ChanTcComponentName=mscLpDS1ChanTcComponentName, mscLpX21Vendor=mscLpX21Vendor, mscLpDS1ChanTestBitErrorRate=mscLpDS1ChanTestBitErrorRate, mscLpE3StateEntry=mscLpE3StateEntry, mscLpSdhTestElapsedTime=mscLpSdhTestElapsedTime, mscLpDS3PlcpIndex=mscLpDS3PlcpIndex, mscLpJT2TestResultsEntry=mscLpJT2TestResultsEntry, mscLpJT2TestUsageState=mscLpJT2TestUsageState, mscLpDS1ErrorFreeSec=mscLpDS1ErrorFreeSec, mscLpE3ClockingSource=mscLpE3ClockingSource, mscLpSdhLosAlarm=mscLpSdhLosAlarm, mscLpSdhPathUsageState=mscLpSdhPathUsageState, mscLpJT2CellUncorrectableHecErrors=mscLpJT2CellUncorrectableHecErrors, mscLpE3Mapping=mscLpE3Mapping, mscLpJT2CellRowStatusEntry=mscLpJT2CellRowStatusEntry, mscLpE1TestCustomizedPattern=mscLpE1TestCustomizedPattern, mscLpE3PlcpFarEndSevErroredSec=mscLpE3PlcpFarEndSevErroredSec, mscLpDS3TestDuration=mscLpDS3TestDuration, mscLpDS3DS1TestFrmPatternType=mscLpDS3DS1TestFrmPatternType, mscLpE3G832UnexpectedPayloadType=mscLpE3G832UnexpectedPayloadType, mscLpE3CellCorrectSingleBitHeaderErrors=mscLpE3CellCorrectSingleBitHeaderErrors, mscLpSonetFarEndLineErroredSec=mscLpSonetFarEndLineErroredSec, mscLpSdhLineAisSec=mscLpSdhLineAisSec, logicalProcessorCapabilitiesCA=logicalProcessorCapabilitiesCA, mscLpE1ChanTcComponentName=mscLpE1ChanTcComponentName, mscLpDS1IfIndex=mscLpDS1IfIndex, mscLpDS3DS1ChanProvEntry=mscLpDS3DS1ChanProvEntry, mscLpDS3PlcpSevErroredSec=mscLpDS3PlcpSevErroredSec, mscLpDS3PathSevErroredSec=mscLpDS3PathSevErroredSec, mscLpDS3DS1CidDataTable=mscLpDS3DS1CidDataTable, mscLpE1TestOperationalState=mscLpE1TestOperationalState, mscLpE1DspRowStatusEntry=mscLpE1DspRowStatusEntry, mscLpE3G832RowStatusEntry=mscLpE3G832RowStatusEntry, mscLpV35DteDataClockSource=mscLpV35DteDataClockSource, mscLpSdhPathCellRowStatusEntry=mscLpSdhPathCellRowStatusEntry, mscLpSonetPathComponentName=mscLpSonetPathComponentName, mscLpSonetPathStateTable=mscLpSonetPathStateTable, mscLpSdhLineSevErroredSec=mscLpSdhLineSevErroredSec, mscLpDS3TestBitErrorRate=mscLpDS3TestBitErrorRate, mscLpJT2OperEntry=mscLpJT2OperEntry, mscLpE1ChanTestRowStatus=mscLpE1ChanTestRowStatus, mscLpDS1ChanProvEntry=mscLpDS1ChanProvEntry, mscLpDS1ChanCellSevErroredSec=mscLpDS1ChanCellSevErroredSec, mscLpDS1ChanTcSigTwoEntry=mscLpDS1ChanTcSigTwoEntry, mscLpDS3CBitStorageType=mscLpDS3CBitStorageType, mscLpX21TestFrmTx=mscLpX21TestFrmTx, mscLpE3G832FarEndErrorFreeSec=mscLpE3G832FarEndErrorFreeSec, mscLpDS1OperationalState=mscLpDS1OperationalState, mscLpDS1ChanAlarmStatus=mscLpDS1ChanAlarmStatus, mscLpE1ChanTcSigTwoEntry=mscLpE1ChanTcSigTwoEntry, mscLpE1TestFrmRx=mscLpE1TestFrmRx, mscLpSonetPathCellScrambleCellPayload=mscLpSonetPathCellScrambleCellPayload, mscLpDS3DS1ChanTcEgressConditioning=mscLpDS3DS1ChanTcEgressConditioning, mscLpX21TestBitErrorRate=mscLpX21TestBitErrorRate, mscLpSdhStorageType=mscLpSdhStorageType, mscLpDS1TestUsageState=mscLpDS1TestUsageState, mscLpSdhPathAlarmStatus=mscLpSdhPathAlarmStatus, mscLpSonetPathAdminState=mscLpSonetPathAdminState, mscLpDS3DS1ChanCellSevErroredSec=mscLpDS3DS1ChanCellSevErroredSec, mscLpDS1ChanAdminState=mscLpDS1ChanAdminState, mscLpDS3DS1ChanSnmpOperStatus=mscLpDS3DS1ChanSnmpOperStatus, mscLpE1ChanCellLcdAlarm=mscLpE1ChanCellLcdAlarm, mscLpDS3CBitStatsEntry=mscLpDS3CBitStatsEntry, mscLpDS1ChanOperTable=mscLpDS1ChanOperTable, mscLpE1ChanTcSigTwoIndex=mscLpE1ChanTcSigTwoIndex, mscLpDS3PlcpRowStatusEntry=mscLpDS3PlcpRowStatusEntry, mscLpJT2StatsTable=mscLpJT2StatsTable, mscLpV35TestSetupEntry=mscLpV35TestSetupEntry, mscLpE3SnmpOperStatus=mscLpE3SnmpOperStatus, mscLpDS1SnmpOperStatus=mscLpDS1SnmpOperStatus, mscLpJT2TestStorageType=mscLpJT2TestStorageType, mscLpSonetAvailabilityStatus=mscLpSonetAvailabilityStatus, mscLpEngComponentName=mscLpEngComponentName, mscLpJT2CidDataTable=mscLpJT2CidDataTable, mscLpE1ChanStateTable=mscLpE1ChanStateTable, mscLpE3G832TrailTraceExpected=mscLpE3G832TrailTraceExpected, mscLpE3PlcpRowStatus=mscLpE3PlcpRowStatus, mscLpV35TestPurpose=mscLpV35TestPurpose, mscLpDS1ChanTcSigTwoTable=mscLpDS1ChanTcSigTwoTable, mscLpDS1TestSetupTable=mscLpDS1TestSetupTable, mscLpX21AdminInfoEntry=mscLpX21AdminInfoEntry, mscLpE1ChanFlmABitMonitoring=mscLpE1ChanFlmABitMonitoring, mscLpIndex=mscLpIndex, mscLpE3RxAisAlarm=mscLpE3RxAisAlarm, mscLpOperationalState=mscLpOperationalState, mscLpDS1ChanTest=mscLpDS1ChanTest, mscLpEngDsOvComponentName=mscLpEngDsOvComponentName, mscLpDS3DS1TestTimeRemaining=mscLpDS3DS1TestTimeRemaining, mscLpSdhPathOperEntry=mscLpSdhPathOperEntry, mscLpDS3TestBitsRx=mscLpDS3TestBitsRx, mscLpDS3AvailabilityStatus=mscLpDS3AvailabilityStatus, mscLpE1SevErroredFrmSec=mscLpE1SevErroredFrmSec, mscLpE3ProvTable=mscLpE3ProvTable, mscLpSdhIfIndex=mscLpSdhIfIndex, mscLpE1ChanTestPurpose=mscLpE1ChanTestPurpose, mscLpX21TestAdminState=mscLpX21TestAdminState, mscLpE1ChanTcOpTable=mscLpE1ChanTcOpTable, mscLpSdhTestPurpose=mscLpSdhTestPurpose, mscLpDS3DS1ChanUnknownStatus=mscLpDS3DS1ChanUnknownStatus, mscLpE1ChanProvEntry=mscLpE1ChanProvEntry, mscLpHssiOperStatusTable=mscLpHssiOperStatusTable, mscLpDS3DS1OperEntry=mscLpDS3DS1OperEntry, mscLpDS3IfIndex=mscLpDS3IfIndex, mscLpSonetStatsEntry=mscLpSonetStatsEntry, mscLpE3TestAdminState=mscLpE3TestAdminState, mscLpDS3CBitRowStatus=mscLpDS3CBitRowStatus, mscLpSdhRowStatusTable=mscLpSdhRowStatusTable, mscLpDS3TestElapsedTime=mscLpDS3TestElapsedTime, mscLpDS1DspIndex=mscLpDS1DspIndex, mscLpDS3DS1ChanAvailabilityStatus=mscLpDS3DS1ChanAvailabilityStatus, mscLpDS1ChanTestUsageState=mscLpDS1ChanTestUsageState, mscLpDS1ChanTestFrmSize=mscLpDS1ChanTestFrmSize, mscLpV35UsageState=mscLpV35UsageState, mscLpDS1AudioRowStatus=mscLpDS1AudioRowStatus, mscLpX21TestFrmSize=mscLpX21TestFrmSize, mscLpE3LineErroredSec=mscLpE3LineErroredSec, mscLpDS3CidDataEntry=mscLpDS3CidDataEntry, mscLpDS3Test=mscLpDS3Test, mscLpSdhPathCellCorrectableHeaderErrors=mscLpSdhPathCellCorrectableHeaderErrors, mscLpSdhTestRowStatus=mscLpSdhTestRowStatus, mscLpX21RowStatusEntry=mscLpX21RowStatusEntry, mscLpDS3TestSetupTable=mscLpDS3TestSetupTable, mscLpSdhTest=mscLpSdhTest, mscLpDS3StateTable=mscLpDS3StateTable, mscLpDS1SevErroredFrmSec=mscLpDS1SevErroredFrmSec, mscLpSonetOperationalState=mscLpSonetOperationalState, mscLpJT2TestRowStatusTable=mscLpJT2TestRowStatusTable, mscLpV35StandbyStatus=mscLpV35StandbyStatus, mscLpSdhPathFarEndPathErroredSec=mscLpSdhPathFarEndPathErroredSec)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpE1DspComponentName=mscLpE1DspComponentName, mscLpSdhIfEntryEntry=mscLpSdhIfEntryEntry, mscLpMemoryUsageAvgTable=mscLpMemoryUsageAvgTable, mscLpDS3DS1ChanTestRowStatus=mscLpDS3DS1ChanTestRowStatus, mscLpE1ChanFlmRowStatus=mscLpE1ChanFlmRowStatus, mscLpV35TestBitsTx=mscLpV35TestBitsTx, mscLpSdhSectCodeViolations=mscLpSdhSectCodeViolations, mscLpDS3DS1ClockingSource=mscLpDS3DS1ClockingSource, mscLpDS3DS1ChanTcProvEntry=mscLpDS3DS1ChanTcProvEntry, mscLpJT2TestAdminState=mscLpJT2TestAdminState, mscLpX21TestStateEntry=mscLpX21TestStateEntry, mscLpSdhTestFrmPatternType=mscLpSdhTestFrmPatternType, mscLpX21TestOperationalState=mscLpX21TestOperationalState, mscLpDS3PlcpCodingViolations=mscLpDS3PlcpCodingViolations, mscLpCpuUtilAvg=mscLpCpuUtilAvg, mscLpDS3TestCustomizedPattern=mscLpDS3TestCustomizedPattern, mscLpSdhOperStatusEntry=mscLpSdhOperStatusEntry, mscLpE3CellOperTable=mscLpE3CellOperTable, mscLpEngRowStatusEntry=mscLpEngRowStatusEntry, mscLpDS3TestRowStatusEntry=mscLpDS3TestRowStatusEntry, mscLpE1ChanControlStatus=mscLpE1ChanControlStatus, mscLpV35EnableDynamicSpeed=mscLpV35EnableDynamicSpeed, mscLpDS3IfEntryEntry=mscLpDS3IfEntryEntry, mscLpDS3DS1ChanTestDisplayInterval=mscLpDS3DS1ChanTestDisplayInterval, mscLpSdhPathStatsEntry=mscLpSdhPathStatsEntry, mscLpDS3RowStatus=mscLpDS3RowStatus, mscLpDS3CidDataTable=mscLpDS3CidDataTable, mscLpDS3CellProvEntry=mscLpDS3CellProvEntry, mscLpDS3DS1ChanTcIngressConditioning=mscLpDS3DS1ChanTcIngressConditioning, mscLpE1ChanTestUsageState=mscLpE1ChanTestUsageState, mscLpE3PlcpLofAlarm=mscLpE3PlcpLofAlarm, mscLpSonetPathFarEndPathErroredSec=mscLpSonetPathFarEndPathErroredSec, mscLpE3PlcpFarEndUnavailableSec=mscLpE3PlcpFarEndUnavailableSec, mscLpSonetVendor=mscLpSonetVendor, mscLpX21IfEntryTable=mscLpX21IfEntryTable, mscLpDS3DS1TestPurpose=mscLpDS3DS1TestPurpose, mscLpDS3DS1ChanTestBitErrorRate=mscLpDS3DS1ChanTestBitErrorRate, mscLpDS3DS1TestFrmRx=mscLpDS3DS1TestFrmRx, mscLpSonetPathPathAisLopSec=mscLpSonetPathPathAisLopSec, mscLpE1ChanFlmRowStatusEntry=mscLpE1ChanFlmRowStatusEntry, mscLpE3OperStatusTable=mscLpE3OperStatusTable, mscLpSdhIfEntryTable=mscLpSdhIfEntryTable, mscLpE1ChanProvTable=mscLpE1ChanProvTable, mscLpX21ApplicationFramerName=mscLpX21ApplicationFramerName, mscLpJT2ClockingSource=mscLpJT2ClockingSource, mscLpSonetPathCellStatsEntry=mscLpSonetPathCellStatsEntry, mscLpAlarmStatus=mscLpAlarmStatus, mscLpJT2AdminInfoEntry=mscLpJT2AdminInfoEntry, mscLpDS3DS1OperTable=mscLpDS3DS1OperTable, mscLpDS1AdminState=mscLpDS1AdminState, mscLpCustomerIdentifier=mscLpCustomerIdentifier, mscLpE3G832FarEndUnavailSec=mscLpE3G832FarEndUnavailSec, mscLpE3TestOperationalState=mscLpE3TestOperationalState, mscLpE1SendRaiOnAis=mscLpE1SendRaiOnAis, mscLpDS3DS1TestRowStatusTable=mscLpDS3DS1TestRowStatusTable, mscLpSdhPathTxAis=mscLpSdhPathTxAis, mscLpDS3DS1ChanCellStatsTable=mscLpDS3DS1ChanCellStatsTable, mscLpDS1ZeroCoding=mscLpDS1ZeroCoding, mscLpE1ChanCellScrambleCellPayload=mscLpE1ChanCellScrambleCellPayload, mscLpDS3DS1ChanComponentName=mscLpDS3DS1ChanComponentName, mscLpDS3CBitFarEndSefAisSec=mscLpDS3CBitFarEndSefAisSec, mscLpJT2TestFrmSize=mscLpJT2TestFrmSize, mscLpDS3DS1RxAisAlarm=mscLpDS3DS1RxAisAlarm, mscLpE1ChanTestCauseOfTermination=mscLpE1ChanTestCauseOfTermination, mscLpDS1TestBitsRx=mscLpDS1TestBitsRx, mscLpE3PlcpErroredSec=mscLpE3PlcpErroredSec, mscLpE1AdminState=mscLpE1AdminState, mscLpHssi=mscLpHssi, mscLpE1TestStorageType=mscLpE1TestStorageType, mscLpE1RowStatus=mscLpE1RowStatus, mscLpDS3TestDisplayInterval=mscLpDS3TestDisplayInterval, mscLpE1MultifrmLofAlarm=mscLpE1MultifrmLofAlarm, mscLpDS1TestBitErrorRate=mscLpDS1TestBitErrorRate, mscLpDS1StateEntry=mscLpDS1StateEntry, mscLpHssiTestBytesTx=mscLpHssiTestBytesTx, mscLpE1ChanStandbyStatus=mscLpE1ChanStandbyStatus, mscLpSdhSectLosSec=mscLpSdhSectLosSec, mscLpDS1ChanCellIndex=mscLpDS1ChanCellIndex, mscLpHssiAdminInfoTable=mscLpHssiAdminInfoTable, mscLpE1StatsTable=mscLpE1StatsTable, mscLpDS1TestErroredFrmRx=mscLpDS1TestErroredFrmRx, mscLpE3PlcpSevErroredSec=mscLpE3PlcpSevErroredSec, mscLpE1ChanFlmProvTable=mscLpE1ChanFlmProvTable, mscLpDS3StandbyStatus=mscLpDS3StandbyStatus, mscLpV35AlarmStatus=mscLpV35AlarmStatus, mscLpJT2LofAlarm=mscLpJT2LofAlarm, mscLpHssiAlarmStatus=mscLpHssiAlarmStatus, mscLpDS1ChanTcRowStatus=mscLpDS1ChanTcRowStatus, mscLpX21TestUsageState=mscLpX21TestUsageState, mscLpDS3CellStatsTable=mscLpDS3CellStatsTable, mscLpE1AvailabilityStatus=mscLpE1AvailabilityStatus, mscLpSdhPathPathErroredSec=mscLpSdhPathPathErroredSec, mscLpMainCardStatus=mscLpMainCardStatus, mscLpV35TestBytesRx=mscLpV35TestBytesRx, mscLpDS3DS1SevErroredSec=mscLpDS3DS1SevErroredSec, mscLpJT2FrameErrors=mscLpJT2FrameErrors, mscLpDS1ChanTcSigOneIndex=mscLpDS1ChanTcSigOneIndex, mscLpDS3PlcpOperationalTable=mscLpDS3PlcpOperationalTable, mscLpV35AdminInfoTable=mscLpV35AdminInfoTable, mscLpDS3CellCorrectSingleBitHeaderErrors=mscLpDS3CellCorrectSingleBitHeaderErrors, mscLpSdhTestFrmSize=mscLpSdhTestFrmSize, mscLpSonetTestSetupEntry=mscLpSonetTestSetupEntry, mscLpJT2StorageType=mscLpJT2StorageType, mscLpMemoryUsageAvgMaxEntry=mscLpMemoryUsageAvgMaxEntry, mscLpX21TestSetupTable=mscLpX21TestSetupTable, mscLpSdhPathFarEndPathUnavailSec=mscLpSdhPathFarEndPathUnavailSec, mscLpControlStatus=mscLpControlStatus, mscLpDS3DS1ChanTestDataStartDelay=mscLpDS3DS1ChanTestDataStartDelay, mscLpDS1UnavailSec=mscLpDS1UnavailSec, mscLpDS1IfAdminStatus=mscLpDS1IfAdminStatus, mscLpV35ApplicationFramerName=mscLpV35ApplicationFramerName, mscLpJT2LineLength=mscLpJT2LineLength, mscLpSonetTestFrmRx=mscLpSonetTestFrmRx, mscLpSdhTestFrmRx=mscLpSdhTestFrmRx, mscLpSdhAvailabilityStatus=mscLpSdhAvailabilityStatus, mscLpMemoryUsageAvgMinIndex=mscLpMemoryUsageAvgMinIndex, mscLpSonetCommentText=mscLpSonetCommentText, mscLpDS3StatsTable=mscLpDS3StatsTable, mscLpSdhPathComponentName=mscLpSdhPathComponentName, mscLpX21RowStatusTable=mscLpX21RowStatusTable, mscLpX21TestErroredFrmRx=mscLpX21TestErroredFrmRx, mscLpCidDataTable=mscLpCidDataTable, mscLpDS3DS1UnknownStatus=mscLpDS3DS1UnknownStatus, mscLpDS1ChanTestFrmTx=mscLpDS1ChanTestFrmTx, mscLpDS1TestStateEntry=mscLpDS1TestStateEntry, mscLpDS3PlcpLofAlarm=mscLpDS3PlcpLofAlarm, mscLpJT2TestFrmPatternType=mscLpJT2TestFrmPatternType, mscLpHssiApplicationFramerName=mscLpHssiApplicationFramerName, mscLpE1TestFrmPatternType=mscLpE1TestFrmPatternType, mscLpSonetPathCellReceiveCellUtilization=mscLpSonetPathCellReceiveCellUtilization, mscLpSonetTestRowStatusTable=mscLpSonetTestRowStatusTable, mscLpE1LineType=mscLpE1LineType, mscLpE1ChanTestFrmSize=mscLpE1ChanTestFrmSize, mscLpDS3RxAisAlarm=mscLpDS3RxAisAlarm, mscLpHssiTestElapsedTime=mscLpHssiTestElapsedTime, mscLpV35CommentText=mscLpV35CommentText, mscLpX21TestResultsTable=mscLpX21TestResultsTable, mscLpDS3CBitLoopbackAtFarEndRequested=mscLpDS3CBitLoopbackAtFarEndRequested, mscLpHssiLineSpeed=mscLpHssiLineSpeed, mscLpDS3DS1TestCauseOfTermination=mscLpDS3DS1TestCauseOfTermination, mscLpDS3TestStateEntry=mscLpDS3TestStateEntry, mscLpX21StorageType=mscLpX21StorageType, mscLpSdhLineFailures=mscLpSdhLineFailures, mscLpE1ChanUnknownStatus=mscLpE1ChanUnknownStatus, mscLpDS1ChanTcProvTable=mscLpDS1ChanTcProvTable, mscLpJT2ErroredSec=mscLpJT2ErroredSec, mscLpE3StateTable=mscLpE3StateTable, mscLpX21OperStatusTable=mscLpX21OperStatusTable, mscLpDS1ChanCustomerIdentifier=mscLpDS1ChanCustomerIdentifier, mscLpSonetTestStorageType=mscLpSonetTestStorageType, mscLpSdhStatsTable=mscLpSdhStatsTable, mscLpDS1DspComponentName=mscLpDS1DspComponentName, mscLpDS3=mscLpDS3, mscLpDS3PlcpErroredSec=mscLpDS3PlcpErroredSec, mscLpDS3DS1TestDuration=mscLpDS3DS1TestDuration, mscLpJT2TestDataStartDelay=mscLpJT2TestDataStartDelay, mscLpV35ComponentName=mscLpV35ComponentName, mscLpE3G832TrailTraceTransmitted=mscLpE3G832TrailTraceTransmitted, mscLpSonetTestDuration=mscLpSonetTestDuration, mscLpDS3DS1ChanOperStatusTable=mscLpDS3DS1ChanOperStatusTable, mscLpEngDsRowStatusEntry=mscLpEngDsRowStatusEntry, mscLpJT2TestPurpose=mscLpJT2TestPurpose, mscLpX21DataXferStateChanges=mscLpX21DataXferStateChanges, mscLpE3TestComponentName=mscLpE3TestComponentName, mscLpX21ProceduralStatus=mscLpX21ProceduralStatus, mscLpE1ChanTestDuration=mscLpE1ChanTestDuration, mscLpProvEntry=mscLpProvEntry, mscLpSdhProvTable=mscLpSdhProvTable, mscLpDS1RowStatusEntry=mscLpDS1RowStatusEntry, mscLpV35ProceduralStatus=mscLpV35ProceduralStatus, mscLpDS1ChanTcSignalOneDuration=mscLpDS1ChanTcSignalOneDuration, mscLpDS3DS1IfEntryEntry=mscLpDS3DS1IfEntryEntry, mscLpDS1ChanTestRowStatusEntry=mscLpDS1ChanTestRowStatusEntry, mscLpJT2AdminInfoTable=mscLpJT2AdminInfoTable, mscLpDS3DS1ChanAdminInfoEntry=mscLpDS3DS1ChanAdminInfoEntry, mscLpV35TestAdminState=mscLpV35TestAdminState, mscLpJT2TxAisPhysicalAlarm=mscLpJT2TxAisPhysicalAlarm, mscLpE1TestPurpose=mscLpE1TestPurpose, mscLpDS1ChanTestComponentName=mscLpDS1ChanTestComponentName, mscLpE3OperEntry=mscLpE3OperEntry, mscLpE3LosAlarm=mscLpE3LosAlarm, mscLpSonetPathCellRowStatus=mscLpSonetPathCellRowStatus, mscLpE3ApplicationFramerName=mscLpE3ApplicationFramerName, mscLpHssiComponentName=mscLpHssiComponentName, mscLpSonetPathCustomerIdentifier=mscLpSonetPathCustomerIdentifier, mscLpDS3DS1ChanControlStatus=mscLpDS3DS1ChanControlStatus, mscLpV35AdminInfoEntry=mscLpV35AdminInfoEntry, mscLpEngDsOvProvTable=mscLpEngDsOvProvTable, mscLpDS1ChanTc=mscLpDS1ChanTc, mscLpJT2CellSevErroredSec=mscLpJT2CellSevErroredSec, mscLpDS3DS1ChanProvTable=mscLpDS3DS1ChanProvTable, mscLpDS3DS1CrcErrors=mscLpDS3DS1CrcErrors, mscLpE1ChanRowStatusTable=mscLpE1ChanRowStatusTable, mscLpE3CellOperEntry=mscLpE3CellOperEntry, mscLpE1AdminInfoEntry=mscLpE1AdminInfoEntry, mscLpDS1ChanStateEntry=mscLpDS1ChanStateEntry, mscLpE1ChanCustomerIdentifier=mscLpE1ChanCustomerIdentifier, mscLpE1ChanCellCorrectSingleBitHeaderErrors=mscLpE1ChanCellCorrectSingleBitHeaderErrors, mscLpMsgBlockUsage=mscLpMsgBlockUsage, mscLpSonetSectSevErroredFrmSec=mscLpSonetSectSevErroredFrmSec, mscLpDS3DS1TestElapsedTime=mscLpDS3DS1TestElapsedTime, mscLpDS1TestResultsTable=mscLpDS1TestResultsTable, mscLpV35CidDataEntry=mscLpV35CidDataEntry, mscLpE1ChanFlmStorageType=mscLpE1ChanFlmStorageType, mscLpDS1ChanCellRowStatusEntry=mscLpDS1ChanCellRowStatusEntry, mscLpDS3CellProvTable=mscLpDS3CellProvTable, mscLpE1ChanCellStatsEntry=mscLpE1ChanCellStatsEntry, mscLpX21ComponentName=mscLpX21ComponentName, mscLpV35TestStateTable=mscLpV35TestStateTable, mscLpDS3DS1ChanTestBytesRx=mscLpDS3DS1ChanTestBytesRx, mscLpE1ChanCellCorrectableHeaderErrors=mscLpE1ChanCellCorrectableHeaderErrors, mscLpSdhPathPathAisLopSec=mscLpSdhPathPathAisLopSec, mscLpV35AdminState=mscLpV35AdminState, mscLpE1ChanTestBitsRx=mscLpE1ChanTestBitsRx, mscLpDS3DS1ChanTcOpEntry=mscLpDS3DS1ChanTcOpEntry, mscLpDS3DS1ChanCellRowStatusEntry=mscLpDS3DS1ChanCellRowStatusEntry, mscLpE3LofAlarm=mscLpE3LofAlarm, mscLpE1ChanOperStatusEntry=mscLpE1ChanOperStatusEntry, mscLpSonetIndex=mscLpSonetIndex, mscLpDS3CellOperTable=mscLpDS3CellOperTable, mscLpE1StandbyStatus=mscLpE1StandbyStatus, mscLpDS3Index=mscLpDS3Index, mscLpDS3DS1ProvTable=mscLpDS3DS1ProvTable, mscLpDS1ChanIndex=mscLpDS1ChanIndex, mscLpDS1AudioIndex=mscLpDS1AudioIndex, mscLpE3TestTimeRemaining=mscLpE3TestTimeRemaining, mscLpE3UsageState=mscLpE3UsageState, mscLpE1Vendor=mscLpE1Vendor, mscLpSdhSectSevErroredFrmSec=mscLpSdhSectSevErroredFrmSec, mscLpDS3DS1IfEntryTable=mscLpDS3DS1IfEntryTable, mscLpSonetPathPathErroredSec=mscLpSonetPathPathErroredSec, mscLpDS3DS1TestErroredFrmRx=mscLpDS3DS1TestErroredFrmRx, mscLpE1ChanCellAlarmActDelay=mscLpE1ChanCellAlarmActDelay, mscLpDS3DS1ChanTestFrmRx=mscLpDS3DS1ChanTestFrmRx, mscLpEngDsOvRowStatus=mscLpEngDsOvRowStatus, mscLpSdhPathFarEndPathCodeViolations=mscLpSdhPathFarEndPathCodeViolations, mscLpDS1ChanTcStorageType=mscLpDS1ChanTcStorageType, mscLpSdhCustomerIdentifier=mscLpSdhCustomerIdentifier, mscLpDS3DS1ChanOperStatusEntry=mscLpDS3DS1ChanOperStatusEntry, mscLpRestartOnCpSwitch=mscLpRestartOnCpSwitch, mscLpDS3SnmpOperStatus=mscLpDS3SnmpOperStatus, mscLpE3PlcpSevErroredFramingSec=mscLpE3PlcpSevErroredFramingSec, mscLpJT2ProvTable=mscLpJT2ProvTable, mscLpDS1RowStatus=mscLpDS1RowStatus, mscLpDS3TestPurpose=mscLpDS3TestPurpose, mscLpDS1ChanTcOpEntry=mscLpDS1ChanTcOpEntry, mscLpHssiTestOperationalState=mscLpHssiTestOperationalState, mscLpSdhUnusableTxClockRefAlarm=mscLpSdhUnusableTxClockRefAlarm, mscLpStateEntry=mscLpStateEntry, mscLpDS1ChanTcEgressConditioning=mscLpDS1ChanTcEgressConditioning, mscLpDS3DS1IfAdminStatus=mscLpDS3DS1IfAdminStatus, mscLpDS3DS1AlarmStatus=mscLpDS3DS1AlarmStatus, mscLpSonetOperStatusEntry=mscLpSonetOperStatusEntry, mscLpE1TestBytesRx=mscLpE1TestBytesRx)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpE3Index=mscLpE3Index, mscLpE3OperStatusEntry=mscLpE3OperStatusEntry, mscLpE1ChanOperationalState=mscLpE1ChanOperationalState, mscLpSonetPathAlarmStatus=mscLpSonetPathAlarmStatus, mscLpDS3LineSevErroredSec=mscLpDS3LineSevErroredSec, mscLpE3ComponentName=mscLpE3ComponentName, mscLpE1TestRowStatus=mscLpE1TestRowStatus, mscLpSdhTxAis=mscLpSdhTxAis, mscLpHssiOperationalState=mscLpHssiOperationalState, mscLpE1AudioIndex=mscLpE1AudioIndex, mscLpE3PathCodeViolations=mscLpE3PathCodeViolations, mscLpE3OperationalState=mscLpE3OperationalState, mscLpDS3TestOperationalState=mscLpDS3TestOperationalState, mscLpDS3DS1ChanTcProvTable=mscLpDS3DS1ChanTcProvTable, mscLpE1ChanTestErroredFrmRx=mscLpE1ChanTestErroredFrmRx, mscLpSdhCidDataTable=mscLpSdhCidDataTable, mscLpDS1DspStorageType=mscLpDS1DspStorageType, mscLpDS3LineErroredSec=mscLpDS3LineErroredSec, mscLpDS1ChanIfIndex=mscLpDS1ChanIfIndex, mscLpJT2CustomerIdentifier=mscLpJT2CustomerIdentifier, mscLpDS3TestComponentName=mscLpDS3TestComponentName, mscLpSonetPathCidDataEntry=mscLpSonetPathCidDataEntry, mscLpV35LineSpeed=mscLpV35LineSpeed, mscLpE3PlcpRowStatusTable=mscLpE3PlcpRowStatusTable, mscLpE3G832StatsTable=mscLpE3G832StatsTable, mscLpV35OperStatusTable=mscLpV35OperStatusTable, mscLpDS3DS1LineType=mscLpDS3DS1LineType, mscLpE1ChanTestSetupTable=mscLpE1ChanTestSetupTable, mscLpE1ChanTcSignalOneDuration=mscLpE1ChanTcSignalOneDuration, mscLpE3CellIndex=mscLpE3CellIndex, mscLpE1Test=mscLpE1Test, mscLpE1OperTable=mscLpE1OperTable, mscLpJT2AdminState=mscLpJT2AdminState, mscLpDS3PlcpRowStatus=mscLpDS3PlcpRowStatus, mscLpE1ChanTimeslots=mscLpE1ChanTimeslots, mscLpDS1ChanCellStatsTable=mscLpDS1ChanCellStatsTable, mscLpE1ChanOperTable=mscLpE1ChanOperTable, mscLpE1ChanFlmIndex=mscLpE1ChanFlmIndex, mscLpEngDsStorageType=mscLpEngDsStorageType, mscLpHssiTestStorageType=mscLpHssiTestStorageType, mscLpE1CrcErrors=mscLpE1CrcErrors, mscLpHssiStorageType=mscLpHssiStorageType, mscLpE1ChanCellIndex=mscLpE1ChanCellIndex, mscLpE1ChanAdminState=mscLpE1ChanAdminState, mscLpDS1CidDataTable=mscLpDS1CidDataTable, mscLpSdhPathCellOperTable=mscLpSdhPathCellOperTable, mscLpDS3DS1StorageType=mscLpDS3DS1StorageType, mscLpDS3DS1RxRaiAlarm=mscLpDS3DS1RxRaiAlarm, mscLpDS3DS1TestResultsEntry=mscLpDS3DS1TestResultsEntry, mscLpE3CellComponentName=mscLpE3CellComponentName, mscLpSdhPathRxRfiAlarm=mscLpSdhPathRxRfiAlarm, mscLpSdhPathStateTable=mscLpSdhPathStateTable, mscLpHssiTest=mscLpHssiTest, mscLpDS3TestFrmTx=mscLpDS3TestFrmTx, mscLpV35RowStatusTable=mscLpV35RowStatusTable, mscLpX21StateTable=mscLpX21StateTable, mscLpDS1ChanTestBytesTx=mscLpDS1ChanTestBytesTx, mscLpSonetSectErroredSec=mscLpSonetSectErroredSec, mscLpJT2ProceduralStatus=mscLpJT2ProceduralStatus, mscLpMemoryUsageAvgMinTable=mscLpMemoryUsageAvgMinTable, mscLpDS1RunningTime=mscLpDS1RunningTime, mscLpDS3RowStatusTable=mscLpDS3RowStatusTable, mscLpE1ChanCellStorageType=mscLpE1ChanCellStorageType, mscLpSdhPathCellReceiveCellUtilization=mscLpSdhPathCellReceiveCellUtilization, mscLpX21TestType=mscLpX21TestType, mscLpDS3DS1ChanTestFrmPatternType=mscLpDS3DS1ChanTestFrmPatternType, mscLpSdhPathUnknownStatus=mscLpSdhPathUnknownStatus, mscLpHssiIfIndex=mscLpHssiIfIndex, mscLpE1ChanApplicationFramerName=mscLpE1ChanApplicationFramerName, mscLpLinkToApplicationsEntry=mscLpLinkToApplicationsEntry, mscLpX21TestPurpose=mscLpX21TestPurpose, mscLpJT2CellRowStatusTable=mscLpJT2CellRowStatusTable, mscLpHssiTestResultsTable=mscLpHssiTestResultsTable, mscLpE3TestStateEntry=mscLpE3TestStateEntry, mscLpJT2CommentText=mscLpJT2CommentText, mscLpDS3CBitStatsTable=mscLpDS3CBitStatsTable, mscLpE3PlcpRowStatusEntry=mscLpE3PlcpRowStatusEntry, mscLpDS1StandbyStatus=mscLpDS1StandbyStatus, mscLpDS1ChanTestResultsTable=mscLpDS1ChanTestResultsTable, mscLpE1ChanTcProvTable=mscLpE1ChanTcProvTable, mscLpHssiOperTable=mscLpHssiOperTable, mscLpJT2TestDisplayInterval=mscLpJT2TestDisplayInterval, mscLpDS3DS1TestStateTable=mscLpDS3DS1TestStateTable, mscLpE1=mscLpE1, mscLpSonetPath=mscLpSonetPath, mscLpDS3CBitRowStatusEntry=mscLpDS3CBitRowStatusEntry, mscLpJT2CellOperEntry=mscLpJT2CellOperEntry, mscLpSonetPathCellSevErroredSec=mscLpSonetPathCellSevErroredSec, mscLpE3G832FarEndCodeViolations=mscLpE3G832FarEndCodeViolations, mscLpHssiTestComponentName=mscLpHssiTestComponentName, mscLpDS1LofAlarm=mscLpDS1LofAlarm, mscLpE3G832Index=mscLpE3G832Index, mscLpSonetPathCellIndex=mscLpSonetPathCellIndex, mscLpSonetTestSetupTable=mscLpSonetTestSetupTable, mscLpJT2TestResultsTable=mscLpJT2TestResultsTable, mscLpDS1ChanTestFrmPatternType=mscLpDS1ChanTestFrmPatternType, mscLpE1ChanIfAdminStatus=mscLpE1ChanIfAdminStatus, mscLpSdhPathCellStorageType=mscLpSdhPathCellStorageType, mscLpLocalMsgBlockUsageMax=mscLpLocalMsgBlockUsageMax, mscLpEngDsComponentName=mscLpEngDsComponentName, mscLpJT2StateEntry=mscLpJT2StateEntry, mscLpEngIndex=mscLpEngIndex, mscLpSdhPathStatsTable=mscLpSdhPathStatsTable, mscLpE3ProceduralStatus=mscLpE3ProceduralStatus, mscLpDS1SevErroredSec=mscLpDS1SevErroredSec, mscLpE1IfAdminStatus=mscLpE1IfAdminStatus, mscLpSonetPathProvEntry=mscLpSonetPathProvEntry, mscLpE1TestDataStartDelay=mscLpE1TestDataStartDelay, mscLpSonetPathRxAisAlarm=mscLpSonetPathRxAisAlarm, mscLpDS1TestIndex=mscLpDS1TestIndex, mscLpJT2TestFrmRx=mscLpJT2TestFrmRx, mscLpX21RowStatus=mscLpX21RowStatus, mscLpE3PlcpOperationalEntry=mscLpE3PlcpOperationalEntry, mscLpEngRowStatus=mscLpEngRowStatus, mscLpDS3DS1ChanTestRowStatusEntry=mscLpDS3DS1ChanTestRowStatusEntry, mscLpE3CellProvTable=mscLpE3CellProvTable, mscLpE1RaiDeclareAlarmTime=mscLpE1RaiDeclareAlarmTime, mscLpHssiRowStatusTable=mscLpHssiRowStatusTable, mscLpX21TestResultsEntry=mscLpX21TestResultsEntry, mscLpSdhFarEndLineErroredSec=mscLpSdhFarEndLineErroredSec, mscLpX21TestStorageType=mscLpX21TestStorageType, mscLpDS1UsageState=mscLpDS1UsageState, mscLpDS3DS1ChanTcSigOneEntry=mscLpDS3DS1ChanTcSigOneEntry, mscLpMsgBlockCapacity=mscLpMsgBlockCapacity, mscLpDS3CBitFarEndCodeViolations=mscLpDS3CBitFarEndCodeViolations, mscLpSonetSectFailures=mscLpSonetSectFailures, mscLpSdhUsageState=mscLpSdhUsageState, mscLpJT2TestBytesRx=mscLpJT2TestBytesRx, mscLpV35TestFrmTx=mscLpV35TestFrmTx, mscLpX21OperEntry=mscLpX21OperEntry, mscLpJT2TestSetupTable=mscLpJT2TestSetupTable, mscLpDS3PlcpStorageType=mscLpDS3PlcpStorageType, mscLpE3PlcpFarEndCodingViolations=mscLpE3PlcpFarEndCodingViolations, mscLpMemoryUsageValue=mscLpMemoryUsageValue, mscLpDS3ClockingSource=mscLpDS3ClockingSource, mscLpE3G832FarEndSevErroredSec=mscLpE3G832FarEndSevErroredSec, mscLpE1ChanTcReplacementData=mscLpE1ChanTcReplacementData, mscLpSdhPathPathCodeViolations=mscLpSdhPathPathCodeViolations, mscLpX21ProvEntry=mscLpX21ProvEntry, mscLpSdhPathStateEntry=mscLpSdhPathStateEntry, mscLpE1ChanCellRowStatusEntry=mscLpE1ChanCellRowStatusEntry, mscLpDS3DS1SlipErrors=mscLpDS3DS1SlipErrors, mscLpDS3DS1TestIndex=mscLpDS3DS1TestIndex, mscLpDS3OperationalState=mscLpDS3OperationalState, mscLpE3TestCauseOfTermination=mscLpE3TestCauseOfTermination, mscLpE3TestDuration=mscLpE3TestDuration, mscLpSdhTestTimeRemaining=mscLpSdhTestTimeRemaining, mscLpE1SnmpOperStatus=mscLpE1SnmpOperStatus, mscLpHssiTestDuration=mscLpHssiTestDuration, mscLpSonetLineUnavailSec=mscLpSonetLineUnavailSec, mscLpE1ChanCell=mscLpE1ChanCell, mscLpJT2TestCauseOfTermination=mscLpJT2TestCauseOfTermination, mscLpE1ChanTestElapsedTime=mscLpE1ChanTestElapsedTime, mscLpJT2TestTimeRemaining=mscLpJT2TestTimeRemaining, mscLpE1ChanTcProvEntry=mscLpE1ChanTcProvEntry, mscLpE3TestBitsTx=mscLpE3TestBitsTx, mscLpDS1ChanTcSigOneTable=mscLpDS1ChanTcSigOneTable, mscLpDS1ChanTestRowStatusTable=mscLpDS1ChanTestRowStatusTable, mscLpE1ComponentName=mscLpE1ComponentName, mscLpSonetTestDataStartDelay=mscLpSonetTestDataStartDelay, mscLpDS1ChanCellCorrectableHeaderErrors=mscLpDS1ChanCellCorrectableHeaderErrors, mscLpDS3PlcpSevErroredFramingSec=mscLpDS3PlcpSevErroredFramingSec, mscLpE1StateEntry=mscLpE1StateEntry, mscLpJT2CellStatsEntry=mscLpJT2CellStatsEntry, mscLpDS1OperStatusTable=mscLpDS1OperStatusTable, mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors=mscLpDS3DS1ChanCellCorrectSingleBitHeaderErrors, mscLpE3TestDisplayInterval=mscLpE3TestDisplayInterval, mscLpE3G832FarEndErroredSec=mscLpE3G832FarEndErroredSec, mscLpDS1ChanCellReceiveCellUtilization=mscLpDS1ChanCellReceiveCellUtilization, mscLpX21IfEntryEntry=mscLpX21IfEntryEntry, mscLpDS3DS1ChanIfAdminStatus=mscLpDS3DS1ChanIfAdminStatus, mscLpE1Crc4Mode=mscLpE1Crc4Mode, mscLpDS3DS1ChanTestComponentName=mscLpDS3DS1ChanTestComponentName, mscLpDS1ProceduralStatus=mscLpDS1ProceduralStatus, mscLpV35TestType=mscLpV35TestType, mscLpJT2CidDataEntry=mscLpJT2CidDataEntry, mscLpHssiTestFrmPatternType=mscLpHssiTestFrmPatternType, mscLpDS3DS1TestAdminState=mscLpDS3DS1TestAdminState, mscLpV35LineState=mscLpV35LineState, mscLpDS1Vendor=mscLpDS1Vendor, mscLpE3StorageType=mscLpE3StorageType, mscLpE3TestResultsTable=mscLpE3TestResultsTable, mscLpJT2IfIndex=mscLpJT2IfIndex, mscLpE1ChanTestSetupEntry=mscLpE1ChanTestSetupEntry, mscLpE1OperEntry=mscLpE1OperEntry, mscLpX21TestComponentName=mscLpX21TestComponentName, mscLpX21AvailabilityStatus=mscLpX21AvailabilityStatus, mscLpX21TestDataStartDelay=mscLpX21TestDataStartDelay, mscLpSdhPathFarEndPathErrorFreeSec=mscLpSdhPathFarEndPathErrorFreeSec, mscLpSonetPathTxRdi=mscLpSonetPathTxRdi, mscLpDS3DS1ChanCellRowStatus=mscLpDS3DS1ChanCellRowStatus, mscLpDS1ChanTimeslotDataRate=mscLpDS1ChanTimeslotDataRate, mscLpDS3DS1ChanCommentText=mscLpDS3DS1ChanCommentText, mscLpSonetPathCellStorageType=mscLpSonetPathCellStorageType, mscLpDS3DS1ChanTestDuration=mscLpDS3DS1ChanTestDuration, mscLpDS3CellUncorrectableHecErrors=mscLpDS3CellUncorrectableHecErrors, mscLpDS3CellIndex=mscLpDS3CellIndex, mscLpEngDsOperEntry=mscLpEngDsOperEntry, mscLpSdhTestDisplayInterval=mscLpSdhTestDisplayInterval, mscLpEngDsOvRowStatusTable=mscLpEngDsOvRowStatusTable, mscLpSonetTxRdi=mscLpSonetTxRdi, mscLpDS3DS1ChanIfIndex=mscLpDS3DS1ChanIfIndex, mscLpE3StandbyStatus=mscLpE3StandbyStatus, mscLpE1LosStateChanges=mscLpE1LosStateChanges, mscLpDS3DS1ChanTc=mscLpDS3DS1ChanTc, mscLpE1IfEntryEntry=mscLpE1IfEntryEntry, mscLpE3RunningTime=mscLpE3RunningTime, mscLpSonetTestBytesRx=mscLpSonetTestBytesRx, mscLpX21StandbyStatus=mscLpX21StandbyStatus, mscLpE3TestDataStartDelay=mscLpE3TestDataStartDelay, mscLpE1AudioStorageType=mscLpE1AudioStorageType, mscLpV35TestElapsedTime=mscLpV35TestElapsedTime, mscLpDS3PlcpRowStatusTable=mscLpDS3PlcpRowStatusTable, mscLpSonetPathFarEndPathErrorFreeSec=mscLpSonetPathFarEndPathErrorFreeSec, mscLpE1ControlStatus=mscLpE1ControlStatus, mscLpE1ChanFlmHdlcMonitoring=mscLpE1ChanFlmHdlcMonitoring, mscLpSdhTestErroredFrmRx=mscLpSdhTestErroredFrmRx, mscLpDS3UnknownStatus=mscLpDS3UnknownStatus, mscLpE3PathErroredSec=mscLpE3PathErroredSec, mscLpE3UnknownStatus=mscLpE3UnknownStatus, mscLpSonetPathCellOperEntry=mscLpSonetPathCellOperEntry, mscLpDS1TestFrmPatternType=mscLpDS1TestFrmPatternType, mscLpDS1ChanTestStorageType=mscLpDS1ChanTestStorageType, mscLpSdhPathCell=mscLpSdhPathCell, mscLpDS3DS1ChanTcOpTable=mscLpDS3DS1ChanTcOpTable, mscLpSonetComponentName=mscLpSonetComponentName, mscLpX21OperationalState=mscLpX21OperationalState, mscLpDS1ChanTestRowStatus=mscLpDS1ChanTestRowStatus, mscLpDS3ErrorFreeSec=mscLpDS3ErrorFreeSec, mscLpMemoryUsageAvgValue=mscLpMemoryUsageAvgValue, mscLpDS3TxRai=mscLpDS3TxRai, mscLpJT2RowStatusTable=mscLpJT2RowStatusTable, mscLpE3Plcp=mscLpE3Plcp, mscLpJT2CellCorrectSingleBitHeaderErrors=mscLpJT2CellCorrectSingleBitHeaderErrors, mscLpDS3Mapping=mscLpDS3Mapping, mscLpHssiTestRowStatusTable=mscLpHssiTestRowStatusTable, mscLpDS1ChanTestCauseOfTermination=mscLpDS1ChanTestCauseOfTermination, mscLpDS1ChanCellCorrectSingleBitHeaderErrors=mscLpDS1ChanCellCorrectSingleBitHeaderErrors, mscLpV35OperationalState=mscLpV35OperationalState, mscLpJT2UsageState=mscLpJT2UsageState, mscLpDS3RxIdle=mscLpDS3RxIdle, mscLpDS3CBitCbitCodeViolations=mscLpDS3CBitCbitCodeViolations, mscLpDS3CBitFarEndSevErroredSec=mscLpDS3CBitFarEndSevErroredSec, mscLpX21LineSpeed=mscLpX21LineSpeed, mscLpV35IfIndex=mscLpV35IfIndex, mscLpE3PathSefAisSec=mscLpE3PathSefAisSec, mscLpSdhPathOperStatusEntry=mscLpSdhPathOperStatusEntry, mscLpE3RowStatusEntry=mscLpE3RowStatusEntry, mscLpDS1ProvEntry=mscLpDS1ProvEntry, mscLpE3CidDataTable=mscLpE3CidDataTable, mscLpDS3PlcpStatsTable=mscLpDS3PlcpStatsTable, mscLpV35TestResultsTable=mscLpV35TestResultsTable, mscLpSonetTestAdminState=mscLpSonetTestAdminState, mscLpDS1ChanUsageState=mscLpDS1ChanUsageState)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpSdhTestBitsTx=mscLpSdhTestBitsTx, mscLpE1AdminInfoTable=mscLpE1AdminInfoTable, mscLpAdminState=mscLpAdminState, mscLpSonetPathOperEntry=mscLpSonetPathOperEntry, mscLpE3PlcpStorageType=mscLpE3PlcpStorageType, mscLpDS3OperEntry=mscLpDS3OperEntry, mscLpDS3PlcpFarEndUnavailableSec=mscLpDS3PlcpFarEndUnavailableSec, logicalProcessorCapabilitiesCA02A=logicalProcessorCapabilitiesCA02A, mscLpE3TestBytesTx=mscLpE3TestBytesTx, mscLpE3G832ComponentName=mscLpE3G832ComponentName, mscLpE3TestElapsedTime=mscLpE3TestElapsedTime, mscLpE1ChanActualChannelSpeed=mscLpE1ChanActualChannelSpeed, mscLpSdhRunningTime=mscLpSdhRunningTime, mscLpJT2LosStateChanges=mscLpJT2LosStateChanges, mscLpDS3DS1ChanTcComponentName=mscLpDS3DS1ChanTcComponentName, mscLpSonetPathIndex=mscLpSonetPathIndex, mscLpDS3DS1CidDataEntry=mscLpDS3DS1CidDataEntry, mscLpHssiTestStateEntry=mscLpHssiTestStateEntry, mscLpE3CellReceiveCellUtilization=mscLpE3CellReceiveCellUtilization, mscLpStorageType=mscLpStorageType, mscLpDS1ChanVendor=mscLpDS1ChanVendor, mscLpHssiDataTransferLineState=mscLpHssiDataTransferLineState, mscLpDS1TestCustomizedPattern=mscLpDS1TestCustomizedPattern, mscLpDS1AudioComponentName=mscLpDS1AudioComponentName, mscLpE3TestUsageState=mscLpE3TestUsageState, mscLpE1ChanTestBytesTx=mscLpE1ChanTestBytesTx, mscLpDS3DS1ChanCellStatsEntry=mscLpDS3DS1ChanCellStatsEntry, mscLpDS1ChanTcRowStatusEntry=mscLpDS1ChanTcRowStatusEntry, mscLpSonetRunningTime=mscLpSonetRunningTime, mscLpAvailabilityStatus=mscLpAvailabilityStatus, mscLpDS1TestDisplayInterval=mscLpDS1TestDisplayInterval, mscLpDS3PlcpFarEndSevErroredSec=mscLpDS3PlcpFarEndSevErroredSec, mscLpDS3DS1ChanTcSigOneIndex=mscLpDS3DS1ChanTcSigOneIndex, mscLpDS3DS1ChanTcRowStatusTable=mscLpDS3DS1ChanTcRowStatusTable, mscLpSonetPathIfEntryTable=mscLpSonetPathIfEntryTable, mscLpDS3TestUsageState=mscLpDS3TestUsageState, mscLpE3TestStateTable=mscLpE3TestStateTable, mscLpSonetTestType=mscLpSonetTestType, mscLpE3TestStorageType=mscLpE3TestStorageType, mscLpDS3IfEntryTable=mscLpDS3IfEntryTable, mscLpDS1ChanSnmpOperStatus=mscLpDS1ChanSnmpOperStatus, mscLpE1E1OperTable=mscLpE1E1OperTable, mscLpJT2TestStateTable=mscLpJT2TestStateTable, mscLpSonetStorageType=mscLpSonetStorageType, mscLpDS3DS1ChanOperTable=mscLpDS3DS1ChanOperTable, mscLpJT2IfEntryTable=mscLpJT2IfEntryTable, mscLpE1BpvErrors=mscLpE1BpvErrors, mscLpSonetFarEndLineFailures=mscLpSonetFarEndLineFailures, mscLpSonetOperTable=mscLpSonetOperTable, mscLpDS1ChanUnknownStatus=mscLpDS1ChanUnknownStatus, mscLpJT2RxAisPayloadAlarm=mscLpJT2RxAisPayloadAlarm, mscLpDS1ChanTestResultsEntry=mscLpDS1ChanTestResultsEntry, mscLpE1ChanProceduralStatus=mscLpE1ChanProceduralStatus, mscLpDS3DS1ChanTestCustomizedPattern=mscLpDS3DS1ChanTestCustomizedPattern, mscLpX21DteDataClockSource=mscLpX21DteDataClockSource, mscLpDS1ChanTimeslots=mscLpDS1ChanTimeslots, mscLpDS3DS1ChanTcReplacementData=mscLpDS3DS1ChanTcReplacementData, mscLpDS3DS1ChanCellCorrectableHeaderErrors=mscLpDS3DS1ChanCellCorrectableHeaderErrors, mscLpDS1ChanCellProvEntry=mscLpDS1ChanCellProvEntry, mscLpE3G832RowStatusTable=mscLpE3G832RowStatusTable, mscLpE1ChanTestResultsTable=mscLpE1ChanTestResultsTable, mscLpSonetFarEndLineCodeViolations=mscLpSonetFarEndLineCodeViolations, mscLpE1ChanCellStatsTable=mscLpE1ChanCellStatsTable, mscLpE1ChanTc=mscLpE1ChanTc, mscLpDS3PlcpFarEndErroredSec=mscLpDS3PlcpFarEndErroredSec, mscLpDS3TestBytesRx=mscLpDS3TestBytesRx, mscLpDS3DS1TestResultsTable=mscLpDS3DS1TestResultsTable, mscLpHssiTestDataStartDelay=mscLpHssiTestDataStartDelay, mscLpSonetTestIndex=mscLpSonetTestIndex, mscLpHssiLineState=mscLpHssiLineState, logicalProcessorGroup=logicalProcessorGroup, mscLpUsageState=mscLpUsageState, mscLpSonetProvEntry=mscLpSonetProvEntry, mscLpDS1ChanTestSetupTable=mscLpDS1ChanTestSetupTable, mscLpE1RowStatusTable=mscLpE1RowStatusTable, mscLpE1TestDisplayInterval=mscLpE1TestDisplayInterval, mscLpV35TestComponentName=mscLpV35TestComponentName, mscLpSonetPathOperStatusTable=mscLpSonetPathOperStatusTable, mscLpDS3TestAdminState=mscLpDS3TestAdminState, mscLpDS1ChanIfEntryEntry=mscLpDS1ChanIfEntryEntry, mscLpE3G832StatsEntry=mscLpE3G832StatsEntry, mscLpJT2TestElapsedTime=mscLpJT2TestElapsedTime, mscLpDS3DS1ChanIfEntryEntry=mscLpDS3DS1ChanIfEntryEntry, mscLpSonetPathApplicationFramerName=mscLpSonetPathApplicationFramerName, mscLpDS3LineLength=mscLpDS3LineLength, mscLpDS3CommentText=mscLpDS3CommentText, mscLpDS3DS1TestDataStartDelay=mscLpDS3DS1TestDataStartDelay, mscLpDS1AvailabilityStatus=mscLpDS1AvailabilityStatus, mscLpDS3StorageType=mscLpDS3StorageType, mscLpDS1ChanAvailabilityStatus=mscLpDS1ChanAvailabilityStatus, mscLpHssiTestPurpose=mscLpHssiTestPurpose, mscLpDS3PathCodeViolations=mscLpDS3PathCodeViolations, logicalProcessorCapabilities=logicalProcessorCapabilities, mscLpJT2TestBitsTx=mscLpJT2TestBitsTx, mscLpX21CidDataTable=mscLpX21CidDataTable, mscLpDS1ChanTestOperationalState=mscLpDS1ChanTestOperationalState, mscLpDS3CellAlarmActDelay=mscLpDS3CellAlarmActDelay, mscLpDS3DS1ChanProceduralStatus=mscLpDS3DS1ChanProceduralStatus, mscLpE1UnknownStatus=mscLpE1UnknownStatus, mscLpDS1TestRowStatusEntry=mscLpDS1TestRowStatusEntry, mscLpSdhTestDuration=mscLpSdhTestDuration, mscLpSdhTestFrmTx=mscLpSdhTestFrmTx, mscLpDS3TestErroredFrmRx=mscLpDS3TestErroredFrmRx, mscLpJT2TestDuration=mscLpJT2TestDuration, mscLpE1Dsp=mscLpE1Dsp, mscLpE3Test=mscLpE3Test, mscLpHssiActualRxLineSpeed=mscLpHssiActualRxLineSpeed, mscLpDS3DS1TestComponentName=mscLpDS3DS1TestComponentName, mscLpHssiVendor=mscLpHssiVendor, mscLpHssiCustomerIdentifier=mscLpHssiCustomerIdentifier, mscLpSdhClockingSource=mscLpSdhClockingSource, mscLpX21Test=mscLpX21Test, mscLpE3G832TrailTraceReceived=mscLpE3G832TrailTraceReceived, mscLpE3CellStatsTable=mscLpE3CellStatsTable, mscLpX21TestSetupEntry=mscLpX21TestSetupEntry, mscLpDS3DS1TestFrmTx=mscLpDS3DS1TestFrmTx, mscLpDS3DS1ChanCellReceiveCellUtilization=mscLpDS3DS1ChanCellReceiveCellUtilization, mscLpV35=mscLpV35, mscLpDS1StatsEntry=mscLpDS1StatsEntry, mscLpE3PathSevErroredSec=mscLpE3PathSevErroredSec, mscLpE1ChanCellProvTable=mscLpE1ChanCellProvTable, mscLpDS3DS1RowStatusEntry=mscLpDS3DS1RowStatusEntry, mscLpDS1ChanCellUncorrectableHecErrors=mscLpDS1ChanCellUncorrectableHecErrors, mscLpProceduralStatus=mscLpProceduralStatus, mscLpX21ActualLinkMode=mscLpX21ActualLinkMode, mscLpE1TestBitErrorRate=mscLpE1TestBitErrorRate, mscLpE3IfIndex=mscLpE3IfIndex, mscLpDS3PathSefAisSec=mscLpDS3PathSefAisSec, mscLpDS3DS1AdminInfoEntry=mscLpDS3DS1AdminInfoEntry, mscLpDS3DS1Test=mscLpDS3DS1Test, mscLpJT2AlarmStatus=mscLpJT2AlarmStatus, mscLpDS1TxAisAlarm=mscLpDS1TxAisAlarm, mscLpSdhTestResultsEntry=mscLpSdhTestResultsEntry, mscLpDS1TestBitsTx=mscLpDS1TestBitsTx, mscLpDS3DS1SevErroredFrmSec=mscLpDS3DS1SevErroredFrmSec, mscLpE1ChanAlarmStatus=mscLpE1ChanAlarmStatus, mscLpSonetPathCell=mscLpSonetPathCell, mscLpSonetPathCellStatsTable=mscLpSonetPathCellStatsTable, mscLpSonetPathFarEndPathAisLopSec=mscLpSonetPathFarEndPathAisLopSec, mscLpSdhLineUnavailSec=mscLpSdhLineUnavailSec, mscLpSonetPathPathSevErroredSec=mscLpSonetPathPathSevErroredSec, mscLpEngDsOvStorageType=mscLpEngDsOvStorageType, mscLpE3TestIndex=mscLpE3TestIndex, mscLpSdhTestCauseOfTermination=mscLpSdhTestCauseOfTermination, mscLpSdhUnknownStatus=mscLpSdhUnknownStatus, mscLpDS3ApplicationFramerName=mscLpDS3ApplicationFramerName, mscLpSonetAdminInfoEntry=mscLpSonetAdminInfoEntry, mscLpX21TestRowStatus=mscLpX21TestRowStatus, mscLpDS3DS1StatsTable=mscLpDS3DS1StatsTable, mscLpDS3DS1CustomerIdentifier=mscLpDS3DS1CustomerIdentifier, mscLpV35ClockingSource=mscLpV35ClockingSource, mscLpDS1AudioStorageType=mscLpDS1AudioStorageType, mscLpE1ChanComponentName=mscLpE1ChanComponentName, mscLpDS1ChanApplicationFramerName=mscLpDS1ChanApplicationFramerName, logicalProcessorGroupCA=logicalProcessorGroupCA, mscLpJT2AvailabilityStatus=mscLpJT2AvailabilityStatus, mscLpDS3CBitFarEndFailures=mscLpDS3CBitFarEndFailures, mscLpE3TestBitsRx=mscLpE3TestBitsRx, mscLpDS3CBitCbitErrorFreeSec=mscLpDS3CBitCbitErrorFreeSec, mscLpSonetCidDataTable=mscLpSonetCidDataTable, mscLpDS3PlcpErrorFreeSec=mscLpDS3PlcpErrorFreeSec, mscLpDS3DS1ChanTcSigTwoIndex=mscLpDS3DS1ChanTcSigTwoIndex, mscLpDS3DS1ChanAdminInfoTable=mscLpDS3DS1ChanAdminInfoTable, mscLpE1ChanCellTransmitCellUtilization=mscLpE1ChanCellTransmitCellUtilization, mscLpX21TestStateTable=mscLpX21TestStateTable, mscLpSdhCidDataEntry=mscLpSdhCidDataEntry, mscLpDS3DS1TestSetupEntry=mscLpDS3DS1TestSetupEntry, mscLpLocalMsgBlockUsageAvg=mscLpLocalMsgBlockUsageAvg, mscLpDS1IfEntryTable=mscLpDS1IfEntryTable, mscLpE1TestSetupEntry=mscLpE1TestSetupEntry, mscLpDS3DS1ChanTestUsageState=mscLpDS3DS1ChanTestUsageState, mscLpSdhPathPathErrorFreeSec=mscLpSdhPathPathErrorFreeSec, mscLpDS1FrmErrors=mscLpDS1FrmErrors, mscLpE3PlcpFarEndErroredSec=mscLpE3PlcpFarEndErroredSec, mscLpJT2TestStateEntry=mscLpJT2TestStateEntry, mscLpDS1StateTable=mscLpDS1StateTable, mscLpDS3DS1ComponentName=mscLpDS3DS1ComponentName, mscLpE1ChanUsageState=mscLpE1ChanUsageState, mscLpE3ControlStatus=mscLpE3ControlStatus, mscLpE1ProvTable=mscLpE1ProvTable, mscLpDS1RxRaiAlarm=mscLpDS1RxRaiAlarm, mscLpDS1ChanTestStateEntry=mscLpDS1ChanTestStateEntry, mscLpSdhPathCellTransmitCellUtilization=mscLpSdhPathCellTransmitCellUtilization, mscLpDS1ChanCommentText=mscLpDS1ChanCommentText, mscLpE3TestFrmRx=mscLpE3TestFrmRx, mscLpDS1ChanCellOperTable=mscLpDS1ChanCellOperTable, mscLpE3Framing=mscLpE3Framing, mscLpSonetPathCellRowStatusTable=mscLpSonetPathCellRowStatusTable, mscLpDS3TestRowStatus=mscLpDS3TestRowStatus, mscLpJT2ComponentName=mscLpJT2ComponentName, mscLpE3TestBitErrorRate=mscLpE3TestBitErrorRate, mscLpDS1ChanCidDataTable=mscLpDS1ChanCidDataTable, mscLpDS1ChanOperEntry=mscLpDS1ChanOperEntry, mscLpE3TestFrmPatternType=mscLpE3TestFrmPatternType, mscLpE3TestType=mscLpE3TestType, mscLpSonetTestPurpose=mscLpSonetTestPurpose, mscLpDS1ChanCellTransmitCellUtilization=mscLpDS1ChanCellTransmitCellUtilization, mscLpE1FrmErrors=mscLpE1FrmErrors, mscLpE1LosAlarm=mscLpE1LosAlarm, mscLpE1CommentText=mscLpE1CommentText, mscLpJT2SevErroredSec=mscLpJT2SevErroredSec, mscLpHssiOperStatusEntry=mscLpHssiOperStatusEntry, mscLpJT2StateTable=mscLpJT2StateTable, mscLpLinkToApplicationsTable=mscLpLinkToApplicationsTable, mscLpE1ChanTcSigTwoTable=mscLpE1ChanTcSigTwoTable, mscLpHssiTestAdminState=mscLpHssiTestAdminState, mscLpV35ProvTable=mscLpV35ProvTable, mscLpDS3TestBitsTx=mscLpDS3TestBitsTx, mscLpJT2StandbyStatus=mscLpJT2StandbyStatus, mscLpE1DspStorageType=mscLpE1DspStorageType, mscLpE3G832ProvisionedTable=mscLpE3G832ProvisionedTable, mscLpDS1TestCauseOfTermination=mscLpDS1TestCauseOfTermination, mscLpSdhLofAlarm=mscLpSdhLofAlarm, mscLpDS3ComponentName=mscLpDS3ComponentName, mscLpSonetLineFailures=mscLpSonetLineFailures, logicalProcessorGroupCA02=logicalProcessorGroupCA02, mscLpDS3DS1ChanApplicationFramerName=mscLpDS3DS1ChanApplicationFramerName, mscLpDS3DS1ChanTestRowStatusTable=mscLpDS3DS1ChanTestRowStatusTable, mscLpE1ChanTestFrmTx=mscLpE1ChanTestFrmTx, mscLpHssiAvailabilityStatus=mscLpHssiAvailabilityStatus, mscLpOperTable=mscLpOperTable, mscLpSonetPathCellProvTable=mscLpSonetPathCellProvTable, mscLpSpareCard=mscLpSpareCard, mscLpSdhProceduralStatus=mscLpSdhProceduralStatus, mscLpSdhOperStatusTable=mscLpSdhOperStatusTable, mscLpSonetTestFrmSize=mscLpSonetTestFrmSize, mscLpDS1ChanTestTimeRemaining=mscLpDS1ChanTestTimeRemaining, mscLpHssiTestBitsTx=mscLpHssiTestBitsTx, mscLpDS1TestResultsEntry=mscLpDS1TestResultsEntry, mscLpSonetUnknownStatus=mscLpSonetUnknownStatus, mscLpRowStatusTable=mscLpRowStatusTable, mscLpSonetPathUnknownStatus=mscLpSonetPathUnknownStatus, mscLpDS3DS1StateEntry=mscLpDS3DS1StateEntry, mscLpDS3OperStatusTable=mscLpDS3OperStatusTable, mscLpDS1TestFrmTx=mscLpDS1TestFrmTx, mscLpSonetPathRxRfiAlarm=mscLpSonetPathRxRfiAlarm, mscLpDS3RunningTime=mscLpDS3RunningTime, mscLpV35TestDuration=mscLpV35TestDuration, mscLpDS1Audio=mscLpDS1Audio, mscLpCpuUtilAvgMin=mscLpCpuUtilAvgMin, mscLpDS3AdminState=mscLpDS3AdminState, mscLpE3CellTransmitCellUtilization=mscLpE3CellTransmitCellUtilization, mscLpV35ActualLinkMode=mscLpV35ActualLinkMode, mscLpDS3StatsEntry=mscLpDS3StatsEntry, mscLpX21LinkMode=mscLpX21LinkMode, mscLpDS3DS1TestBitsTx=mscLpDS3DS1TestBitsTx, mscLpDS3DS1TestStateEntry=mscLpDS3DS1TestStateEntry, mscLpDS3DS1TestSetupTable=mscLpDS3DS1TestSetupTable, mscLpE1ChanCellRowStatus=mscLpE1ChanCellRowStatus, mscLpE1CustomerIdentifier=mscLpE1CustomerIdentifier, mscLpE1ChanIfEntryEntry=mscLpE1ChanIfEntryEntry, mscLpV35TestErroredFrmRx=mscLpV35TestErroredFrmRx, mscLpDS1StatsTable=mscLpDS1StatsTable, mscLpSdhPathCellStatsTable=mscLpSdhPathCellStatsTable)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpE3AdminInfoTable=mscLpE3AdminInfoTable, mscLpDS1ChanIfEntryTable=mscLpDS1ChanIfEntryTable, mscLpX21CommentText=mscLpX21CommentText, mscLpX21TestFrmRx=mscLpX21TestFrmRx, mscLpSdhAdminInfoTable=mscLpSdhAdminInfoTable, mscLpDS1ChanCellProvTable=mscLpDS1ChanCellProvTable, mscLpE1ChanFlmOpEntry=mscLpE1ChanFlmOpEntry, mscLpE3TestResultsEntry=mscLpE3TestResultsEntry, mscLpSdhPathRowStatusTable=mscLpSdhPathRowStatusTable, mscLpDS1TestBytesRx=mscLpDS1TestBytesRx, mscLpX21TestDuration=mscLpX21TestDuration, mscLpDS3CellStatsEntry=mscLpDS3CellStatsEntry, mscLpV35StateEntry=mscLpV35StateEntry, mscLpHssiTestDisplayInterval=mscLpHssiTestDisplayInterval, mscLpMsgBlockUsageAvgMax=mscLpMsgBlockUsageAvgMax, mscLp=mscLp, mscLpE1ChanIfIndex=mscLpE1ChanIfIndex, mscLpSdhTestDataStartDelay=mscLpSdhTestDataStartDelay, mscLpE3StatsTable=mscLpE3StatsTable, mscLpE1TxMultifrmRaiAlarm=mscLpE1TxMultifrmRaiAlarm, mscLpE1ChanTestDataStartDelay=mscLpE1ChanTestDataStartDelay, mscLpDS3LineCodeViolations=mscLpDS3LineCodeViolations, mscLpE1ChanAvailabilityStatus=mscLpE1ChanAvailabilityStatus, mscLpDS3DS1TestType=mscLpDS3DS1TestType, mscLpE1ChanTcOpEntry=mscLpE1ChanTcOpEntry, mscLpDS3CBit=mscLpDS3CBit, mscLpSonetPathStatsTable=mscLpSonetPathStatsTable, mscLpE1StateTable=mscLpE1StateTable, mscLpX21TestCauseOfTermination=mscLpX21TestCauseOfTermination, mscLpE3TestPurpose=mscLpE3TestPurpose, mscLpDS3DS1ChanStateTable=mscLpDS3DS1ChanStateTable, mscLpE3PlcpStatsTable=mscLpE3PlcpStatsTable, mscLpDS1Test=mscLpDS1Test, mscLpV35DataXferStateChanges=mscLpV35DataXferStateChanges, mscLpSonetLineSevErroredSec=mscLpSonetLineSevErroredSec, mscLpJT2CellStorageType=mscLpJT2CellStorageType, mscLpDS3CBitFarEndErrorFreeSec=mscLpDS3CBitFarEndErrorFreeSec, mscLpDS1TestType=mscLpDS1TestType, mscLpSonetPathControlStatus=mscLpSonetPathControlStatus, mscLpE1TestStateEntry=mscLpE1TestStateEntry, mscLpSonetPathCellCorrectSingleBitHeaderErrors=mscLpSonetPathCellCorrectSingleBitHeaderErrors, mscLpEngDsOv=mscLpEngDsOv, mscLpSdhFarEndLineCodeViolations=mscLpSdhFarEndLineCodeViolations, mscLpDS3DS1TestRowStatus=mscLpDS3DS1TestRowStatus, mscLpDS1ErroredSec=mscLpDS1ErroredSec, mscLpDS3DS1ChanStorageType=mscLpDS3DS1ChanStorageType, mscLpDS3DS1AdminInfoTable=mscLpDS3DS1AdminInfoTable, mscLpDS3DS1ChanTestType=mscLpDS3DS1ChanTestType, mscLpDS3DS1TxRaiAlarm=mscLpDS3DS1TxRaiAlarm, mscLpDS3DS1ChanTestStorageType=mscLpDS3DS1ChanTestStorageType, mscLpV35TestIndex=mscLpV35TestIndex, mscLpSdhPathRxAisAlarm=mscLpSdhPathRxAisAlarm, mscLpX21UsageState=mscLpX21UsageState, mscLpSonetControlStatus=mscLpSonetControlStatus, mscLpE3TestSetupEntry=mscLpE3TestSetupEntry, mscLpHssiTestResultsEntry=mscLpHssiTestResultsEntry, mscLpSonetPathProvTable=mscLpSonetPathProvTable, mscLpDS3CBitFarEndAlarm=mscLpDS3CBitFarEndAlarm, mscLpE3PlcpComponentName=mscLpE3PlcpComponentName, mscLpSonetTestDisplayInterval=mscLpSonetTestDisplayInterval, mscLpDS3DS1ChanTestBitsRx=mscLpDS3DS1ChanTestBitsRx, mscLpE3TestErroredFrmRx=mscLpE3TestErroredFrmRx, mscLpSonetPathStatsEntry=mscLpSonetPathStatsEntry, mscLpX21LineStatusTimeOut=mscLpX21LineStatusTimeOut, logicalProcessorGroupCA02A=logicalProcessorGroupCA02A, mscLpE1ChanTestIndex=mscLpE1ChanTestIndex, mscLpEngRowStatusTable=mscLpEngRowStatusTable, mscLpDS1ChanCellScrambleCellPayload=mscLpDS1ChanCellScrambleCellPayload, mscLpCidDataEntry=mscLpCidDataEntry, mscLpEngDsAgentQueueSize=mscLpEngDsAgentQueueSize, mscLpE1ChanTcSigTwoValue=mscLpE1ChanTcSigTwoValue, mscLpDS1OperEntry=mscLpDS1OperEntry, mscLpSdhOperTable=mscLpSdhOperTable, mscLpDS1ChanAdminInfoEntry=mscLpDS1ChanAdminInfoEntry, mscLpJT2OperTable=mscLpJT2OperTable, mscLpE1AudioComponentName=mscLpE1AudioComponentName, mscLpV35UnknownStatus=mscLpV35UnknownStatus, mscLpSdhPathCellRowStatusTable=mscLpSdhPathCellRowStatusTable, mscLpE1ChanTcSigOneIndex=mscLpE1ChanTcSigOneIndex, mscLpDS1ChanTestCustomizedPattern=mscLpDS1ChanTestCustomizedPattern, mscLpE3TestFrmSize=mscLpE3TestFrmSize, mscLpV35TestOperationalState=mscLpV35TestOperationalState, mscLpSonetPathAvailabilityStatus=mscLpSonetPathAvailabilityStatus, mscLpDS3CBitComponentName=mscLpDS3CBitComponentName, mscLpDS1AudioRowStatusTable=mscLpDS1AudioRowStatusTable, mscLpDS1ChanCellStatsEntry=mscLpDS1ChanCellStatsEntry, mscLpE3PathFailures=mscLpE3PathFailures, mscLpSdhPathCellComponentName=mscLpSdhPathCellComponentName, mscLpSonetPathStandbyStatus=mscLpSonetPathStandbyStatus, mscLpDS1TxRaiAlarm=mscLpDS1TxRaiAlarm, mscLpEngDsOperTable=mscLpEngDsOperTable, mscLpDS3ControlStatus=mscLpDS3ControlStatus, mscLpSdhTestType=mscLpSdhTestType, mscLpDS3DS1ChanTcSigOneTable=mscLpDS3DS1ChanTcSigOneTable, mscLpX21OperTable=mscLpX21OperTable, mscLpSonetFarEndLineErrorFreeSec=mscLpSonetFarEndLineErrorFreeSec, mscLpJT2IfEntryEntry=mscLpJT2IfEntryEntry, mscLpDS1LosAlarm=mscLpDS1LosAlarm, mscLpV35IfEntryTable=mscLpV35IfEntryTable, mscLpDS3DS1ChanTestBytesTx=mscLpDS3DS1ChanTestBytesTx, mscLpSdhPathTxRdi=mscLpSdhPathTxRdi, mscLpDS1ControlStatus=mscLpDS1ControlStatus, mscLpDS3DS1ChanCellOperEntry=mscLpDS3DS1ChanCellOperEntry, mscLpE1RxRaiAlarm=mscLpE1RxRaiAlarm, mscLpJT2Index=mscLpJT2Index, mscLpE1ChanTestDisplayInterval=mscLpE1ChanTestDisplayInterval, mscLpSonetPathProceduralStatus=mscLpSonetPathProceduralStatus, mscLpE1ChanCellReceiveCellUtilization=mscLpE1ChanCellReceiveCellUtilization, mscLpSdhProvEntry=mscLpSdhProvEntry, mscLpSdhTestRowStatusTable=mscLpSdhTestRowStatusTable, mscLpDS3DS1ProceduralStatus=mscLpDS3DS1ProceduralStatus, mscLpDS3DS1ChanTcSigOneValue=mscLpDS3DS1ChanTcSigOneValue, mscLpSonetUnusableTxClockRefAlarm=mscLpSonetUnusableTxClockRefAlarm, mscLpUnknownStatus=mscLpUnknownStatus, mscLpDS3DS1LofAlarm=mscLpDS3DS1LofAlarm, mscLpSdhSectFailures=mscLpSdhSectFailures, mscLpJT2TestBitsRx=mscLpJT2TestBitsRx, mscLpDS3DS1TestBitsRx=mscLpDS3DS1TestBitsRx, mscLpE1ChanCellOperEntry=mscLpE1ChanCellOperEntry, mscLpDS3CBitFarEndErroredSec=mscLpDS3CBitFarEndErroredSec, mscLpJT2CrcErrors=mscLpJT2CrcErrors, mscLpX21TestTimeRemaining=mscLpX21TestTimeRemaining, mscLpX21TestRowStatusTable=mscLpX21TestRowStatusTable, mscLpHssiUnknownStatus=mscLpHssiUnknownStatus, mscLpDS3TestBytesTx=mscLpDS3TestBytesTx, mscLpDS3DS1Vendor=mscLpDS3DS1Vendor, mscLpDS3ProvTable=mscLpDS3ProvTable, mscLpV35TestFrmPatternType=mscLpV35TestFrmPatternType, mscLpDS1ChanStateTable=mscLpDS1ChanStateTable, mscLpV35TestDataStartDelay=mscLpV35TestDataStartDelay, mscLpDS3CBitOperationalEntry=mscLpDS3CBitOperationalEntry, mscLpSonetPathLopAlarm=mscLpSonetPathLopAlarm, mscLpSdhPathCidDataEntry=mscLpSdhPathCidDataEntry, mscLpSdhPathIfEntryTable=mscLpSdhPathIfEntryTable, mscLpDS3DS1RunningTime=mscLpDS3DS1RunningTime, mscLpV35ReadyLineState=mscLpV35ReadyLineState, mscLpEngDsOvRowStatusEntry=mscLpEngDsOvRowStatusEntry, mscLpE1ChanCellComponentName=mscLpE1ChanCellComponentName, mscLpHssiCidDataTable=mscLpHssiCidDataTable, mscLpJT2OperationalState=mscLpJT2OperationalState, mscLpDS1AdminInfoEntry=mscLpDS1AdminInfoEntry, mscLpE1ChanFlmOpTable=mscLpE1ChanFlmOpTable, mscLpDS3PathErroredSec=mscLpDS3PathErroredSec, mscLpX21ActualRxLineSpeed=mscLpX21ActualRxLineSpeed, mscLpX21TestElapsedTime=mscLpX21TestElapsedTime, mscLpRowStatus=mscLpRowStatus, mscLpDS3DS1ChanUsageState=mscLpDS3DS1ChanUsageState, mscLpE1ChanAdminInfoEntry=mscLpE1ChanAdminInfoEntry, mscLpSdhTestBitsRx=mscLpSdhTestBitsRx, mscLpE1ChanStateEntry=mscLpE1ChanStateEntry, mscLpDS1AudioRowStatusEntry=mscLpDS1AudioRowStatusEntry, mscLpDS1ChanTestFrmRx=mscLpDS1ChanTestFrmRx, mscLpSonetLineCodeViolations=mscLpSonetLineCodeViolations, mscLpDS3DS1ChanTcSigTwoEntry=mscLpDS3DS1ChanTcSigTwoEntry, mscLpDS1TestPurpose=mscLpDS1TestPurpose, mscLpSdhPathProceduralStatus=mscLpSdhPathProceduralStatus, mscLpSpareCardStatus=mscLpSpareCardStatus, mscLpDS3DS1TestBitErrorRate=mscLpDS3DS1TestBitErrorRate, mscLpE1LofAlarm=mscLpE1LofAlarm, mscLpLinkToApplicationsValue=mscLpLinkToApplicationsValue, mscLpE3CidDataEntry=mscLpE3CidDataEntry, mscLpV35ActualRxLineSpeed=mscLpV35ActualRxLineSpeed, mscLpE1ChanOperEntry=mscLpE1ChanOperEntry, mscLpDS3TestResultsTable=mscLpDS3TestResultsTable, mscLpDS3DS1ChanTestStateEntry=mscLpDS3DS1ChanTestStateEntry, mscLpDS1TestSetupEntry=mscLpDS1TestSetupEntry, mscLpSdhPathSnmpOperStatus=mscLpSdhPathSnmpOperStatus, mscLpDS1OperTable=mscLpDS1OperTable, mscLpMemoryCapacityIndex=mscLpMemoryCapacityIndex, mscLpDS3DS1OperStatusEntry=mscLpDS3DS1OperStatusEntry, mscLpSonetStateEntry=mscLpSonetStateEntry, mscLpComponentName=mscLpComponentName, mscLpSonetPathOperStatusEntry=mscLpSonetPathOperStatusEntry, mscLpSonetPathOperationalState=mscLpSonetPathOperationalState, mscLpE3TestBytesRx=mscLpE3TestBytesRx, mscLpJT2ProvEntry=mscLpJT2ProvEntry, mscLpDS1ChanProceduralStatus=mscLpDS1ChanProceduralStatus, mscLpDS1ChanTcSigOneEntry=mscLpDS1ChanTcSigOneEntry, mscLpDS1UnknownStatus=mscLpDS1UnknownStatus, mscLpDS3CellComponentName=mscLpDS3CellComponentName, mscLpDS3DS1TestRowStatusEntry=mscLpDS3DS1TestRowStatusEntry, mscLpDS3DS1ChanActualChannelSpeed=mscLpDS3DS1ChanActualChannelSpeed, mscLpSdhAlarmStatus=mscLpSdhAlarmStatus, mscLpE1ChanTestOperationalState=mscLpE1ChanTestOperationalState, mscLpDS3DS1IfIndex=mscLpDS3DS1IfIndex, mscLpDS1ChanRowStatus=mscLpDS1ChanRowStatus, mscLpSdhPathIfEntryEntry=mscLpSdhPathIfEntryEntry, mscLpSdhPathCellAlarmActDelay=mscLpSdhPathCellAlarmActDelay, mscLpDS3DS1ChanRowStatusEntry=mscLpDS3DS1ChanRowStatusEntry, mscLpDS1ChanTcOpTable=mscLpDS1ChanTcOpTable, mscLpDS1TestFrmSize=mscLpDS1TestFrmSize, mscLpE1TestBitsTx=mscLpE1TestBitsTx, mscLpJT2CellReceiveCellUtilization=mscLpJT2CellReceiveCellUtilization, mscLpSonetOperStatusTable=mscLpSonetOperStatusTable, mscLpJT2Vendor=mscLpJT2Vendor, mscLpDS3DS1ChanCellIndex=mscLpDS3DS1ChanCellIndex, mscLpSdhPathPathUnavailSec=mscLpSdhPathPathUnavailSec, mscLpEng=mscLpEng, mscLpSdhPathProvEntry=mscLpSdhPathProvEntry, mscLpDS3DS1OperStatusTable=mscLpDS3DS1OperStatusTable, mscLpJT2RunningTime=mscLpJT2RunningTime, mscLpE1ChanCellProvEntry=mscLpE1ChanCellProvEntry, mscLpJT2TestRowStatus=mscLpJT2TestRowStatus, mscLpActiveCard=mscLpActiveCard, mscLpJT2TestFrmTx=mscLpJT2TestFrmTx, mscLpDS3DS1ProvEntry=mscLpDS3DS1ProvEntry, mscLpHssiIfEntryEntry=mscLpHssiIfEntryEntry, mscLpSdhPathCellLcdAlarm=mscLpSdhPathCellLcdAlarm, mscLpSonetProceduralStatus=mscLpSonetProceduralStatus, mscLpDS1ChanIfAdminStatus=mscLpDS1ChanIfAdminStatus, mscLpDS1ChanCellAlarmActDelay=mscLpDS1ChanCellAlarmActDelay, mscLpE1TestStateTable=mscLpE1TestStateTable, mscLpX21DataTransferLineState=mscLpX21DataTransferLineState, mscLpE3IfAdminStatus=mscLpE3IfAdminStatus, mscLpDS1ChanCellComponentName=mscLpDS1ChanCellComponentName, mscLpDS1ChanOperStatusEntry=mscLpDS1ChanOperStatusEntry, mscLpSdhTestSetupEntry=mscLpSdhTestSetupEntry, mscLpDS1IfEntryEntry=mscLpDS1IfEntryEntry, mscLpV35TestCustomizedPattern=mscLpV35TestCustomizedPattern, mscLpHssiLinkMode=mscLpHssiLinkMode, mscLpSonetTestErroredFrmRx=mscLpSonetTestErroredFrmRx, mscLpV35TestSetupTable=mscLpV35TestSetupTable, mscLpE1ChanAdminInfoTable=mscLpE1ChanAdminInfoTable, mscLpSdhPathPathFailures=mscLpSdhPathPathFailures, mscLpDS1ChanOperationalState=mscLpDS1ChanOperationalState, mscLpDS3DS1TestBytesTx=mscLpDS3DS1TestBytesTx, mscLpE3RxRaiAlarm=mscLpE3RxRaiAlarm, mscLpDS3DS1ChanTestErroredFrmRx=mscLpDS3DS1ChanTestErroredFrmRx, mscLpE3AlarmStatus=mscLpE3AlarmStatus, mscLpDS1ChanTestPurpose=mscLpDS1ChanTestPurpose, mscLpDS1ChanTestDataStartDelay=mscLpDS1ChanTestDataStartDelay, mscLpE3=mscLpE3, mscLpE1ChanTestCustomizedPattern=mscLpE1ChanTestCustomizedPattern, mscLpHssiDataXferStateChanges=mscLpHssiDataXferStateChanges, mscLpDS1TestStorageType=mscLpDS1TestStorageType, mscLpSdhRowStatusEntry=mscLpSdhRowStatusEntry, mscLpDS3DS1ChanOperEntry=mscLpDS3DS1ChanOperEntry, mscLpHssiTestRowStatusEntry=mscLpHssiTestRowStatusEntry, mscLpV35LinkMode=mscLpV35LinkMode, mscLpE3Cell=mscLpE3Cell, mscLpJT2OperStatusEntry=mscLpJT2OperStatusEntry, mscLpDS3CustomerIdentifier=mscLpDS3CustomerIdentifier, mscLpE1ChanTestStorageType=mscLpE1ChanTestStorageType, mscLpDS1TestRowStatusTable=mscLpDS1TestRowStatusTable, mscLpV35TestRowStatusEntry=mscLpV35TestRowStatusEntry, mscLpX21TestDisplayInterval=mscLpX21TestDisplayInterval, mscLpDS3AdminInfoEntry=mscLpDS3AdminInfoEntry, mscLpDS3AlarmStatus=mscLpDS3AlarmStatus, mscLpDS3DS1OperationalState=mscLpDS3DS1OperationalState, mscLpDS3DS1ChanAdminState=mscLpDS3DS1ChanAdminState, mscLpV35ActualTxLineSpeed=mscLpV35ActualTxLineSpeed, mscLpSdhPathCellIndex=mscLpSdhPathCellIndex, mscLpTimeInterval=mscLpTimeInterval, mscLpDS3DS1ChanTestOperationalState=mscLpDS3DS1ChanTestOperationalState)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpE1E1OperEntry=mscLpE1E1OperEntry, mscLpDS1ChanTestStateTable=mscLpDS1ChanTestStateTable, mscLpDS3DS1TestOperationalState=mscLpDS3DS1TestOperationalState, mscLpSdhTestStateTable=mscLpSdhTestStateTable, mscLpHssiTestFrmTx=mscLpHssiTestFrmTx, mscLpHssiTestIndex=mscLpHssiTestIndex, mscLpSonetClockingSource=mscLpSonetClockingSource, mscLpSonetPathIfIndex=mscLpSonetPathIfIndex, mscLpDS1LosStateChanges=mscLpDS1LosStateChanges, mscLpHssiTestRowStatus=mscLpHssiTestRowStatus, mscLpV35TestDisplayInterval=mscLpV35TestDisplayInterval, mscLpDS1OperStatusEntry=mscLpDS1OperStatusEntry, mscLpJT2SevErroredFrmSec=mscLpJT2SevErroredFrmSec, mscLpDS1ChanTcRowStatusTable=mscLpDS1ChanTcRowStatusTable, mscLpDS1ComponentName=mscLpDS1ComponentName, mscLpE3LineLength=mscLpE3LineLength, mscLpSdhComponentName=mscLpSdhComponentName, mscLpDS1ChanControlStatus=mscLpDS1ChanControlStatus, mscLpE3LineSevErroredSec=mscLpE3LineSevErroredSec, mscLpSonetTestStateTable=mscLpSonetTestStateTable, mscLpE3G832=mscLpE3G832, mscLpSdhStatsEntry=mscLpSdhStatsEntry, mscLpDS3TestResultsEntry=mscLpDS3TestResultsEntry, mscLpE1ChanTest=mscLpE1ChanTest, mscLpSonetPathStateEntry=mscLpSonetPathStateEntry, mscLpDS3DS1UsageState=mscLpDS3DS1UsageState, mscLpSonetTestFrmTx=mscLpSonetTestFrmTx, mscLpSonetPathCellProvEntry=mscLpSonetPathCellProvEntry, mscLpDS3CellTransmitCellUtilization=mscLpDS3CellTransmitCellUtilization, mscLpE3PlcpFarEndErrorFreeSec=mscLpE3PlcpFarEndErrorFreeSec, mscLpDS3CellRowStatus=mscLpDS3CellRowStatus, mscLpEngDsRowStatusTable=mscLpEngDsRowStatusTable, mscLpDS3DS1ChanAlarmStatus=mscLpDS3DS1ChanAlarmStatus, mscLpDS1SlipErrors=mscLpDS1SlipErrors, mscLpDS1ChanActualChannelSpeed=mscLpDS1ChanActualChannelSpeed, mscLpSonetUsageState=mscLpSonetUsageState, mscLpE3AdminInfoEntry=mscLpE3AdminInfoEntry, mscLpDS3Cell=mscLpDS3Cell, mscLpDS3PathFailures=mscLpDS3PathFailures, mscLpE1ChanTestTimeRemaining=mscLpE1ChanTestTimeRemaining, mscLpE1ChanTcRowStatusEntry=mscLpE1ChanTcRowStatusEntry, mscLpDS3TestStateTable=mscLpDS3TestStateTable, mscLpDS3TestType=mscLpDS3TestType, mscLpSdhStandbyStatus=mscLpSdhStandbyStatus, mscLpDS3PlcpFarEndCodingViolations=mscLpDS3PlcpFarEndCodingViolations, mscLpSdhPathFarEndPathFailures=mscLpSdhPathFarEndPathFailures, mscLpDS1AlarmStatus=mscLpDS1AlarmStatus, mscLpSdhTestBytesRx=mscLpSdhTestBytesRx, mscLpDS3DS1ChanTestResultsTable=mscLpDS3DS1ChanTestResultsTable, mscLpV35OperStatusEntry=mscLpV35OperStatusEntry, mscLpStandbyStatus=mscLpStandbyStatus, mscLpE3IfEntryEntry=mscLpE3IfEntryEntry, mscLpE3TestFrmTx=mscLpE3TestFrmTx, mscLpDS3CellSevErroredSec=mscLpDS3CellSevErroredSec, mscLpE3OperTable=mscLpE3OperTable, mscLpE3CellSevErroredSec=mscLpE3CellSevErroredSec, mscLpSonetTestBitsTx=mscLpSonetTestBitsTx, mscLpE3TxRai=mscLpE3TxRai, mscLpE1UsageState=mscLpE1UsageState, mscLpE1OperStatusEntry=mscLpE1OperStatusEntry, mscLpSdhPathOperationalState=mscLpSdhPathOperationalState, mscLpDS1ChanStandbyStatus=mscLpDS1ChanStandbyStatus, mscLpV35OperTable=mscLpV35OperTable, mscLpE1TestBytesTx=mscLpE1TestBytesTx, mscLpSonetSnmpOperStatus=mscLpSonetSnmpOperStatus, mscLpE1TestCauseOfTermination=mscLpE1TestCauseOfTermination, mscLpE3CellLcdAlarm=mscLpE3CellLcdAlarm, mscLpJT2TestErroredFrmRx=mscLpJT2TestErroredFrmRx, mscLpMemoryCapacityTable=mscLpMemoryCapacityTable, mscLpDS3DS1ControlStatus=mscLpDS3DS1ControlStatus, mscLpEngDsRowStatus=mscLpEngDsRowStatus, mscLpDS1CrcErrors=mscLpDS1CrcErrors, mscLpE1SevErroredSec=mscLpE1SevErroredSec, mscLpDS3ProvEntry=mscLpDS3ProvEntry, mscLpDS1ChanCellRowStatus=mscLpDS1ChanCellRowStatus, mscLpV35TestUsageState=mscLpV35TestUsageState, mscLpSonetErrorFreeSec=mscLpSonetErrorFreeSec, mscLpV35OperEntry=mscLpV35OperEntry, mscLpDS3DS1=mscLpDS3DS1, mscLpHssiProvEntry=mscLpHssiProvEntry, mscLpE1ChanTestFrmRx=mscLpE1ChanTestFrmRx, mscLpE1ClockingSource=mscLpE1ClockingSource, mscLpE1TxAisAlarm=mscLpE1TxAisAlarm, mscLpX21IfIndex=mscLpX21IfIndex, mscLpSdhPathCellScrambleCellPayload=mscLpSdhPathCellScrambleCellPayload, mscLpDS3PlcpOperationalEntry=mscLpDS3PlcpOperationalEntry, mscLpSdhTestSetupTable=mscLpSdhTestSetupTable, mscLpX21TestBytesRx=mscLpX21TestBytesRx, mscLpSdhRxRfiAlarm=mscLpSdhRxRfiAlarm, mscLpDS3DS1TxAisAlarm=mscLpDS3DS1TxAisAlarm, mscLpJT2TestRowStatusEntry=mscLpJT2TestRowStatusEntry, mscLpDS3DS1TestUsageState=mscLpDS3DS1TestUsageState, logicalProcessorCapabilitiesCA02=logicalProcessorCapabilitiesCA02, mscLpDS1ChanTcIngressConditioning=mscLpDS1ChanTcIngressConditioning, mscLpSonetTxAis=mscLpSonetTxAis, mscLpV35LineStatusTimeOut=mscLpV35LineStatusTimeOut, mscLpX21AlarmStatus=mscLpX21AlarmStatus, mscLpSdhRxAisAlarm=mscLpSdhRxAisAlarm, mscLpE1TestErroredFrmRx=mscLpE1TestErroredFrmRx, mscLpE1ChanTcSigOneTable=mscLpE1ChanTcSigOneTable, mscLpDS3PlcpRxRaiAlarm=mscLpDS3PlcpRxRaiAlarm, mscLpE3CellRowStatusTable=mscLpE3CellRowStatusTable, mscLpX21ReadyLineState=mscLpX21ReadyLineState, mscLpSonetRxAisAlarm=mscLpSonetRxAisAlarm, mscLpHssiTestBytesRx=mscLpHssiTestBytesRx, mscLpE3CellProvEntry=mscLpE3CellProvEntry, mscLpDS3DS1ChanRowStatusTable=mscLpDS3DS1ChanRowStatusTable, mscLpDS3CbitParity=mscLpDS3CbitParity, mscLpDS3CellScrambleCellPayload=mscLpDS3CellScrambleCellPayload, mscLpV35IfAdminStatus=mscLpV35IfAdminStatus, mscLpJT2CellOperTable=mscLpJT2CellOperTable, mscLpHssiTestCauseOfTermination=mscLpHssiTestCauseOfTermination, mscLpDS1CidDataEntry=mscLpDS1CidDataEntry, mscLpSonetTestOperationalState=mscLpSonetTestOperationalState, mscLpSonetAdminState=mscLpSonetAdminState, mscLpHssiTestStateTable=mscLpHssiTestStateTable, mscLpJT2RowStatus=mscLpJT2RowStatus, mscLpX21Index=mscLpX21Index, mscLpX21UnknownStatus=mscLpX21UnknownStatus, mscLpDS3Vendor=mscLpDS3Vendor, mscLpV35TestCauseOfTermination=mscLpV35TestCauseOfTermination, mscLpJT2TestType=mscLpJT2TestType, mscLpDS3CellCorrectableHeaderErrors=mscLpDS3CellCorrectableHeaderErrors, mscLpHssiProceduralStatus=mscLpHssiProceduralStatus, mscLpE1DspRowStatus=mscLpE1DspRowStatus, mscLpSonetPathCellRowStatusEntry=mscLpSonetPathCellRowStatusEntry, mscLpE3CellStatsEntry=mscLpE3CellStatsEntry, mscLpDS3DS1ChanTestIndex=mscLpDS3DS1ChanTestIndex, mscLpE1ChanFlmRowStatusTable=mscLpE1ChanFlmRowStatusTable, mscLpDS3CellOperEntry=mscLpDS3CellOperEntry, mscLpX21CidDataEntry=mscLpX21CidDataEntry, mscLpDS1DspRowStatus=mscLpDS1DspRowStatus, mscLpE1RxMultifrmRaiAlarm=mscLpE1RxMultifrmRaiAlarm, mscLpDS3DS1ChanStandbyStatus=mscLpDS3DS1ChanStandbyStatus, mscLpDS3CellReceiveCellUtilization=mscLpDS3CellReceiveCellUtilization, mscLpDS3CBitCbitSevErroredSec=mscLpDS3CBitCbitSevErroredSec, mscLpX21=mscLpX21, mscLpSdhRowStatus=mscLpSdhRowStatus, mscLpDS3PlcpUnavailSec=mscLpDS3PlcpUnavailSec, mscLpSonetPathFarEndPathSevErroredSec=mscLpSonetPathFarEndPathSevErroredSec, mscLpSdhSectErroredSec=mscLpSdhSectErroredSec, mscLpSonetSectCodeViolations=mscLpSonetSectCodeViolations, mscLpDS3LineFailures=mscLpDS3LineFailures, mscLpE1ChanIfEntryTable=mscLpE1ChanIfEntryTable, mscLpSdhPathCellProvEntry=mscLpSdhPathCellProvEntry, mscLpJT2CellTransmitCellUtilization=mscLpJT2CellTransmitCellUtilization, mscLpHssiTestType=mscLpHssiTestType, mscLpMemoryCapacityEntry=mscLpMemoryCapacityEntry, mscLpSdhPathFarEndPathAisLopSec=mscLpSdhPathFarEndPathAisLopSec, mscLpDS1TestFrmRx=mscLpDS1TestFrmRx, mscLpE1StatsEntry=mscLpE1StatsEntry, mscLpSdhPathCellSevErroredSec=mscLpSdhPathCellSevErroredSec, mscLpDS3DS1ChanCellTransmitCellUtilization=mscLpDS3DS1ChanCellTransmitCellUtilization, mscLpSonetTestStateEntry=mscLpSonetTestStateEntry, mscLpDS3CBitCbitUnavailSec=mscLpDS3CBitCbitUnavailSec, mscLpSonetCidDataEntry=mscLpSonetCidDataEntry, mscLpSonetLineErroredSec=mscLpSonetLineErroredSec, mscLpDS1DspRowStatusTable=mscLpDS1DspRowStatusTable, mscLpE1TestType=mscLpE1TestType, mscLpDS1Dsp=mscLpDS1Dsp, mscLpX21OperStatusEntry=mscLpX21OperStatusEntry, mscLpSdhTestIndex=mscLpSdhTestIndex, mscLpHssiUsageState=mscLpHssiUsageState, mscLpE1ChanCellRowStatusTable=mscLpE1ChanCellRowStatusTable, mscLpHssiIndex=mscLpHssiIndex, mscLpE1CidDataTable=mscLpE1CidDataTable, mscLpDS3DS1SnmpOperStatus=mscLpDS3DS1SnmpOperStatus, mscLpDS3TestTimeRemaining=mscLpDS3TestTimeRemaining, mscLpE3G832StorageType=mscLpE3G832StorageType, mscLpDS3UsageState=mscLpDS3UsageState, mscLpJT2LosAlarm=mscLpJT2LosAlarm, mscLpDS3DS1ChanCellScrambleCellPayload=mscLpDS3DS1ChanCellScrambleCellPayload, mscLpDS3DS1ChanCell=mscLpDS3DS1ChanCell, mscLpE1TestFrmTx=mscLpE1TestFrmTx, mscLpE1UnavailSec=mscLpE1UnavailSec, mscLpDS3DS1ChanTestAdminState=mscLpDS3DS1ChanTestAdminState, mscLpScheduledSwitchover=mscLpScheduledSwitchover, mscLpDS1DspRowStatusEntry=mscLpDS1DspRowStatusEntry, mscLpDS3ProceduralStatus=mscLpDS3ProceduralStatus, mscLpE3PlcpCodingViolations=mscLpE3PlcpCodingViolations, mscLpDS3DS1ChanIndex=mscLpDS3DS1ChanIndex, mscLpX21LineState=mscLpX21LineState, mscLpSonetTestElapsedTime=mscLpSonetTestElapsedTime, mscLpEngDsOvIndex=mscLpEngDsOvIndex, mscLpHssiRowStatusEntry=mscLpHssiRowStatusEntry, mscLpSonetTestResultsEntry=mscLpSonetTestResultsEntry, mscLpSdhCommentText=mscLpSdhCommentText, mscLpDS1ChanStorageType=mscLpDS1ChanStorageType, mscLpX21ActualTxLineSpeed=mscLpX21ActualTxLineSpeed, mscLpDS1ChanTestAdminState=mscLpDS1ChanTestAdminState, mscLpV35TestStateEntry=mscLpV35TestStateEntry, mscLpE1TestBitsRx=mscLpE1TestBitsRx, mscLpDS3DS1ChanTestSetupTable=mscLpDS3DS1ChanTestSetupTable, mscLpE1IfIndex=mscLpE1IfIndex, mscLpSonetPathTxAis=mscLpSonetPathTxAis, mscLpJT2CellStatsTable=mscLpJT2CellStatsTable, mscLpMemoryUsageAvgMinEntry=mscLpMemoryUsageAvgMinEntry, mscLpDS3DS1ChanTcSigTwoValue=mscLpDS3DS1ChanTcSigTwoValue, mscLpDS3CBitOperationalTable=mscLpDS3CBitOperationalTable, mscLpSonetPathPathCodeViolations=mscLpSonetPathPathCodeViolations, mscLpE3StatsEntry=mscLpE3StatsEntry, mscLpDS3DS1ChanCellAlarmActDelay=mscLpDS3DS1ChanCellAlarmActDelay, mscLpE1OperStatusTable=mscLpE1OperStatusTable, mscLpRowStatusEntry=mscLpRowStatusEntry, mscLpHssiControlStatus=mscLpHssiControlStatus, mscLpJT2CellIndex=mscLpJT2CellIndex, mscLpJT2CellComponentName=mscLpJT2CellComponentName, mscLpV35AvailabilityStatus=mscLpV35AvailabilityStatus, mscLpSonetPathCellAlarmActDelay=mscLpSonetPathCellAlarmActDelay, mscLpSonet=mscLpSonet, mscLpDS3RxRaiAlarm=mscLpDS3RxRaiAlarm, mscLpSonetTestBitErrorRate=mscLpSonetTestBitErrorRate, mscLpE3LineCodeViolations=mscLpE3LineCodeViolations, mscLpDS3CBitRowStatusTable=mscLpDS3CBitRowStatusTable, mscLpE3PathUnavailSec=mscLpE3PathUnavailSec, mscLpJT2CellAlarmActDelay=mscLpJT2CellAlarmActDelay, mscLpSonetTest=mscLpSonetTest, mscLpV35TestFrmSize=mscLpV35TestFrmSize, mscLpE1ChanCidDataTable=mscLpE1ChanCidDataTable, mscLpDS3CBitLoopedbackToFarEnd=mscLpDS3CBitLoopedbackToFarEnd, mscLpSdhAdminInfoEntry=mscLpSdhAdminInfoEntry, mscLpX21TestRowStatusEntry=mscLpX21TestRowStatusEntry, mscLpX21StateEntry=mscLpX21StateEntry, mscLpE3CellScrambleCellPayload=mscLpE3CellScrambleCellPayload, mscLpSonetTestComponentName=mscLpSonetTestComponentName, mscLpSdhControlStatus=mscLpSdhControlStatus, mscLpSdhPathRowStatusEntry=mscLpSdhPathRowStatusEntry, mscLpE3CommentText=mscLpE3CommentText, mscLpDS1ChanTestErroredFrmRx=mscLpDS1ChanTestErroredFrmRx, mscLpSdhFarEndLineUnavailSec=mscLpSdhFarEndLineUnavailSec, mscLpE1ChanTestFrmPatternType=mscLpE1ChanTestFrmPatternType, mscLpSonetCustomerIdentifier=mscLpSonetCustomerIdentifier, mscLpV35DataTransferLineState=mscLpV35DataTransferLineState, mscLpDS1ChanCidDataEntry=mscLpDS1ChanCidDataEntry, mscLpE1ProvEntry=mscLpE1ProvEntry, mscLpSonetRxRfiAlarm=mscLpSonetRxRfiAlarm, mscLpX21SnmpOperStatus=mscLpX21SnmpOperStatus, mscLpMsgBlockUsageAvg=mscLpMsgBlockUsageAvg, mscLpJT2TestOperationalState=mscLpJT2TestOperationalState, mscLpE3TestCustomizedPattern=mscLpE3TestCustomizedPattern, mscLpE1ChanTestComponentName=mscLpE1ChanTestComponentName, mscLpHssiAdminState=mscLpHssiAdminState, mscLpSonetIfEntryEntry=mscLpSonetIfEntryEntry, mscLpJT2CellCorrectableHeaderErrors=mscLpJT2CellCorrectableHeaderErrors, mscLpX21CustomerIdentifier=mscLpX21CustomerIdentifier, mscLpDS1ChanTestBitsTx=mscLpDS1ChanTestBitsTx, mscLpSonetFarEndLineSevErroredSec=mscLpSonetFarEndLineSevErroredSec, mscLpE1ChanRowStatus=mscLpE1ChanRowStatus, mscLpProvTable=mscLpProvTable, mscLpE1OperationalState=mscLpE1OperationalState, mscLpSonetTestRowStatus=mscLpSonetTestRowStatus, mscLpV35ControlStatus=mscLpV35ControlStatus, mscLpE1ChanCellSevErroredSec=mscLpE1ChanCellSevErroredSec, mscLpE3CellUncorrectableHecErrors=mscLpE3CellUncorrectableHecErrors)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpDS1TestDataStartDelay=mscLpDS1TestDataStartDelay, mscLpDS3PlcpComponentName=mscLpDS3PlcpComponentName, mscLpSdhOperEntry=mscLpSdhOperEntry, mscLpJT2RxRaiAlarm=mscLpJT2RxRaiAlarm, mscLpDS1TestAdminState=mscLpDS1TestAdminState, mscLpDS3DS1ChanTestFrmSize=mscLpDS3DS1ChanTestFrmSize, mscLpE1ChanFlmComponentName=mscLpE1ChanFlmComponentName, mscLpX21ControlStatus=mscLpX21ControlStatus, mscLpSonetTestCustomizedPattern=mscLpSonetTestCustomizedPattern, mscLpLocalMsgBlockUsage=mscLpLocalMsgBlockUsage, mscLpSdhPathIfIndex=mscLpSdhPathIfIndex, mscLpDS1RowStatusTable=mscLpDS1RowStatusTable, mscLpDS3DS1ZeroCoding=mscLpDS3DS1ZeroCoding, mscLpSonetPathStorageType=mscLpSonetPathStorageType, mscLpE1TestFrmSize=mscLpE1TestFrmSize, mscLpDS1RxAisAlarm=mscLpDS1RxAisAlarm, mscLpDS3DS1ChanCellStorageType=mscLpDS3DS1ChanCellStorageType, mscLpDS3DS1FrmErrors=mscLpDS3DS1FrmErrors, mscLpSdhStateTable=mscLpSdhStateTable, mscLpE1ChanCidDataEntry=mscLpE1ChanCidDataEntry, mscLpE1AudioRowStatus=mscLpE1AudioRowStatus, mscLpDS3TxAis=mscLpDS3TxAis, mscLpE3TestSetupTable=mscLpE3TestSetupTable, mscLpDS3StateEntry=mscLpDS3StateEntry, mscLpE1RunningTime=mscLpE1RunningTime, mscLpX21TestFrmPatternType=mscLpX21TestFrmPatternType, mscLpJT2TestSetupEntry=mscLpJT2TestSetupEntry, mscLpDS1RaiAlarmType=mscLpDS1RaiAlarmType, mscLpE3G832TrailTraceMismatch=mscLpE3G832TrailTraceMismatch, mscLpDS1StorageType=mscLpDS1StorageType, mscLpE3CellRowStatusEntry=mscLpE3CellRowStatusEntry, mscLpE1TestIndex=mscLpE1TestIndex, mscLpE3G832TimingMarker=mscLpE3G832TimingMarker, mscLpMemoryUsageAvgMaxIndex=mscLpMemoryUsageAvgMaxIndex, mscLpDS3IfAdminStatus=mscLpDS3IfAdminStatus, mscLpE1TestDuration=mscLpE1TestDuration, mscLpSonetPathCellLcdAlarm=mscLpSonetPathCellLcdAlarm, mscLpX21IfAdminStatus=mscLpX21IfAdminStatus, mscLpMemoryUsageAvgMinValue=mscLpMemoryUsageAvgMinValue, mscLpSdhPathProvTable=mscLpSdhPathProvTable, mscLpSdhTestAdminState=mscLpSdhTestAdminState, mscLpE1ChanTestRowStatusTable=mscLpE1ChanTestRowStatusTable, mscLpDS1ChanTestBytesRx=mscLpDS1ChanTestBytesRx, mscLpSdhPathSignalLabelMismatch=mscLpSdhPathSignalLabelMismatch, mscLpE3CellAlarmActDelay=mscLpE3CellAlarmActDelay, mscLpJT2RxAisPhysicalAlarm=mscLpJT2RxAisPhysicalAlarm, mscLpDS1LineLength=mscLpDS1LineLength, mscLpE1ChanTcSigOneValue=mscLpE1ChanTcSigOneValue, mscLpDS3DS1ChanOperationalState=mscLpDS3DS1ChanOperationalState, mscLpJT2SnmpOperStatus=mscLpJT2SnmpOperStatus, mscLpSonetLofAlarm=mscLpSonetLofAlarm, mscLpSdhPathOperStatusTable=mscLpSdhPathOperStatusTable, mscLpSonetStatsTable=mscLpSonetStatsTable, mscLpHssiTestBitsRx=mscLpHssiTestBitsRx, mscLpSonetTestTimeRemaining=mscLpSonetTestTimeRemaining, mscLpCpuUtil=mscLpCpuUtil, mscLpE3TestRowStatus=mscLpE3TestRowStatus, mscLpDS3DS1TestFrmSize=mscLpDS3DS1TestFrmSize, mscLpV35TestBytesTx=mscLpV35TestBytesTx, mscLpHssiActualLinkMode=mscLpHssiActualLinkMode, mscLpOperEntry=mscLpOperEntry, mscLpJT2TxRaiAlarm=mscLpJT2TxRaiAlarm, mscLpSonetPathRowStatus=mscLpSonetPathRowStatus, mscLpDS3DS1ChanTestCauseOfTermination=mscLpDS3DS1ChanTestCauseOfTermination, mscLpJT2ControlStatus=mscLpJT2ControlStatus, mscLpDS3DS1ChanCellProvTable=mscLpDS3DS1ChanCellProvTable, logicalProcessorMIB=logicalProcessorMIB, mscLpSonetIfIndex=mscLpSonetIfIndex, mscLpE1ChanTestBytesRx=mscLpE1ChanTestBytesRx, mscLpX21TestBytesTx=mscLpX21TestBytesTx, mscLpE1ChanVendor=mscLpE1ChanVendor, mscLpDS1ClockingSource=mscLpDS1ClockingSource, mscLpDS3CellStorageType=mscLpDS3CellStorageType, mscLpHssiTestFrmRx=mscLpHssiTestFrmRx, mscLpE1Chan=mscLpE1Chan, mscLpHssiTestCustomizedPattern=mscLpHssiTestCustomizedPattern, mscLpDS3DS1ChanCellOperTable=mscLpDS3DS1ChanCellOperTable, mscLpSdhFarEndLineFailures=mscLpSdhFarEndLineFailures, mscLpDS3AdminInfoTable=mscLpDS3AdminInfoTable, mscLpV35StorageType=mscLpV35StorageType, mscLpJT2TestIndex=mscLpJT2TestIndex, mscLpDS1ChanTcReplacementData=mscLpDS1ChanTcReplacementData, mscLpSdhTestBytesTx=mscLpSdhTestBytesTx, mscLpSonetTestRowStatusEntry=mscLpSonetTestRowStatusEntry, mscLpDS3CBitIndex=mscLpDS3CBitIndex, mscLpHssiTestErroredFrmRx=mscLpHssiTestErroredFrmRx, mscLpMemoryUsageIndex=mscLpMemoryUsageIndex, mscLpE3PlcpUnavailSec=mscLpE3PlcpUnavailSec, mscLpDS1ChanTestIndex=mscLpDS1ChanTestIndex, mscLpDS1ChanCell=mscLpDS1ChanCell, mscLpE1RaiClearAlarmTime=mscLpE1RaiClearAlarmTime, mscLpHssiTestUsageState=mscLpHssiTestUsageState, mscLpDS3DS1ChanTest=mscLpDS3DS1ChanTest, mscLpE3G832ProvisionedEntry=mscLpE3G832ProvisionedEntry, mscLpSdhLineCodeViolations=mscLpSdhLineCodeViolations, mscLpDS1TestOperationalState=mscLpDS1TestOperationalState, mscLpDS1ChanAdminInfoTable=mscLpDS1ChanAdminInfoTable, mscLpE1ChanTcRowStatusTable=mscLpE1ChanTcRowStatusTable, mscLpE3PlcpErrorFreeSec=mscLpE3PlcpErrorFreeSec, mscLpE1ChanSnmpOperStatus=mscLpE1ChanSnmpOperStatus, mscLpV35SnmpOperStatus=mscLpV35SnmpOperStatus, mscLpLocalMsgBlockUsageMin=mscLpLocalMsgBlockUsageMin, mscLpJT2IfAdminStatus=mscLpJT2IfAdminStatus, mscLpDS1ChanProvTable=mscLpDS1ChanProvTable, mscLpDS3DS1ChanStateEntry=mscLpDS3DS1ChanStateEntry, mscLpE1TestUsageState=mscLpE1TestUsageState, mscLpDS1TestTimeRemaining=mscLpDS1TestTimeRemaining, mscLpDS3PathUnavailSec=mscLpDS3PathUnavailSec, mscLpSdhPathIfAdminStatus=mscLpSdhPathIfAdminStatus, mscLpE3AdminState=mscLpE3AdminState, mscLpHssiActualTxLineSpeed=mscLpHssiActualTxLineSpeed, mscLpMemoryUsageAvgMaxTable=mscLpMemoryUsageAvgMaxTable, mscLpV35TestTimeRemaining=mscLpV35TestTimeRemaining, mscLpDS1LineType=mscLpDS1LineType, mscLpV35Index=mscLpV35Index, mscLpSonetSectLosSec=mscLpSonetSectLosSec, mscLpDS3DS1RowStatusTable=mscLpDS3DS1RowStatusTable, mscLpDS1ChanCellStorageType=mscLpDS1ChanCellStorageType, mscLpE1RxAisAlarm=mscLpE1RxAisAlarm, mscLpE1ChanCellOperTable=mscLpE1ChanCellOperTable, mscLpDS3DS1ChanVendor=mscLpDS3DS1ChanVendor, mscLpSdhPathAdminState=mscLpSdhPathAdminState, mscLpE1DspIndex=mscLpE1DspIndex, mscLpMemoryUsageAvgMaxValue=mscLpMemoryUsageAvgMaxValue, mscLpSonetPathRowStatusEntry=mscLpSonetPathRowStatusEntry, mscLpDS3CellRowStatusEntry=mscLpDS3CellRowStatusEntry, mscLpSonetPathCidDataTable=mscLpSonetPathCidDataTable, mscLpDS1ChanTestDuration=mscLpDS1ChanTestDuration, mscLpDS3DS1ErrorFreeSec=mscLpDS3DS1ErrorFreeSec, mscLpEngDsOvProvEntry=mscLpEngDsOvProvEntry, mscLpMemoryUsageAvgEntry=mscLpMemoryUsageAvgEntry, mscLpE1ProceduralStatus=mscLpE1ProceduralStatus, mscLpHssiStateTable=mscLpHssiStateTable, mscLpX21TestCustomizedPattern=mscLpX21TestCustomizedPattern, mscLpE1StorageType=mscLpE1StorageType, mscLpE1ChanTestStateEntry=mscLpE1ChanTestStateEntry, mscLpMemoryUsageTable=mscLpMemoryUsageTable, mscLpHssiAdminInfoEntry=mscLpHssiAdminInfoEntry, mscLpSonetPathCellUncorrectableHecErrors=mscLpSonetPathCellUncorrectableHecErrors, mscLpLogicalProcessorType=mscLpLogicalProcessorType, mscLpDS3TestFrmPatternType=mscLpDS3TestFrmPatternType, mscLpCpuUtilAvgMax=mscLpCpuUtilAvgMax, mscLpDS1ChanTcSigOneValue=mscLpDS1ChanTcSigOneValue, mscLpUtilEntry=mscLpUtilEntry, mscLpSonetPathCellCorrectableHeaderErrors=mscLpSonetPathCellCorrectableHeaderErrors, mscLpMemoryUsageEntry=mscLpMemoryUsageEntry, mscLpDS3CBitFarEndUnavailSec=mscLpDS3CBitFarEndUnavailSec, mscLpJT2ApplicationFramerName=mscLpJT2ApplicationFramerName, mscLpX21TestBitsRx=mscLpX21TestBitsRx, mscLpSonetPathFarEndPathCodeViolations=mscLpSonetPathFarEndPathCodeViolations, mscLpJT2ErrorFreeSec=mscLpJT2ErrorFreeSec, mscLpV35TestRowStatus=mscLpV35TestRowStatus, mscLpDS3DS1ChanCellComponentName=mscLpDS3DS1ChanCellComponentName, mscLpE3RowStatus=mscLpE3RowStatus, mscLpE1ChanTestBitsTx=mscLpE1ChanTestBitsTx, mscLpE3CellRowStatus=mscLpE3CellRowStatus, mscLpE3Vendor=mscLpE3Vendor, mscLpE1IfEntryTable=mscLpE1IfEntryTable, mscLpDS3DS1UnavailSec=mscLpDS3DS1UnavailSec, mscLpE3TxAis=mscLpE3TxAis, mscLpSonetIfEntryTable=mscLpSonetIfEntryTable, mscLpMsgBlockUsageAvgMin=mscLpMsgBlockUsageAvgMin, mscLpE1ChanCellUncorrectableHecErrors=mscLpE1ChanCellUncorrectableHecErrors, mscLpHssiProvTable=mscLpHssiProvTable, mscLpJT2CellRowStatus=mscLpJT2CellRowStatus, mscLpJT2CellProvEntry=mscLpJT2CellProvEntry, mscLpSdhPathOperTable=mscLpSdhPathOperTable, mscLpJT2CellScrambleCellPayload=mscLpJT2CellScrambleCellPayload, mscLpDS3DS1Index=mscLpDS3DS1Index, mscLpDS3LofAlarm=mscLpDS3LofAlarm, mscLpDS1ChanTestElapsedTime=mscLpDS1ChanTestElapsedTime, mscLpSonetPathUsageState=mscLpSonetPathUsageState, mscLpE1TestComponentName=mscLpE1TestComponentName, mscLpSonetOperEntry=mscLpSonetOperEntry, mscLpSdhPathCellCorrectSingleBitHeaderErrors=mscLpSdhPathCellCorrectSingleBitHeaderErrors, mscLpDS3DS1ChanTestResultsEntry=mscLpDS3DS1ChanTestResultsEntry, mscLpHssiStateEntry=mscLpHssiStateEntry, mscLpDS3TestDataStartDelay=mscLpDS3TestDataStartDelay, mscLpDS1ChanOperStatusTable=mscLpDS1ChanOperStatusTable, mscLpDS3DS1Chan=mscLpDS3DS1Chan, mscLpDS3DS1ChanTestFrmTx=mscLpDS3DS1ChanTestFrmTx, mscLpE1ChanTimeslotDataRate=mscLpE1ChanTimeslotDataRate, mscLpV35Test=mscLpV35Test, mscLpSonetPathOperTable=mscLpSonetPathOperTable, mscLpSonetPathFarEndPathFailures=mscLpSonetPathFarEndPathFailures, mscLpV35TestBitsRx=mscLpV35TestBitsRx, mscLpE3PlcpIndex=mscLpE3PlcpIndex, mscLpSdhPathCellProvTable=mscLpSdhPathCellProvTable, mscLpE3G832RowStatus=mscLpE3G832RowStatus, mscLpE3PlcpOperationalTable=mscLpE3PlcpOperationalTable, mscLpX21AdminInfoTable=mscLpX21AdminInfoTable, mscLpJT2=mscLpJT2, mscLpSdhFarEndLineAisSec=mscLpSdhFarEndLineAisSec, mscLpE1TestRowStatusTable=mscLpE1TestRowStatusTable, mscLpE3RowStatusTable=mscLpE3RowStatusTable, mscLpV35TestBitErrorRate=mscLpV35TestBitErrorRate, mscLpE1TxRaiAlarm=mscLpE1TxRaiAlarm, mscLpDS1CustomerIdentifier=mscLpDS1CustomerIdentifier, mscLpE3ProvEntry=mscLpE3ProvEntry, mscLpX21LineTerminationRequired=mscLpX21LineTerminationRequired, mscLpV35Vendor=mscLpV35Vendor, mscLpE1ChanStorageType=mscLpE1ChanStorageType, mscLpSonetPathRowStatusTable=mscLpSonetPathRowStatusTable, mscLpDS1ChanTcProvEntry=mscLpDS1ChanTcProvEntry, mscLpHssiIfEntryTable=mscLpHssiIfEntryTable, mscLpSonetFarEndLineAisSec=mscLpSonetFarEndLineAisSec, mscLpE3ErrorFreeSec=mscLpE3ErrorFreeSec, mscLpDS1ChanTestDisplayInterval=mscLpDS1ChanTestDisplayInterval, mscLpSdhSectSevErroredSec=mscLpSdhSectSevErroredSec, mscLpJT2TestCustomizedPattern=mscLpJT2TestCustomizedPattern, mscLpSonetLineAisSec=mscLpSonetLineAisSec, mscLpDS1Chan=mscLpDS1Chan, mscLpSdhPathCellStatsEntry=mscLpSdhPathCellStatsEntry, mscLpDS1ChanTestSetupEntry=mscLpDS1ChanTestSetupEntry, mscLpSdhVendor=mscLpSdhVendor, mscLpDS1ChanCellOperEntry=mscLpDS1ChanCellOperEntry, mscLpE3TestRowStatusTable=mscLpE3TestRowStatusTable, mscLpSdhTestCustomizedPattern=mscLpSdhTestCustomizedPattern, mscLpJT2TestComponentName=mscLpJT2TestComponentName, mscLpE1Audio=mscLpE1Audio, mscLpX21EnableDynamicSpeed=mscLpX21EnableDynamicSpeed, mscLpDS3TestIndex=mscLpDS3TestIndex, mscLpDS1TestStateTable=mscLpDS1TestStateTable, mscLpLocalMsgBlockCapacity=mscLpLocalMsgBlockCapacity, mscLpHssiCidDataEntry=mscLpHssiCidDataEntry, mscLpSonetPathSnmpOperStatus=mscLpSonetPathSnmpOperStatus, mscLpV35RowStatusEntry=mscLpV35RowStatusEntry, mscLpDS3DS1CommentText=mscLpDS3DS1CommentText, mscLpE1AudioRowStatusTable=mscLpE1AudioRowStatusTable, mscLpHssiTestSetupEntry=mscLpHssiTestSetupEntry, mscLpDS3DS1TestStorageType=mscLpDS3DS1TestStorageType, mscLpE1ChanIndex=mscLpE1ChanIndex, mscLpDS3DS1ChanCellUncorrectableHecErrors=mscLpDS3DS1ChanCellUncorrectableHecErrors, mscLpDS1ChanTcSigTwoIndex=mscLpDS1ChanTcSigTwoIndex, mscLpDS3DS1StatsEntry=mscLpDS3DS1StatsEntry, mscLpSdhLineErroredSec=mscLpSdhLineErroredSec, mscLpHssiTestFrmSize=mscLpHssiTestFrmSize, mscLpDS3TestStorageType=mscLpDS3TestStorageType, mscLpDS1TestRowStatus=mscLpDS1TestRowStatus, mscLpDS3DS1ChanCellRowStatusTable=mscLpDS3DS1ChanCellRowStatusTable, mscLpDS3DS1ChanTestStateTable=mscLpDS3DS1ChanTestStateTable, mscLpHssiOperEntry=mscLpHssiOperEntry, mscLpSdhTestStorageType=mscLpSdhTestStorageType, mscLpE3AvailabilityStatus=mscLpE3AvailabilityStatus, mscLpV35TestStorageType=mscLpV35TestStorageType, mscLpV35IfEntryEntry=mscLpV35IfEntryEntry, mscLpSonetRowStatus=mscLpSonetRowStatus, mscLpSdhPathStorageType=mscLpSdhPathStorageType, mscLpE1ChanFlmFlmStatus=mscLpE1ChanFlmFlmStatus, mscLpE1SlipErrors=mscLpE1SlipErrors, mscLpDS3DS1ChanTcIndex=mscLpDS3DS1ChanTcIndex, mscLpDS3CBitCbitErroredSec=mscLpDS3CBitCbitErroredSec, mscLpDS3DS1ChanTimeslots=mscLpDS3DS1ChanTimeslots, mscLpE1TestTimeRemaining=mscLpE1TestTimeRemaining)
mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-LogicalProcessorMIB', mscLpDS1ChanComponentName=mscLpDS1ChanComponentName, mscLpSdhSnmpOperStatus=mscLpSdhSnmpOperStatus, mscLpV35RowStatus=mscLpV35RowStatus, mscLpDS3Plcp=mscLpDS3Plcp, mscLpSonetTestBitsRx=mscLpSonetTestBitsRx, mscLpSonetPathCellTransmitCellUtilization=mscLpSonetPathCellTransmitCellUtilization, mscLpJT2CellProvTable=mscLpJT2CellProvTable, mscLpSonetPathPathErrorFreeSec=mscLpSonetPathPathErrorFreeSec, mscLpE1ChanTcIndex=mscLpE1ChanTcIndex, mscLpSdhStateEntry=mscLpSdhStateEntry, mscLpHssiReadyLineState=mscLpHssiReadyLineState, mscLpHssiTestTimeRemaining=mscLpHssiTestTimeRemaining, mscLpSonetIfAdminStatus=mscLpSonetIfAdminStatus, mscLpE1ChanTestAdminState=mscLpE1ChanTestAdminState, mscLpDS3DS1ChanTestElapsedTime=mscLpDS3DS1ChanTestElapsedTime, mscLpV35CidDataTable=mscLpV35CidDataTable, mscLpSdhPathStandbyStatus=mscLpSdhPathStandbyStatus, mscLpStateTable=mscLpStateTable, mscLpE3G832OperationalEntry=mscLpE3G832OperationalEntry, mscLpDS3DS1ChanCellProvEntry=mscLpDS3DS1ChanCellProvEntry, mscLpUtilTable=mscLpUtilTable, mscLpDS1TestComponentName=mscLpDS1TestComponentName, mscLpSdhPathAvailabilityStatus=mscLpSdhPathAvailabilityStatus, mscLpMemoryUsageAvgIndex=mscLpMemoryUsageAvgIndex, mscLpE1TestRowStatusEntry=mscLpE1TestRowStatusEntry, mscLpSdhTestBitErrorRate=mscLpSdhTestBitErrorRate, mscLpDS1BpvErrors=mscLpDS1BpvErrors, mscLpSdhTxRdi=mscLpSdhTxRdi, mscLpSdhPathRowStatus=mscLpSdhPathRowStatus, mscLpSdhTestResultsTable=mscLpSdhTestResultsTable, mscLpDS1ChanTestBitsRx=mscLpDS1ChanTestBitsRx, mscLpE3LinkAlarmScanInterval=mscLpE3LinkAlarmScanInterval, mscLpE1ChanTestStateTable=mscLpE1ChanTestStateTable, mscLpE1ChanTestResultsEntry=mscLpE1ChanTestResultsEntry, mscLpE1ChanFlm=mscLpE1ChanFlm, mscLpDS3CellLcdAlarm=mscLpDS3CellLcdAlarm, mscLpDS3TestFrmRx=mscLpDS3TestFrmRx, mscLpE1ErrorFreeSec=mscLpE1ErrorFreeSec, mscLpE3LineLosSec=mscLpE3LineLosSec, mscLpSonetTestBytesTx=mscLpSonetTestBytesTx, mscLpE1TestSetupTable=mscLpE1TestSetupTable, mscLpCapTable=mscLpCapTable, mscLpDS1AdminInfoTable=mscLpDS1AdminInfoTable, mscLpV35ProvEntry=mscLpV35ProvEntry, mscLpDS1TestDuration=mscLpDS1TestDuration, mscLpDS3DS1StateTable=mscLpDS3DS1StateTable, mscLpSonetFarEndLineUnavailSec=mscLpSonetFarEndLineUnavailSec, mscLpSdhPath=mscLpSdhPath, mscLpJT2BpvErrors=mscLpJT2BpvErrors, mscLpDS3CellRowStatusTable=mscLpDS3CellRowStatusTable, mscLpDS3DS1ChanTcRowStatusEntry=mscLpDS3DS1ChanTcRowStatusEntry, mscLpDS3TestCauseOfTermination=mscLpDS3TestCauseOfTermination, mscLpE1ChanTestType=mscLpE1ChanTestType, mscLpSdhFarEndLineErrorFreeSec=mscLpSdhFarEndLineErrorFreeSec, mscLpE3PlcpStatsEntry=mscLpE3PlcpStatsEntry, mscLpDS3TestFrmSize=mscLpDS3TestFrmSize, mscLpSonetTestUsageState=mscLpSonetTestUsageState, mscLpHssiCommentText=mscLpHssiCommentText, mscLpHssiRowStatus=mscLpHssiRowStatus, mscLpE1ChanTestRowStatusEntry=mscLpE1ChanTestRowStatusEntry, mscLpJT2Test=mscLpJT2Test, mscLpHssiStandbyStatus=mscLpHssiStandbyStatus, mscLpDS3DS1ChanTcSigTwoTable=mscLpDS3DS1ChanTcSigTwoTable, mscLpE1ChanTcIngressConditioning=mscLpE1ChanTcIngressConditioning, mscLpSonetStateTable=mscLpSonetStateTable, mscLpSonetPathSignalLabelMismatch=mscLpSonetPathSignalLabelMismatch, mscLpDS3PlcpStatsEntry=mscLpDS3PlcpStatsEntry, mscLpE1ErroredSec=mscLpE1ErroredSec, mscLpCapEntry=mscLpCapEntry, mscLpSdhIfAdminStatus=mscLpSdhIfAdminStatus, mscLpHssiIfAdminStatus=mscLpHssiIfAdminStatus, mscLpE1TestElapsedTime=mscLpE1TestElapsedTime, mscLpDS1Index=mscLpDS1Index, mscLpSdhAdminState=mscLpSdhAdminState, mscLpSdhErrorFreeSec=mscLpSdhErrorFreeSec, mscLpE1ChanTcEgressConditioning=mscLpE1ChanTcEgressConditioning, mscLpE3G832FarEndSefAisSec=mscLpE3G832FarEndSefAisSec, mscLpSonetStandbyStatus=mscLpSonetStandbyStatus, mscLpDS1ProvTable=mscLpDS1ProvTable, mscLpEngDsIndex=mscLpEngDsIndex, mscLpX21AdminState=mscLpX21AdminState, mscLpSdhTestUsageState=mscLpSdhTestUsageState, mscLpHssiTestSetupTable=mscLpHssiTestSetupTable, mscLpJT2OperStatusTable=mscLpJT2OperStatusTable, mscLpSdhPathPathSevErroredSec=mscLpSdhPathPathSevErroredSec, mscLpJT2TestBitErrorRate=mscLpJT2TestBitErrorRate, mscLpE1Index=mscLpE1Index) |
'''
Leetcode problem No 81 Search in Rotated Sorted Array II
Solution written by Xuqiang Fang on 11 May, 2018
'''
class Solution(object):
def search(self, nums, target):
"""
:type nums : List[int]
:type target: int
:rtype: bool
"""
if len(nums) == 0 : return False
l = 0; h = len(nums) - 1
while l < h:
m = l + (h - l) // 2
print('m = {}'.format(m))
if nums[m] == target : return True
if nums[l] < nums[m]:
if nums[l] <= target and target < nums[m]:
h = m - 1
else:
l = m + 1
elif nums[m] < nums[h]:
if nums[m] < target and target <= nums[h]:
l = m + 1
else:
h = m - 1
else:
if nums[m] == nums[l]:
l += 1
if nums[h] == nums[m]:
h -= 1
return True if nums[l] == target else False
def main():
s = Solution()
nums = [1,1,2,3,4,0,0,1,1]
print(s.search(nums, 8))
main()
| """
Leetcode problem No 81 Search in Rotated Sorted Array II
Solution written by Xuqiang Fang on 11 May, 2018
"""
class Solution(object):
def search(self, nums, target):
"""
:type nums : List[int]
:type target: int
:rtype: bool
"""
if len(nums) == 0:
return False
l = 0
h = len(nums) - 1
while l < h:
m = l + (h - l) // 2
print('m = {}'.format(m))
if nums[m] == target:
return True
if nums[l] < nums[m]:
if nums[l] <= target and target < nums[m]:
h = m - 1
else:
l = m + 1
elif nums[m] < nums[h]:
if nums[m] < target and target <= nums[h]:
l = m + 1
else:
h = m - 1
else:
if nums[m] == nums[l]:
l += 1
if nums[h] == nums[m]:
h -= 1
return True if nums[l] == target else False
def main():
s = solution()
nums = [1, 1, 2, 3, 4, 0, 0, 1, 1]
print(s.search(nums, 8))
main() |
txt = "one one was a race horse, two two was one too."
x = txt.replace("one", "three", 2)
print(x)
| txt = 'one one was a race horse, two two was one too.'
x = txt.replace('one', 'three', 2)
print(x) |
"""
all the different icons we have to represent different types of AIS stations
ICONS(dict): keys are the AIS station type as a string, values are the filename
of the icon
"""
ICONS = {'Base Station': 'basestn.png',
'Class A': 'classa.png',
'Navigation Aid': 'navaid.png',
'Class B': 'classb.png',
'Unknown': 'unknown.png',
'SAR Aircraft': 'sar.png',
'Law Enforcement': 'lawenforcement.png',
'Tug': 'tug.png',
'Pilot Vessel': 'pilot.png',
'Towing': 'towing.png',
('Towing: length exceeds 200m or breadth exceeds'
' 25m'): 'towinglarge.png',
'Sailing': 'sailing.png',
'Search and Rescue vessel': 'shipsar.png',
('Noncombatant ship according to '
'RR Resolution No. 18'): 'medicaltransport.png',
'Medical Transport': 'medicaltransport.png',
'Dredging or underwater ops': 'dredger.png',
'Military ops': 'military.png',
'Port Tender': 'porttender.png',
'Passenger, all ships of this type': 'passenger.png',
'Passenger, Hazardous category A': 'passengerhaza.png',
'Passenger, Hazardous category B': 'passengerhazb.png',
'Passenger, Hazardous category C': 'passengerhazc.png',
'Passenger, Hazardous category D': 'passengerhazd.png',
'Passenger, Reserved for future use': 'passenger.png',
'Passenger, No additional information': 'passenger.png',
'Cargo, all ships of this type': 'cargo.png',
'Cargo, Reserved for future use': 'cargo.png',
'Cargo, No additional information': 'cargo.png',
'Cargo, Hazardous category A': 'cargohaza.png',
'Cargo, Hazardous category B': 'cargohazb.png',
'Cargo, Hazardous category C': 'cargohazc.png',
'Cargo, Hazardous category D': 'cargohazd.png',
'Tanker, all ships of this type': 'tanker.png',
'Tanker, Reserved for future use': 'tanker.png',
'Tanker, No additional information': 'tanker.png',
'Tanker, Hazardous category A': 'tankerhaza.png',
'Tanker, Hazardous category B': 'tankerhazb.png',
'Tanker, Hazardous category C': 'tankerhazc.png',
'Tanker, Hazardous category D': 'tankerhazd.png',
'Not available (default)': 'ship.png',
'Other Type, all ships of this type': 'ship.png',
'Other Type, Reserved for future use': 'ship.png',
'Other Type, no additional information': 'ship.png',
'Other Type, Hazardous category A': 'shiphaza.png',
'Other Type, Hazardous category B': 'shiphazb.png',
'Other Type, Hazardous category C': 'shiphazc.png',
'Other Type, Hazardous category D': 'shiphazd.png',
'Reserved for future use': 'reserved.png',
'Reserved': 'reserved.png',
'Spare, Reserved for future use.': 'reserved.png',
'Special Mark': 'specialmark.png',
'Safe Water': 'safewater.png',
'Isolated danger': 'isolateddanger.png',
'Cardinal Mark W': 'cardinalmarkw.png',
'Cardinal Mark E': 'cardinalmarke.png',
'Cardinal Mark N': 'cardinalmarkn.png',
'Cardinal Mark S': 'cardinalmarks.png',
'RACON (radar transponder marking a navigation hazard)': 'racon.png',
('Fixed structure off shore, such as oil platforms, '
'wind farms,'): 'fixedstructure.png',
'Default Nav Aid, not specified': 'navaid.png',
'Beacon, Cardinal N': 'cardinalmarkn.png',
'Beacon, Cardinal E': 'cardinalmarke.png',
'Beacon, Cardinal S': 'cardinalmarks.png',
'Beacon, Cardinal W': 'cardinalmarkw.png',
'Beacon, Isolated danger': 'isolateddanger.png',
'Beacon, Safe water': 'safewater.png',
'Beacon, Special mark': 'specialmark.png',
'Spare - Local Vessel': 'ship.png',
'Wing in ground (WIG), all ships of this type': 'winginground.png',
'Wing in ground (WIG), Reserved for future use': 'winginground.png',
'Wing in ground (WIG), Hazardous category A': 'wingingroundhaza.png',
'Wing in ground (WIG), Hazardous category B': 'wingingroundhazb.png',
'Wing in ground (WIG), Hazardous category C': 'wingingroundhazc.png',
'Wing in ground (WIG), Hazardous category D': 'wingingroundhazd.png',
('High speed craft (HSC), all ships of this '
'type'): 'highspeedcraft.png',
('High speed craft (HSC), Reserved for future '
'use'): 'highspeedcraft.png',
('High speed craft (HSC), No additional '
'information'): 'highspeedcraft.png',
('High speed craft (HSC), Hazardous category '
'A'): 'highspeedcrafthaza.png',
('High speed craft (HSC), Hazardous category '
'B'): 'highspeedcrafthazb.png',
('High speed craft (HSC), Hazardous category '
'C'): 'highspeedcrafthazc.png',
('High speed craft (HSC), Hazardous category '
'D'): 'highspeedcrafthazd.png',
'Diving ops': 'diving.png',
'Fishing': 'fishing.png',
'Pleasure Craft': 'pleasurecraft.png',
'Anti-pollution equipment': 'antipollution.png',
'Light Vessel / LANBY / Rigs': 'lightship.png',
'Light, without sectors': 'lighthouse.png',
'Light, with sectors': 'lighthousewithsectors.png',
'Leading Light Front': 'leadinglightfront.png',
'Leading Light Rear': 'leadinglightrear.png',
'Auxiliary craft associated with a parent ship': 'auxiliary.png',
'MOB (Man Overboard) device': 'mob.png',
'AIS SART (Search and Rescue Transmitter)': 'aissart.png',
'EPIRB (Emergency Position Indicating Radio Beacon)': 'epirb.png',
'Portable VHF Transceiver': 'portablevhf.png',
'Reference point': 'referencepoint.png'}
REGIONA = {
'Preferred Channel Port hand': 'preferredchannelport.png',
'Port hand Mark': 'port.png',
'Beacon, Port hand': 'port.png',
'Beacon, Preferred Channel port hand': 'port.png',
'Preferred Channel Starboard hand': 'preferredchannelstarboard.png',
'Starboard hand Mark': 'starboard.png',
'Beacon, Starboard hand': 'starboard.png',
'Beacon, Preferred Channel starboard hand': 'starboard.png'}
REGIONB = {
'Preferred Channel Port hand': 'preferredchannelportB.png',
'Port hand Mark': 'portB.png',
'Beacon, Port hand': 'portB.png',
'Beacon, Preferred Channel port hand': 'portB.png',
'Preferred Channel Starboard hand': 'preferredchannelstarboardB.png',
'Starboard hand Mark': 'starboardB.png',
'Beacon, Starboard hand': 'starboardB.png',
'Beacon, Preferred Channel starboard hand': 'starboardB.png'}
def switch_IALA_region(region):
"""
switch between IALA region A and B
Note:
Region A = Rest of the world
Region B = North and South America (excluding Greenland),
Japan, Korea and the Philippines
Args:
region(str): IALA region either A or B
"""
if region in ('A', 'a'):
ICONS.update(REGIONA)
elif region in ('B', 'b'):
ICONS.update(REGIONB)
def all_icons():
"""
return a set of all icons available
Returns:
allicons(set): set of all icon filenames including
ones for both regions
"""
allicons = set(ICONS.values())
allicons.update(REGIONA.values())
allicons.update(REGIONB.values())
return allicons
| """
all the different icons we have to represent different types of AIS stations
ICONS(dict): keys are the AIS station type as a string, values are the filename
of the icon
"""
icons = {'Base Station': 'basestn.png', 'Class A': 'classa.png', 'Navigation Aid': 'navaid.png', 'Class B': 'classb.png', 'Unknown': 'unknown.png', 'SAR Aircraft': 'sar.png', 'Law Enforcement': 'lawenforcement.png', 'Tug': 'tug.png', 'Pilot Vessel': 'pilot.png', 'Towing': 'towing.png', 'Towing: length exceeds 200m or breadth exceeds 25m': 'towinglarge.png', 'Sailing': 'sailing.png', 'Search and Rescue vessel': 'shipsar.png', 'Noncombatant ship according to RR Resolution No. 18': 'medicaltransport.png', 'Medical Transport': 'medicaltransport.png', 'Dredging or underwater ops': 'dredger.png', 'Military ops': 'military.png', 'Port Tender': 'porttender.png', 'Passenger, all ships of this type': 'passenger.png', 'Passenger, Hazardous category A': 'passengerhaza.png', 'Passenger, Hazardous category B': 'passengerhazb.png', 'Passenger, Hazardous category C': 'passengerhazc.png', 'Passenger, Hazardous category D': 'passengerhazd.png', 'Passenger, Reserved for future use': 'passenger.png', 'Passenger, No additional information': 'passenger.png', 'Cargo, all ships of this type': 'cargo.png', 'Cargo, Reserved for future use': 'cargo.png', 'Cargo, No additional information': 'cargo.png', 'Cargo, Hazardous category A': 'cargohaza.png', 'Cargo, Hazardous category B': 'cargohazb.png', 'Cargo, Hazardous category C': 'cargohazc.png', 'Cargo, Hazardous category D': 'cargohazd.png', 'Tanker, all ships of this type': 'tanker.png', 'Tanker, Reserved for future use': 'tanker.png', 'Tanker, No additional information': 'tanker.png', 'Tanker, Hazardous category A': 'tankerhaza.png', 'Tanker, Hazardous category B': 'tankerhazb.png', 'Tanker, Hazardous category C': 'tankerhazc.png', 'Tanker, Hazardous category D': 'tankerhazd.png', 'Not available (default)': 'ship.png', 'Other Type, all ships of this type': 'ship.png', 'Other Type, Reserved for future use': 'ship.png', 'Other Type, no additional information': 'ship.png', 'Other Type, Hazardous category A': 'shiphaza.png', 'Other Type, Hazardous category B': 'shiphazb.png', 'Other Type, Hazardous category C': 'shiphazc.png', 'Other Type, Hazardous category D': 'shiphazd.png', 'Reserved for future use': 'reserved.png', 'Reserved': 'reserved.png', 'Spare, Reserved for future use.': 'reserved.png', 'Special Mark': 'specialmark.png', 'Safe Water': 'safewater.png', 'Isolated danger': 'isolateddanger.png', 'Cardinal Mark W': 'cardinalmarkw.png', 'Cardinal Mark E': 'cardinalmarke.png', 'Cardinal Mark N': 'cardinalmarkn.png', 'Cardinal Mark S': 'cardinalmarks.png', 'RACON (radar transponder marking a navigation hazard)': 'racon.png', 'Fixed structure off shore, such as oil platforms, wind farms,': 'fixedstructure.png', 'Default Nav Aid, not specified': 'navaid.png', 'Beacon, Cardinal N': 'cardinalmarkn.png', 'Beacon, Cardinal E': 'cardinalmarke.png', 'Beacon, Cardinal S': 'cardinalmarks.png', 'Beacon, Cardinal W': 'cardinalmarkw.png', 'Beacon, Isolated danger': 'isolateddanger.png', 'Beacon, Safe water': 'safewater.png', 'Beacon, Special mark': 'specialmark.png', 'Spare - Local Vessel': 'ship.png', 'Wing in ground (WIG), all ships of this type': 'winginground.png', 'Wing in ground (WIG), Reserved for future use': 'winginground.png', 'Wing in ground (WIG), Hazardous category A': 'wingingroundhaza.png', 'Wing in ground (WIG), Hazardous category B': 'wingingroundhazb.png', 'Wing in ground (WIG), Hazardous category C': 'wingingroundhazc.png', 'Wing in ground (WIG), Hazardous category D': 'wingingroundhazd.png', 'High speed craft (HSC), all ships of this type': 'highspeedcraft.png', 'High speed craft (HSC), Reserved for future use': 'highspeedcraft.png', 'High speed craft (HSC), No additional information': 'highspeedcraft.png', 'High speed craft (HSC), Hazardous category A': 'highspeedcrafthaza.png', 'High speed craft (HSC), Hazardous category B': 'highspeedcrafthazb.png', 'High speed craft (HSC), Hazardous category C': 'highspeedcrafthazc.png', 'High speed craft (HSC), Hazardous category D': 'highspeedcrafthazd.png', 'Diving ops': 'diving.png', 'Fishing': 'fishing.png', 'Pleasure Craft': 'pleasurecraft.png', 'Anti-pollution equipment': 'antipollution.png', 'Light Vessel / LANBY / Rigs': 'lightship.png', 'Light, without sectors': 'lighthouse.png', 'Light, with sectors': 'lighthousewithsectors.png', 'Leading Light Front': 'leadinglightfront.png', 'Leading Light Rear': 'leadinglightrear.png', 'Auxiliary craft associated with a parent ship': 'auxiliary.png', 'MOB (Man Overboard) device': 'mob.png', 'AIS SART (Search and Rescue Transmitter)': 'aissart.png', 'EPIRB (Emergency Position Indicating Radio Beacon)': 'epirb.png', 'Portable VHF Transceiver': 'portablevhf.png', 'Reference point': 'referencepoint.png'}
regiona = {'Preferred Channel Port hand': 'preferredchannelport.png', 'Port hand Mark': 'port.png', 'Beacon, Port hand': 'port.png', 'Beacon, Preferred Channel port hand': 'port.png', 'Preferred Channel Starboard hand': 'preferredchannelstarboard.png', 'Starboard hand Mark': 'starboard.png', 'Beacon, Starboard hand': 'starboard.png', 'Beacon, Preferred Channel starboard hand': 'starboard.png'}
regionb = {'Preferred Channel Port hand': 'preferredchannelportB.png', 'Port hand Mark': 'portB.png', 'Beacon, Port hand': 'portB.png', 'Beacon, Preferred Channel port hand': 'portB.png', 'Preferred Channel Starboard hand': 'preferredchannelstarboardB.png', 'Starboard hand Mark': 'starboardB.png', 'Beacon, Starboard hand': 'starboardB.png', 'Beacon, Preferred Channel starboard hand': 'starboardB.png'}
def switch_iala_region(region):
"""
switch between IALA region A and B
Note:
Region A = Rest of the world
Region B = North and South America (excluding Greenland),
Japan, Korea and the Philippines
Args:
region(str): IALA region either A or B
"""
if region in ('A', 'a'):
ICONS.update(REGIONA)
elif region in ('B', 'b'):
ICONS.update(REGIONB)
def all_icons():
"""
return a set of all icons available
Returns:
allicons(set): set of all icon filenames including
ones for both regions
"""
allicons = set(ICONS.values())
allicons.update(REGIONA.values())
allicons.update(REGIONB.values())
return allicons |
description = 'Verify the user can create a new page from the project page'
pages = ['login',
'common',
'index',
'project_pages']
def setup(data):
common.access_golem(data.env.url, data.env.admin)
index.create_access_project('test')
common.navigate_menu('Pages')
def test(data):
store('page_name', 'page_' + random('cccc'))
project_pages.add_page(data.page_name)
project_pages.verify_page_exists(data.page_name)
| description = 'Verify the user can create a new page from the project page'
pages = ['login', 'common', 'index', 'project_pages']
def setup(data):
common.access_golem(data.env.url, data.env.admin)
index.create_access_project('test')
common.navigate_menu('Pages')
def test(data):
store('page_name', 'page_' + random('cccc'))
project_pages.add_page(data.page_name)
project_pages.verify_page_exists(data.page_name) |
class PatternLibraryException(Exception):
pass
class TemplateIsNotPattern(PatternLibraryException):
pass
class PatternLibraryEmpty(PatternLibraryException):
pass
| class Patternlibraryexception(Exception):
pass
class Templateisnotpattern(PatternLibraryException):
pass
class Patternlibraryempty(PatternLibraryException):
pass |
def load_input():
cases = open("input.txt", "r").readlines()
for i in range(len(cases)):
cases[i] = cases[i].replace('\n','')
return cases
groups = []
def parse_input():
inp = load_input()
inp_len = len(inp)
group = []
for i in range(inp_len):
line = inp[i]
if line == '' and len(group) != 0:
groups.append(group)
group = []
elif len(line) != 0:
group.append(line)
if len(group) != 0:
groups.append(group)
def count_group(group):
answer_set = set()
group_len = len(group)
for i in range(group_len):
answer_set.update(group[i])
return len(answer_set)
parse_input()
sum_count = 0
for i in range(len(groups)):
sum_count += count_group(groups[i])
print(sum_count)
# print(groups) | def load_input():
cases = open('input.txt', 'r').readlines()
for i in range(len(cases)):
cases[i] = cases[i].replace('\n', '')
return cases
groups = []
def parse_input():
inp = load_input()
inp_len = len(inp)
group = []
for i in range(inp_len):
line = inp[i]
if line == '' and len(group) != 0:
groups.append(group)
group = []
elif len(line) != 0:
group.append(line)
if len(group) != 0:
groups.append(group)
def count_group(group):
answer_set = set()
group_len = len(group)
for i in range(group_len):
answer_set.update(group[i])
return len(answer_set)
parse_input()
sum_count = 0
for i in range(len(groups)):
sum_count += count_group(groups[i])
print(sum_count) |
USCIS_CONFIG = {
'hostname': 'egov.uscis.gov',
'endpoint': '/casestatus/mycasestatus.do',
'querytype': 'CHECK STATUS'
}
| uscis_config = {'hostname': 'egov.uscis.gov', 'endpoint': '/casestatus/mycasestatus.do', 'querytype': 'CHECK STATUS'} |
# -*- coding: utf-8 -*-
bind = '{{ gunicorn_bind }}'
pidfile = '{{ gunicorn_pidfile }}'
proc_name = 'slugify'
user = '{{ web_user }}'
loglevel = 'warn'
errorlog = '-'
accesslog = '-'
| bind = '{{ gunicorn_bind }}'
pidfile = '{{ gunicorn_pidfile }}'
proc_name = 'slugify'
user = '{{ web_user }}'
loglevel = 'warn'
errorlog = '-'
accesslog = '-' |
def quicksort(items):
"""O(n * log n)."""
if len(items) < 2:
return items
else:
pivot_index = len(items) // 2
pivot = items[pivot_index]
left = [num for i, num in enumerate(items) if num <= pivot and i != pivot_index]
right = [num for i, num in enumerate(items) if num > pivot and i != pivot_index]
return quicksort(left) + [pivot] + quicksort(right)
| def quicksort(items):
"""O(n * log n)."""
if len(items) < 2:
return items
else:
pivot_index = len(items) // 2
pivot = items[pivot_index]
left = [num for (i, num) in enumerate(items) if num <= pivot and i != pivot_index]
right = [num for (i, num) in enumerate(items) if num > pivot and i != pivot_index]
return quicksort(left) + [pivot] + quicksort(right) |
budget_for_the_film = float(input("Enter the budget for the film: "))
number_of_extras = int(input("Enter the number of extras: "))
clothes_price_per_extra = float(input("Enter the price of the clothes per extra: "))
decor_price = budget_for_the_film * 0.1
clothes_price = number_of_extras * clothes_price_per_extra
if number_of_extras > 150:
clothes_price = clothes_price - clothes_price * 0.1
total_amount = decor_price + clothes_price
left_money = abs(budget_for_the_film - total_amount)
if budget_for_the_film > total_amount:
print(f"Action! \nWingard starts filming with {left_money:.2f} leva left.")
else:
print(f"Not enough money! \nWingard needs {left_money:.2f} leva more.") | budget_for_the_film = float(input('Enter the budget for the film: '))
number_of_extras = int(input('Enter the number of extras: '))
clothes_price_per_extra = float(input('Enter the price of the clothes per extra: '))
decor_price = budget_for_the_film * 0.1
clothes_price = number_of_extras * clothes_price_per_extra
if number_of_extras > 150:
clothes_price = clothes_price - clothes_price * 0.1
total_amount = decor_price + clothes_price
left_money = abs(budget_for_the_film - total_amount)
if budget_for_the_film > total_amount:
print(f'Action! \nWingard starts filming with {left_money:.2f} leva left.')
else:
print(f'Not enough money! \nWingard needs {left_money:.2f} leva more.') |
class graph(object):
def __init__(self, nodes, edge_list = None):
self.N = nodes
self.A = [[False for i in range(self.N+1)] for j in range(self.N+1)] # initialise the adjacency matrix as an (N+1)*(N+1) array, so we can use indexes from 1.
if edge_list != None: # let's optionally give this class a list of tuples, consisting of the edges, as a little Python exercise.
for x in edge_list:
self.set_edge(x)
def is_valid_tuple(self, x):
return isinstance(x, tuple) and len(x) == 2 and all((a > 0 and a <= self.N) for a in x)
# this function checks whether an element is a tuple meant to describe a graph edge.
# the conditions are as follows: the tuple is of length 2, and both its elements are between 1 and N.
def set_edge(self, e, status = True):
# set_edge(edge, True) adds the edge to the graph.
# set_edge(edge, False) removes the edge from the graph.
if self.is_valid_tuple(e) == False:
print("element", e, "is not formatted correctly.")
else:
self.A[e[0]][e[1]], self.A[e[1]][e[0]] = status, status
def get_edges(self):
for i in range(1, self.N+1):
for j in range(i, self.N+1): ## we start the column loop from i, so we don't treat
if self.A[i][j]: print("edge from ", i, "to", j)
G = graph(3, [(1, 2), (2, 3)])
G.get_edges()
| class Graph(object):
def __init__(self, nodes, edge_list=None):
self.N = nodes
self.A = [[False for i in range(self.N + 1)] for j in range(self.N + 1)]
if edge_list != None:
for x in edge_list:
self.set_edge(x)
def is_valid_tuple(self, x):
return isinstance(x, tuple) and len(x) == 2 and all((a > 0 and a <= self.N for a in x))
def set_edge(self, e, status=True):
if self.is_valid_tuple(e) == False:
print('element', e, 'is not formatted correctly.')
else:
(self.A[e[0]][e[1]], self.A[e[1]][e[0]]) = (status, status)
def get_edges(self):
for i in range(1, self.N + 1):
for j in range(i, self.N + 1):
if self.A[i][j]:
print('edge from ', i, 'to', j)
g = graph(3, [(1, 2), (2, 3)])
G.get_edges() |
#
# PySNMP MIB module UCD-SNMP-MIB (http://pysnmp.sf.net)
# ASN.1 source http://mibs.snmplabs.com:80/asn1/UCD-SNMP-MIB
# Produced by pysmi-0.0.7 at Sun Feb 14 00:32:22 2016
# On host bldfarm platform Linux version 4.1.13-100.fc21.x86_64 by user goose
# Using Python version 3.5.0 (default, Jan 5 2016, 17:11:52)
#
( OctetString, Integer, ObjectIdentifier, ) = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
( NamedValues, ) = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
( SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, ) = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion")
( ModuleCompliance, NotificationGroup, ) = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
( Gauge32, MibIdentifier, Opaque, Integer32, NotificationType, Bits, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Counter64, enterprises, ObjectIdentity, iso, IpAddress, ModuleIdentity, Unsigned32, ) = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "MibIdentifier", "Opaque", "Integer32", "NotificationType", "Bits", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Counter64", "enterprises", "ObjectIdentity", "iso", "IpAddress", "ModuleIdentity", "Unsigned32")
( TextualConvention, DisplayString, TruthValue, ) = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "TruthValue")
ucdavis = ModuleIdentity((1, 3, 6, 1, 4, 1, 2021)).setRevisions(("2011-05-14 00:00", "2009-01-19 00:00", "2006-11-22 00:00", "2004-04-07 00:00", "2002-09-05 00:00", "2001-09-20 00:00", "2001-01-17 00:00", "1999-12-09 00:00",))
if mibBuilder.loadTexts: ucdavis.setLastUpdated('200901190000Z')
if mibBuilder.loadTexts: ucdavis.setOrganization('University of California, Davis')
if mibBuilder.loadTexts: ucdavis.setContactInfo('This mib is no longer being maintained by the University of\n\t California and is now in life-support-mode and being\n\t maintained by the net-snmp project. The best place to write\n\t for public questions about the net-snmp-coders mailing list\n\t at net-snmp-coders@lists.sourceforge.net.\n\n postal: Wes Hardaker\n P.O. Box 382\n Davis CA 95617\n\n email: net-snmp-coders@lists.sourceforge.net\n ')
if mibBuilder.loadTexts: ucdavis.setDescription('This file defines the private UCD SNMP MIB extensions.')
ucdInternal = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 12))
ucdExperimental = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 13))
ucdSnmpAgent = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250))
hpux9 = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 1))
sunos4 = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 2))
solaris = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 3))
osf = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 4))
ultrix = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 5))
hpux10 = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 6))
netbsd1 = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 7))
freebsd = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 8))
irix = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 9))
linux = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 10))
bsdi = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 11))
openbsd = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 12))
win32 = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 13))
hpux11 = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 14))
aix = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 15))
macosx = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 16))
dragonfly = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 17))
unknown = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 250, 255))
class Float(Opaque, TextualConvention):
subtypeSpec = Opaque.subtypeSpec+ValueSizeConstraint(7,7)
fixedLength = 7
class UCDErrorFlag(Integer32, TextualConvention):
subtypeSpec = Integer32.subtypeSpec+ConstraintsUnion(SingleValueConstraint(0, 1,))
namedValues = NamedValues(("noError", 0), ("error", 1),)
class UCDErrorFix(Integer32, TextualConvention):
subtypeSpec = Integer32.subtypeSpec+ConstraintsUnion(SingleValueConstraint(0, 1,))
namedValues = NamedValues(("noError", 0), ("runFix", 1),)
prTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 2), )
if mibBuilder.loadTexts: prTable.setDescription("A table containing information on running\n\t programs/daemons configured for monitoring in the\n\t snmpd.conf file of the agent. Processes violating the\n\t number of running processes required by the agent's\n\t configuration file are flagged with numerical and\n\t textual errors.")
prEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 2, 1), ).setIndexNames((0, "UCD-SNMP-MIB", "prIndex"))
if mibBuilder.loadTexts: prEntry.setDescription('An entry containing a process and its statistics.')
prIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: prIndex.setDescription('Reference Index for each observed process.')
prNames = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prNames.setDescription("The process name we're counting/checking on.")
prMin = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prMin.setDescription('The minimum number of processes that should be\n\t running. An error flag is generated if the number of\n\t running processes is < the minimum.')
prMax = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prMax.setDescription('The maximum number of processes that should be\n\t running. An error flag is generated if the number of\n\t running processes is > the maximum.')
prCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prCount.setDescription('The number of current processes running with the name\n\t in question.')
prErrorFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prErrorFlag.setDescription('A Error flag to indicate trouble with a process. It\n\t goes to 1 if there is an error, 0 if no error.')
prErrMessage = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prErrMessage.setDescription('An error message describing the problem (if one exists).')
prErrFix = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 102), UCDErrorFix()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: prErrFix.setDescription('Setting this to one will try to fix the problem if\n\t the agent has been configured with a script to call\n\t to attempt to fix problems automatically using remote\n\t snmp operations.')
prErrFixCmd = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 2, 1, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: prErrFixCmd.setDescription('The command that gets run when the prErrFix column is \n\t set to 1.')
extTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 8), )
if mibBuilder.loadTexts: extTable.setDescription("A table of extensible commands returning output and\n\t result codes. These commands are configured via the\n\t agent's snmpd.conf file.")
extEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 8, 1), ).setIndexNames((0, "UCD-SNMP-MIB", "extIndex"))
if mibBuilder.loadTexts: extEntry.setDescription('An entry containing an extensible script/program and its output.')
extIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: extIndex.setDescription('Reference Index for extensible scripts. Simply an\n\t integer row number.')
extNames = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: extNames.setDescription('A Short, one name description of the extensible command.')
extCommand = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: extCommand.setDescription('The command line to be executed.')
extResult = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 100), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: extResult.setDescription('The result code (exit status) from the executed command.')
extOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: extOutput.setDescription('The first line of output of the executed command.')
extErrFix = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 102), UCDErrorFix()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: extErrFix.setDescription('Setting this to one will try to fix the problem if\n\t the agent has been configured with a script to call\n\t to attempt to fix problems automatically using remote\n\t snmp operations.')
extErrFixCmd = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 8, 1, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: extErrFixCmd.setDescription('The command that gets run when the extErrFix column is \n\t set to 1.')
memory = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 4))
memIndex = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memIndex.setDescription('Bogus Index. This should always return the integer 0.')
memErrorName = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memErrorName.setDescription("Bogus Name. This should always return the string 'swap'.")
memTotalSwap = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 3), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalSwap.setDescription('The total amount of swap space configured for this host.')
memAvailSwap = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 4), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memAvailSwap.setDescription('The amount of swap space currently unused or available.')
memTotalReal = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 5), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalReal.setDescription('The total amount of real/physical memory installed\n on this host.')
memAvailReal = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 6), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memAvailReal.setDescription('The amount of real/physical memory currently unused\n or available.')
memTotalSwapTXT = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 7), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalSwapTXT.setDescription('The total amount of swap space or virtual memory allocated\n for text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of swap space or virtual memory.')
memAvailSwapTXT = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 8), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memAvailSwapTXT.setDescription("The amount of swap space or virtual memory currently\n being used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of swap space or virtual memory.\n\n Note that (despite the name), this value reports the\n amount used, rather than the amount free or available\n for use. For clarity, this object is being deprecated\n in favour of 'memUsedSwapTXT(16).")
memTotalRealTXT = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 9), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalRealTXT.setDescription('The total amount of real/physical memory allocated\n for text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of physical memory.')
memAvailRealTXT = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 10), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memAvailRealTXT.setDescription("The amount of real/physical memory currently being\n used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of physical memory.\n\n Note that (despite the name), this value reports the\n amount used, rather than the amount free or available\n for use. For clarity, this object is being deprecated\n in favour of 'memUsedRealTXT(17).")
memTotalFree = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 11), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalFree.setDescription('The total amount of memory free or available for use on\n this host. This value typically covers both real memory\n and swap space or virtual memory.')
memMinimumSwap = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 12), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memMinimumSwap.setDescription("The minimum amount of swap space expected to be kept\n free or available during normal operation of this host.\n\n If this value (as reported by 'memAvailSwap(4)') falls\n below the specified level, then 'memSwapError(100)' will\n be set to 1 and an error message made available via\n 'memSwapErrorMsg(101)'.")
memShared = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 13), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memShared.setDescription('The total amount of real or virtual memory currently\n allocated for use as shared memory.\n\n This object will not be implemented on hosts where the\n underlying operating system does not explicitly identify\n memory as specifically reserved for this purpose.')
memBuffer = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 14), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memBuffer.setDescription('The total amount of real or virtual memory currently\n allocated for use as memory buffers.\n\n This object will not be implemented on hosts where the\n underlying operating system does not explicitly identify\n memory as specifically reserved for this purpose.')
memCached = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 15), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memCached.setDescription('The total amount of real or virtual memory currently\n allocated for use as cached memory.\n\n This object will not be implemented on hosts where the\n underlying operating system does not explicitly identify\n memory as specifically reserved for this purpose.')
memUsedSwapTXT = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 16), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memUsedSwapTXT.setDescription('The amount of swap space or virtual memory currently\n being used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of swap space or virtual memory.')
memUsedRealTXT = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 17), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: memUsedRealTXT.setDescription('The amount of real/physical memory currently being\n used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of physical memory.')
memSwapError = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memSwapError.setDescription("Indicates whether the amount of available swap space\n (as reported by 'memAvailSwap(4)'), is less than the\n desired minimum (specified by 'memMinimumSwap(12)').")
memSwapErrorMsg = MibScalar((1, 3, 6, 1, 4, 1, 2021, 4, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memSwapErrorMsg.setDescription("Describes whether the amount of available swap space\n (as reported by 'memAvailSwap(4)'), is less than the\n desired minimum (specified by 'memMinimumSwap(12)').")
dskTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 9), )
if mibBuilder.loadTexts: dskTable.setDescription('Disk watching information. Partions to be watched\n\t are configured by the snmpd.conf file of the agent.')
dskEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 9, 1), ).setIndexNames((0, "UCD-SNMP-MIB", "dskIndex"))
if mibBuilder.loadTexts: dskEntry.setDescription('An entry containing a disk and its statistics.')
dskIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskIndex.setDescription('Integer reference number (row number) for the disk mib.')
dskPath = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskPath.setDescription('Path where the disk is mounted.')
dskDevice = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskDevice.setDescription('Path of the device for the partition')
dskMinimum = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskMinimum.setDescription("Minimum space required on the disk (in kBytes) before the\n errors are triggered. Either this or dskMinPercent is\n configured via the agent's snmpd.conf file.")
dskMinPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskMinPercent.setDescription("Percentage of minimum space required on the disk before the\n errors are triggered. Either this or dskMinimum is\n configured via the agent's snmpd.conf file.")
dskTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskTotal.setDescription('Total size of the disk/partion (kBytes).\n\t For large disks (>2Tb), this value will\n\t latch at INT32_MAX (2147483647).')
dskAvail = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskAvail.setDescription('Available space on the disk.\n\t For large lightly-used disks (>2Tb), this\n\t value will latch at INT32_MAX (2147483647).')
dskUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskUsed.setDescription('Used space on the disk.\n\t For large heavily-used disks (>2Tb), this\n\t value will latch at INT32_MAX (2147483647).')
dskPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskPercent.setDescription('Percentage of space used on disk')
dskPercentNode = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskPercentNode.setDescription('Percentage of inodes used on disk')
dskTotalLow = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 11), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskTotalLow.setDescription('Total size of the disk/partion (kBytes).\n\tTogether with dskTotalHigh composes 64-bit number.')
dskTotalHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 12), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskTotalHigh.setDescription('Total size of the disk/partion (kBytes).\n\tTogether with dskTotalLow composes 64-bit number.')
dskAvailLow = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 13), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskAvailLow.setDescription('Available space on the disk (kBytes).\n\tTogether with dskAvailHigh composes 64-bit number.')
dskAvailHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 14), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskAvailHigh.setDescription('Available space on the disk (kBytes).\n\tTogether with dskAvailLow composes 64-bit number.')
dskUsedLow = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 15), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskUsedLow.setDescription('Used space on the disk (kBytes).\n\tTogether with dskUsedHigh composes 64-bit number.')
dskUsedHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 16), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskUsedHigh.setDescription('Used space on the disk (kBytes).\n\tTogether with dskUsedLow composes 64-bit number.')
dskErrorFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskErrorFlag.setDescription('Error flag signaling that the disk or partition is under\n\t the minimum required space configured for it.')
dskErrorMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 9, 1, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dskErrorMsg.setDescription('A text description providing a warning and the space left\n\t on the disk.')
laTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 10), )
if mibBuilder.loadTexts: laTable.setDescription('Load average information.')
laEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 10, 1), ).setIndexNames((0, "UCD-SNMP-MIB", "laIndex"))
if mibBuilder.loadTexts: laEntry.setDescription('An entry containing a load average and its values.')
laIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: laIndex.setDescription('reference index/row number for each observed loadave.')
laNames = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: laNames.setDescription("The list of loadave names we're watching.")
laLoad = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: laLoad.setDescription('The 1,5 and 15 minute load averages (one per row).')
laConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 4), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: laConfig.setDescription('The watch point for load-averages to signal an\n\t error. If the load averages rises above this value,\n\t the laErrorFlag below is set.')
laLoadInt = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: laLoadInt.setDescription('The 1,5 and 15 minute load averages as an integer.\n\t This is computed by taking the floating point\n\t loadaverage value and multiplying by 100, then\n\t converting the value to an integer.')
laLoadFloat = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 6), Float()).setMaxAccess("readonly")
if mibBuilder.loadTexts: laLoadFloat.setDescription('The 1,5 and 15 minute load averages as an opaquely\n\t wrapped floating point number.')
laErrorFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: laErrorFlag.setDescription('A Error flag to indicate the load-average has crossed\n\t its threshold value defined in the snmpd.conf file.\n\t It is set to 1 if the threshold is crossed, 0 otherwise.')
laErrMessage = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 10, 1, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: laErrMessage.setDescription('An error message describing the load-average and its\n\t surpased watch-point value.')
version = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 100))
versionIndex = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: versionIndex.setDescription('Index to mib (always 0)')
versionTag = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: versionTag.setDescription('CVS tag keyword')
versionDate = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: versionDate.setDescription('Date string from RCS keyword')
versionCDate = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: versionCDate.setDescription('Date string from ctime() ')
versionIdent = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: versionIdent.setDescription('Id string from RCS keyword')
versionConfigureOptions = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: versionConfigureOptions.setDescription('Options passed to the configure script when this agent was built.')
versionClearCache = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: versionClearCache.setDescription('Set to 1 to clear the exec cache, if enabled')
versionUpdateConfig = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: versionUpdateConfig.setDescription('Set to 1 to read-read the config file(s).')
versionRestartAgent = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 12), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: versionRestartAgent.setDescription('Set to 1 to restart the agent.')
versionSavePersistentData = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 13), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: versionSavePersistentData.setDescription("Set to 1 to force the agent to save it's persistent data immediately.")
versionDoDebugging = MibScalar((1, 3, 6, 1, 4, 1, 2021, 100, 20), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: versionDoDebugging.setDescription('Set to 1 to turn debugging statements on in the agent or 0\n\t to turn it off.')
snmperrs = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 101))
snmperrIndex = MibScalar((1, 3, 6, 1, 4, 1, 2021, 101, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: snmperrIndex.setDescription('Bogus Index for snmperrs (always 0).')
snmperrNames = MibScalar((1, 3, 6, 1, 4, 1, 2021, 101, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: snmperrNames.setDescription('snmp')
snmperrErrorFlag = MibScalar((1, 3, 6, 1, 4, 1, 2021, 101, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: snmperrErrorFlag.setDescription('A Error flag to indicate trouble with the agent. It\n\t goes to 1 if there is an error, 0 if no error.')
snmperrErrMessage = MibScalar((1, 3, 6, 1, 4, 1, 2021, 101, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: snmperrErrMessage.setDescription('An error message describing the problem (if one exists).')
mrTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 102), )
if mibBuilder.loadTexts: mrTable.setDescription("A table displaying all the oid's registered by mib modules in\n\t the agent. Since the agent is modular in nature, this lists\n\t each module's OID it is responsible for and the name of the module")
mrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 102, 1), ).setIndexNames((1, "UCD-SNMP-MIB", "mrIndex"))
if mibBuilder.loadTexts: mrEntry.setDescription('An entry containing a registered mib oid.')
mrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 102, 1, 1), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mrIndex.setDescription('The registry slot of a mibmodule.')
mrModuleName = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 102, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mrModuleName.setDescription('The module name that registered this OID.')
systemStats = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 11))
ssIndex = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssIndex.setDescription('Bogus Index. This should always return the integer 1.')
ssErrorName = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssErrorName.setDescription("Bogus Name. This should always return the string 'systemStats'.")
ssSwapIn = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 3), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: ssSwapIn.setDescription('The average amount of memory swapped in from disk,\n calculated over the last minute.')
ssSwapOut = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 4), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: ssSwapOut.setDescription('The average amount of memory swapped out to disk,\n calculated over the last minute.')
ssIOSent = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 5), Integer32()).setUnits('blocks/s').setMaxAccess("readonly")
if mibBuilder.loadTexts: ssIOSent.setDescription("The average amount of data written to disk or other\n block device, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssIORawSent(57)', which can be used to calculate\n the same metric, but over any desired time period.")
ssIOReceive = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 6), Integer32()).setUnits('blocks/s').setMaxAccess("readonly")
if mibBuilder.loadTexts: ssIOReceive.setDescription("The average amount of data read from disk or other\n block device, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssIORawReceived(58)', which can be used to calculate\n the same metric, but over any desired time period.")
ssSysInterrupts = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 7), Integer32()).setUnits('interrupts/s').setMaxAccess("readonly")
if mibBuilder.loadTexts: ssSysInterrupts.setDescription("The average rate of interrupts processed (including\n the clock) calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssRawInterrupts(59)', which can be used to calculate\n the same metric, but over any desired time period.")
ssSysContext = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 8), Integer32()).setUnits('switches/s').setMaxAccess("readonly")
if mibBuilder.loadTexts: ssSysContext.setDescription("The average rate of context switches,\n calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssRawContext(60)', which can be used to calculate\n the same metric, but over any desired time period.")
ssCpuUser = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuUser.setDescription("The percentage of CPU time spent processing\n user-level code, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssCpuRawUser(50)', which can be used to calculate\n the same metric, but over any desired time period.")
ssCpuSystem = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuSystem.setDescription("The percentage of CPU time spent processing\n system-level code, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssCpuRawSystem(52)', which can be used to calculate\n the same metric, but over any desired time period.")
ssCpuIdle = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuIdle.setDescription("The percentage of processor time spent idle,\n calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssCpuRawIdle(53)', which can be used to calculate\n the same metric, but over any desired time period.")
ssCpuRawUser = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 50), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawUser.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing user-level code.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawNice = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 51), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawNice.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing reduced-priority code.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawSystem = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 52), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawSystem.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing system-level code.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).\n\n This object may sometimes be implemented as the\n combination of the 'ssCpuRawWait(54)' and\n 'ssCpuRawKernel(55)' counters, so care must be\n taken when summing the overall raw counters.")
ssCpuRawIdle = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 53), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawIdle.setDescription("The number of 'ticks' (typically 1/100s) spent\n idle.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawWait = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 54), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawWait.setDescription("The number of 'ticks' (typically 1/100s) spent\n waiting for IO.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric. This time may also be\n included within the 'ssCpuRawSystem(52)' counter.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawKernel = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 55), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawKernel.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing kernel-level code.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric. This time may also be\n included within the 'ssCpuRawSystem(52)' counter.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawInterrupt = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 56), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawInterrupt.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing hardware interrupts.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssIORawSent = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 57), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssIORawSent.setDescription('Number of blocks sent to a block device')
ssIORawReceived = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 58), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssIORawReceived.setDescription('Number of blocks received from a block device')
ssRawInterrupts = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 59), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssRawInterrupts.setDescription('Number of interrupts processed')
ssRawContexts = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 60), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssRawContexts.setDescription('Number of context switches')
ssCpuRawSoftIRQ = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 61), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawSoftIRQ.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing software interrupts.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssRawSwapIn = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 62), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssRawSwapIn.setDescription('Number of blocks swapped in')
ssRawSwapOut = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 63), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssRawSwapOut.setDescription('Number of blocks swapped out')
ssCpuRawSteal = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 64), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawSteal.setDescription("The number of 'ticks' (typically 1/100s) spent\n by the hypervisor code to run other VMs even\n though the CPU in the current VM had something runnable.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawGuest = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 65), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawGuest.setDescription("The number of 'ticks' (typically 1/100s) spent\n by the CPU to run a virtual CPU (guest).\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ssCpuRawGuestNice = MibScalar((1, 3, 6, 1, 4, 1, 2021, 11, 66), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ssCpuRawGuestNice.setDescription("The number of 'ticks' (typically 1/100s) spent\n by the CPU to run a niced virtual CPU (guest).\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ucdTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 251))
ucdStart = NotificationType((1, 3, 6, 1, 4, 1, 2021, 251, 1)).setObjects(*())
if mibBuilder.loadTexts: ucdStart.setDescription('This trap could in principle be sent when the agent start')
ucdShutdown = NotificationType((1, 3, 6, 1, 4, 1, 2021, 251, 2)).setObjects(*())
if mibBuilder.loadTexts: ucdShutdown.setDescription('This trap is sent when the agent terminates')
fileTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 15), )
if mibBuilder.loadTexts: fileTable.setDescription('Table of monitored files.')
fileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 15, 1), ).setIndexNames((0, "UCD-SNMP-MIB", "fileIndex"))
if mibBuilder.loadTexts: fileEntry.setDescription('Entry of file')
fileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 15, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0,2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fileIndex.setDescription('Index of file')
fileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 15, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fileName.setDescription('Filename')
fileSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 15, 1, 3), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: fileSize.setDescription('Size of file (kB)')
fileMax = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 15, 1, 4), Integer32()).setUnits('kB').setMaxAccess("readonly")
if mibBuilder.loadTexts: fileMax.setDescription('Limit of filesize (kB)')
fileErrorFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 15, 1, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fileErrorFlag.setDescription('Limit exceeded flag')
fileErrorMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 15, 1, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fileErrorMsg.setDescription('Filesize error message')
logMatch = MibIdentifier((1, 3, 6, 1, 4, 1, 2021, 16))
logMatchMaxEntries = MibScalar((1, 3, 6, 1, 4, 1, 2021, 16, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchMaxEntries.setDescription('The maximum number of logmatch entries\n\t\tthis snmpd daemon can support.')
logMatchTable = MibTable((1, 3, 6, 1, 4, 1, 2021, 16, 2), )
if mibBuilder.loadTexts: logMatchTable.setDescription('Table of monitored files.')
logMatchEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1), ).setIndexNames((0, "UCD-SNMP-MIB", "logMatchIndex"))
if mibBuilder.loadTexts: logMatchEntry.setDescription('Entry of file')
logMatchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1,2147483647))).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchIndex.setDescription('Index of logmatch')
logMatchName = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchName.setDescription('logmatch instance name')
logMatchFilename = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchFilename.setDescription('filename to be logmatched')
logMatchRegEx = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchRegEx.setDescription('regular expression')
logMatchGlobalCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchGlobalCounter.setDescription('global count of matches')
logMatchGlobalCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchGlobalCount.setDescription('Description.')
logMatchCurrentCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchCurrentCounter.setDescription('Regex match counter. This counter will\n\t\tbe reset with each logfile rotation.')
logMatchCurrentCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchCurrentCount.setDescription('Description.')
logMatchCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchCounter.setDescription('Regex match counter. This counter will\n\t\tbe reset with each read')
logMatchCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchCount.setDescription('Description.')
logMatchCycle = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchCycle.setDescription('time between updates (if not queried) in seconds')
logMatchErrorFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 100), UCDErrorFlag()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchErrorFlag.setDescription('errorflag: is this line configured correctly?')
logMatchRegExCompilation = MibTableColumn((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 101), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: logMatchRegExCompilation.setDescription('message of regex precompilation')
mibBuilder.exportSymbols("UCD-SNMP-MIB", ucdavis=ucdavis, versionClearCache=versionClearCache, fileName=fileName, memTotalSwapTXT=memTotalSwapTXT, snmperrIndex=snmperrIndex, logMatchCounter=logMatchCounter, logMatchCycle=logMatchCycle, dskAvailHigh=dskAvailHigh, logMatchCurrentCount=logMatchCurrentCount, extNames=extNames, snmperrErrorFlag=snmperrErrorFlag, extResult=extResult, ucdInternal=ucdInternal, ssSysContext=ssSysContext, ssRawInterrupts=ssRawInterrupts, logMatchMaxEntries=logMatchMaxEntries, ssIORawSent=ssIORawSent, prErrFix=prErrFix, laConfig=laConfig, versionCDate=versionCDate, versionRestartAgent=versionRestartAgent, irix=irix, memIndex=memIndex, memTotalSwap=memTotalSwap, ssCpuRawNice=ssCpuRawNice, laLoadFloat=laLoadFloat, ucdShutdown=ucdShutdown, memShared=memShared, memCached=memCached, PYSNMP_MODULE_ID=ucdavis, memSwapErrorMsg=memSwapErrorMsg, snmperrErrMessage=snmperrErrMessage, logMatchErrorFlag=logMatchErrorFlag, memUsedRealTXT=memUsedRealTXT, mrEntry=mrEntry, dskUsedHigh=dskUsedHigh, extErrFixCmd=extErrFixCmd, version=version, dskPath=dskPath, dskErrorFlag=dskErrorFlag, UCDErrorFix=UCDErrorFix, ssIOReceive=ssIOReceive, ssCpuUser=ssCpuUser, extIndex=extIndex, extEntry=extEntry, versionSavePersistentData=versionSavePersistentData, mrModuleName=mrModuleName, ssErrorName=ssErrorName, memUsedSwapTXT=memUsedSwapTXT, ssCpuRawGuestNice=ssCpuRawGuestNice, versionDoDebugging=versionDoDebugging, dragonfly=dragonfly, memMinimumSwap=memMinimumSwap, ucdExperimental=ucdExperimental, ssIOSent=ssIOSent, logMatchTable=logMatchTable, prErrFixCmd=prErrFixCmd, laNames=laNames, dskEntry=dskEntry, dskAvail=dskAvail, snmperrs=snmperrs, versionUpdateConfig=versionUpdateConfig, versionConfigureOptions=versionConfigureOptions, fileEntry=fileEntry, ssSwapIn=ssSwapIn, logMatchCurrentCounter=logMatchCurrentCounter, ssIndex=ssIndex, prErrorFlag=prErrorFlag, memTotalReal=memTotalReal, fileTable=fileTable, memSwapError=memSwapError, dskUsed=dskUsed, ssSwapOut=ssSwapOut, memBuffer=memBuffer, macosx=macosx, extErrFix=extErrFix, dskUsedLow=dskUsedLow, memAvailRealTXT=memAvailRealTXT, versionIndex=versionIndex, versionIdent=versionIdent, ssCpuRawKernel=ssCpuRawKernel, ssCpuRawSystem=ssCpuRawSystem, laIndex=laIndex, osf=osf, prEntry=prEntry, laLoadInt=laLoadInt, ssCpuRawInterrupt=ssCpuRawInterrupt, snmperrNames=snmperrNames, UCDErrorFlag=UCDErrorFlag, dskDevice=dskDevice, memAvailSwapTXT=memAvailSwapTXT, logMatchRegEx=logMatchRegEx, sunos4=sunos4, logMatchIndex=logMatchIndex, dskMinPercent=dskMinPercent, hpux10=hpux10, ssCpuRawIdle=ssCpuRawIdle, prTable=prTable, dskIndex=dskIndex, versionDate=versionDate, dskMinimum=dskMinimum, laErrMessage=laErrMessage, laErrorFlag=laErrorFlag, ssCpuRawSoftIRQ=ssCpuRawSoftIRQ, freebsd=freebsd, ssRawSwapIn=ssRawSwapIn, logMatchGlobalCount=logMatchGlobalCount, openbsd=openbsd, solaris=solaris, dskTotal=dskTotal, ucdTraps=ucdTraps, ssRawContexts=ssRawContexts, ssIORawReceived=ssIORawReceived, ssRawSwapOut=ssRawSwapOut, prIndex=prIndex, fileErrorMsg=fileErrorMsg, fileMax=fileMax, hpux9=hpux9, netbsd1=netbsd1, linux=linux, prMax=prMax, prErrMessage=prErrMessage, dskTotalHigh=dskTotalHigh, ssCpuRawSteal=ssCpuRawSteal, logMatchCount=logMatchCount, fileIndex=fileIndex, aix=aix, versionTag=versionTag, logMatchEntry=logMatchEntry, extOutput=extOutput, laTable=laTable, ssCpuRawGuest=ssCpuRawGuest, ssCpuRawUser=ssCpuRawUser, extCommand=extCommand, ssCpuSystem=ssCpuSystem, ssCpuRawWait=ssCpuRawWait, memAvailReal=memAvailReal, mrTable=mrTable, logMatchFilename=logMatchFilename, mrIndex=mrIndex, fileErrorFlag=fileErrorFlag, logMatchName=logMatchName, systemStats=systemStats, memTotalRealTXT=memTotalRealTXT, dskAvailLow=dskAvailLow, Float=Float, logMatchRegExCompilation=logMatchRegExCompilation, extTable=extTable, prNames=prNames, prMin=prMin, memory=memory, dskErrorMsg=dskErrorMsg, laEntry=laEntry, ucdStart=ucdStart, ucdSnmpAgent=ucdSnmpAgent, dskPercentNode=dskPercentNode, logMatchGlobalCounter=logMatchGlobalCounter, logMatch=logMatch, dskTable=dskTable, memErrorName=memErrorName, laLoad=laLoad, prCount=prCount, win32=win32, fileSize=fileSize, bsdi=bsdi, dskTotalLow=dskTotalLow, unknown=unknown, hpux11=hpux11, memTotalFree=memTotalFree, dskPercent=dskPercent, ssCpuIdle=ssCpuIdle, ultrix=ultrix, memAvailSwap=memAvailSwap, ssSysInterrupts=ssSysInterrupts)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, constraints_intersection, value_size_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(gauge32, mib_identifier, opaque, integer32, notification_type, bits, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, counter64, enterprises, object_identity, iso, ip_address, module_identity, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'MibIdentifier', 'Opaque', 'Integer32', 'NotificationType', 'Bits', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'Counter64', 'enterprises', 'ObjectIdentity', 'iso', 'IpAddress', 'ModuleIdentity', 'Unsigned32')
(textual_convention, display_string, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString', 'TruthValue')
ucdavis = module_identity((1, 3, 6, 1, 4, 1, 2021)).setRevisions(('2011-05-14 00:00', '2009-01-19 00:00', '2006-11-22 00:00', '2004-04-07 00:00', '2002-09-05 00:00', '2001-09-20 00:00', '2001-01-17 00:00', '1999-12-09 00:00'))
if mibBuilder.loadTexts:
ucdavis.setLastUpdated('200901190000Z')
if mibBuilder.loadTexts:
ucdavis.setOrganization('University of California, Davis')
if mibBuilder.loadTexts:
ucdavis.setContactInfo('This mib is no longer being maintained by the University of\n\t California and is now in life-support-mode and being\n\t maintained by the net-snmp project. The best place to write\n\t for public questions about the net-snmp-coders mailing list\n\t at net-snmp-coders@lists.sourceforge.net.\n\n postal: Wes Hardaker\n P.O. Box 382\n Davis CA 95617\n\n email: net-snmp-coders@lists.sourceforge.net\n ')
if mibBuilder.loadTexts:
ucdavis.setDescription('This file defines the private UCD SNMP MIB extensions.')
ucd_internal = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 12))
ucd_experimental = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 13))
ucd_snmp_agent = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250))
hpux9 = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 1))
sunos4 = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 2))
solaris = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 3))
osf = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 4))
ultrix = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 5))
hpux10 = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 6))
netbsd1 = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 7))
freebsd = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 8))
irix = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 9))
linux = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 10))
bsdi = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 11))
openbsd = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 12))
win32 = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 13))
hpux11 = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 14))
aix = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 15))
macosx = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 16))
dragonfly = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 17))
unknown = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 250, 255))
class Float(Opaque, TextualConvention):
subtype_spec = Opaque.subtypeSpec + value_size_constraint(7, 7)
fixed_length = 7
class Ucderrorflag(Integer32, TextualConvention):
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('noError', 0), ('error', 1))
class Ucderrorfix(Integer32, TextualConvention):
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('noError', 0), ('runFix', 1))
pr_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 2))
if mibBuilder.loadTexts:
prTable.setDescription("A table containing information on running\n\t programs/daemons configured for monitoring in the\n\t snmpd.conf file of the agent. Processes violating the\n\t number of running processes required by the agent's\n\t configuration file are flagged with numerical and\n\t textual errors.")
pr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 2, 1)).setIndexNames((0, 'UCD-SNMP-MIB', 'prIndex'))
if mibBuilder.loadTexts:
prEntry.setDescription('An entry containing a process and its statistics.')
pr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prIndex.setDescription('Reference Index for each observed process.')
pr_names = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prNames.setDescription("The process name we're counting/checking on.")
pr_min = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prMin.setDescription('The minimum number of processes that should be\n\t running. An error flag is generated if the number of\n\t running processes is < the minimum.')
pr_max = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prMax.setDescription('The maximum number of processes that should be\n\t running. An error flag is generated if the number of\n\t running processes is > the maximum.')
pr_count = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prCount.setDescription('The number of current processes running with the name\n\t in question.')
pr_error_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prErrorFlag.setDescription('A Error flag to indicate trouble with a process. It\n\t goes to 1 if there is an error, 0 if no error.')
pr_err_message = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prErrMessage.setDescription('An error message describing the problem (if one exists).')
pr_err_fix = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 102), ucd_error_fix()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
prErrFix.setDescription('Setting this to one will try to fix the problem if\n\t the agent has been configured with a script to call\n\t to attempt to fix problems automatically using remote\n\t snmp operations.')
pr_err_fix_cmd = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 2, 1, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
prErrFixCmd.setDescription('The command that gets run when the prErrFix column is \n\t set to 1.')
ext_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 8))
if mibBuilder.loadTexts:
extTable.setDescription("A table of extensible commands returning output and\n\t result codes. These commands are configured via the\n\t agent's snmpd.conf file.")
ext_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 8, 1)).setIndexNames((0, 'UCD-SNMP-MIB', 'extIndex'))
if mibBuilder.loadTexts:
extEntry.setDescription('An entry containing an extensible script/program and its output.')
ext_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
extIndex.setDescription('Reference Index for extensible scripts. Simply an\n\t integer row number.')
ext_names = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
extNames.setDescription('A Short, one name description of the extensible command.')
ext_command = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
extCommand.setDescription('The command line to be executed.')
ext_result = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 100), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
extResult.setDescription('The result code (exit status) from the executed command.')
ext_output = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
extOutput.setDescription('The first line of output of the executed command.')
ext_err_fix = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 102), ucd_error_fix()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
extErrFix.setDescription('Setting this to one will try to fix the problem if\n\t the agent has been configured with a script to call\n\t to attempt to fix problems automatically using remote\n\t snmp operations.')
ext_err_fix_cmd = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 8, 1, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
extErrFixCmd.setDescription('The command that gets run when the extErrFix column is \n\t set to 1.')
memory = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 4))
mem_index = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memIndex.setDescription('Bogus Index. This should always return the integer 0.')
mem_error_name = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memErrorName.setDescription("Bogus Name. This should always return the string 'swap'.")
mem_total_swap = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 3), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalSwap.setDescription('The total amount of swap space configured for this host.')
mem_avail_swap = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 4), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memAvailSwap.setDescription('The amount of swap space currently unused or available.')
mem_total_real = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 5), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalReal.setDescription('The total amount of real/physical memory installed\n on this host.')
mem_avail_real = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 6), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memAvailReal.setDescription('The amount of real/physical memory currently unused\n or available.')
mem_total_swap_txt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 7), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalSwapTXT.setDescription('The total amount of swap space or virtual memory allocated\n for text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of swap space or virtual memory.')
mem_avail_swap_txt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 8), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memAvailSwapTXT.setDescription("The amount of swap space or virtual memory currently\n being used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of swap space or virtual memory.\n\n Note that (despite the name), this value reports the\n amount used, rather than the amount free or available\n for use. For clarity, this object is being deprecated\n in favour of 'memUsedSwapTXT(16).")
mem_total_real_txt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 9), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalRealTXT.setDescription('The total amount of real/physical memory allocated\n for text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of physical memory.')
mem_avail_real_txt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 10), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memAvailRealTXT.setDescription("The amount of real/physical memory currently being\n used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of physical memory.\n\n Note that (despite the name), this value reports the\n amount used, rather than the amount free or available\n for use. For clarity, this object is being deprecated\n in favour of 'memUsedRealTXT(17).")
mem_total_free = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 11), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalFree.setDescription('The total amount of memory free or available for use on\n this host. This value typically covers both real memory\n and swap space or virtual memory.')
mem_minimum_swap = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 12), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memMinimumSwap.setDescription("The minimum amount of swap space expected to be kept\n free or available during normal operation of this host.\n\n If this value (as reported by 'memAvailSwap(4)') falls\n below the specified level, then 'memSwapError(100)' will\n be set to 1 and an error message made available via\n 'memSwapErrorMsg(101)'.")
mem_shared = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 13), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memShared.setDescription('The total amount of real or virtual memory currently\n allocated for use as shared memory.\n\n This object will not be implemented on hosts where the\n underlying operating system does not explicitly identify\n memory as specifically reserved for this purpose.')
mem_buffer = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 14), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memBuffer.setDescription('The total amount of real or virtual memory currently\n allocated for use as memory buffers.\n\n This object will not be implemented on hosts where the\n underlying operating system does not explicitly identify\n memory as specifically reserved for this purpose.')
mem_cached = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 15), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memCached.setDescription('The total amount of real or virtual memory currently\n allocated for use as cached memory.\n\n This object will not be implemented on hosts where the\n underlying operating system does not explicitly identify\n memory as specifically reserved for this purpose.')
mem_used_swap_txt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 16), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memUsedSwapTXT.setDescription('The amount of swap space or virtual memory currently\n being used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of swap space or virtual memory.')
mem_used_real_txt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 17), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
memUsedRealTXT.setDescription('The amount of real/physical memory currently being\n used by text pages on this host.\n\n This object will not be implemented on hosts where the\n underlying operating system does not distinguish text\n pages from other uses of physical memory.')
mem_swap_error = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memSwapError.setDescription("Indicates whether the amount of available swap space\n (as reported by 'memAvailSwap(4)'), is less than the\n desired minimum (specified by 'memMinimumSwap(12)').")
mem_swap_error_msg = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 4, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memSwapErrorMsg.setDescription("Describes whether the amount of available swap space\n (as reported by 'memAvailSwap(4)'), is less than the\n desired minimum (specified by 'memMinimumSwap(12)').")
dsk_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 9))
if mibBuilder.loadTexts:
dskTable.setDescription('Disk watching information. Partions to be watched\n\t are configured by the snmpd.conf file of the agent.')
dsk_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 9, 1)).setIndexNames((0, 'UCD-SNMP-MIB', 'dskIndex'))
if mibBuilder.loadTexts:
dskEntry.setDescription('An entry containing a disk and its statistics.')
dsk_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskIndex.setDescription('Integer reference number (row number) for the disk mib.')
dsk_path = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskPath.setDescription('Path where the disk is mounted.')
dsk_device = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskDevice.setDescription('Path of the device for the partition')
dsk_minimum = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskMinimum.setDescription("Minimum space required on the disk (in kBytes) before the\n errors are triggered. Either this or dskMinPercent is\n configured via the agent's snmpd.conf file.")
dsk_min_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskMinPercent.setDescription("Percentage of minimum space required on the disk before the\n errors are triggered. Either this or dskMinimum is\n configured via the agent's snmpd.conf file.")
dsk_total = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskTotal.setDescription('Total size of the disk/partion (kBytes).\n\t For large disks (>2Tb), this value will\n\t latch at INT32_MAX (2147483647).')
dsk_avail = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskAvail.setDescription('Available space on the disk.\n\t For large lightly-used disks (>2Tb), this\n\t value will latch at INT32_MAX (2147483647).')
dsk_used = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskUsed.setDescription('Used space on the disk.\n\t For large heavily-used disks (>2Tb), this\n\t value will latch at INT32_MAX (2147483647).')
dsk_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskPercent.setDescription('Percentage of space used on disk')
dsk_percent_node = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskPercentNode.setDescription('Percentage of inodes used on disk')
dsk_total_low = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 11), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskTotalLow.setDescription('Total size of the disk/partion (kBytes).\n\tTogether with dskTotalHigh composes 64-bit number.')
dsk_total_high = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 12), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskTotalHigh.setDescription('Total size of the disk/partion (kBytes).\n\tTogether with dskTotalLow composes 64-bit number.')
dsk_avail_low = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 13), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskAvailLow.setDescription('Available space on the disk (kBytes).\n\tTogether with dskAvailHigh composes 64-bit number.')
dsk_avail_high = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 14), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskAvailHigh.setDescription('Available space on the disk (kBytes).\n\tTogether with dskAvailLow composes 64-bit number.')
dsk_used_low = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 15), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskUsedLow.setDescription('Used space on the disk (kBytes).\n\tTogether with dskUsedHigh composes 64-bit number.')
dsk_used_high = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 16), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskUsedHigh.setDescription('Used space on the disk (kBytes).\n\tTogether with dskUsedLow composes 64-bit number.')
dsk_error_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskErrorFlag.setDescription('Error flag signaling that the disk or partition is under\n\t the minimum required space configured for it.')
dsk_error_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 9, 1, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dskErrorMsg.setDescription('A text description providing a warning and the space left\n\t on the disk.')
la_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 10))
if mibBuilder.loadTexts:
laTable.setDescription('Load average information.')
la_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 10, 1)).setIndexNames((0, 'UCD-SNMP-MIB', 'laIndex'))
if mibBuilder.loadTexts:
laEntry.setDescription('An entry containing a load average and its values.')
la_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laIndex.setDescription('reference index/row number for each observed loadave.')
la_names = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laNames.setDescription("The list of loadave names we're watching.")
la_load = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laLoad.setDescription('The 1,5 and 15 minute load averages (one per row).')
la_config = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 4), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
laConfig.setDescription('The watch point for load-averages to signal an\n\t error. If the load averages rises above this value,\n\t the laErrorFlag below is set.')
la_load_int = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laLoadInt.setDescription('The 1,5 and 15 minute load averages as an integer.\n\t This is computed by taking the floating point\n\t loadaverage value and multiplying by 100, then\n\t converting the value to an integer.')
la_load_float = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 6), float()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laLoadFloat.setDescription('The 1,5 and 15 minute load averages as an opaquely\n\t wrapped floating point number.')
la_error_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laErrorFlag.setDescription('A Error flag to indicate the load-average has crossed\n\t its threshold value defined in the snmpd.conf file.\n\t It is set to 1 if the threshold is crossed, 0 otherwise.')
la_err_message = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 10, 1, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
laErrMessage.setDescription('An error message describing the load-average and its\n\t surpased watch-point value.')
version = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 100))
version_index = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
versionIndex.setDescription('Index to mib (always 0)')
version_tag = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
versionTag.setDescription('CVS tag keyword')
version_date = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
versionDate.setDescription('Date string from RCS keyword')
version_c_date = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
versionCDate.setDescription('Date string from ctime() ')
version_ident = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
versionIdent.setDescription('Id string from RCS keyword')
version_configure_options = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
versionConfigureOptions.setDescription('Options passed to the configure script when this agent was built.')
version_clear_cache = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 10), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
versionClearCache.setDescription('Set to 1 to clear the exec cache, if enabled')
version_update_config = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 11), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
versionUpdateConfig.setDescription('Set to 1 to read-read the config file(s).')
version_restart_agent = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 12), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
versionRestartAgent.setDescription('Set to 1 to restart the agent.')
version_save_persistent_data = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 13), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
versionSavePersistentData.setDescription("Set to 1 to force the agent to save it's persistent data immediately.")
version_do_debugging = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 100, 20), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
versionDoDebugging.setDescription('Set to 1 to turn debugging statements on in the agent or 0\n\t to turn it off.')
snmperrs = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 101))
snmperr_index = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 101, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
snmperrIndex.setDescription('Bogus Index for snmperrs (always 0).')
snmperr_names = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 101, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
snmperrNames.setDescription('snmp')
snmperr_error_flag = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 101, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
snmperrErrorFlag.setDescription('A Error flag to indicate trouble with the agent. It\n\t goes to 1 if there is an error, 0 if no error.')
snmperr_err_message = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 101, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
snmperrErrMessage.setDescription('An error message describing the problem (if one exists).')
mr_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 102))
if mibBuilder.loadTexts:
mrTable.setDescription("A table displaying all the oid's registered by mib modules in\n\t the agent. Since the agent is modular in nature, this lists\n\t each module's OID it is responsible for and the name of the module")
mr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 102, 1)).setIndexNames((1, 'UCD-SNMP-MIB', 'mrIndex'))
if mibBuilder.loadTexts:
mrEntry.setDescription('An entry containing a registered mib oid.')
mr_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 102, 1, 1), object_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mrIndex.setDescription('The registry slot of a mibmodule.')
mr_module_name = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 102, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mrModuleName.setDescription('The module name that registered this OID.')
system_stats = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 11))
ss_index = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssIndex.setDescription('Bogus Index. This should always return the integer 1.')
ss_error_name = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssErrorName.setDescription("Bogus Name. This should always return the string 'systemStats'.")
ss_swap_in = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 3), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssSwapIn.setDescription('The average amount of memory swapped in from disk,\n calculated over the last minute.')
ss_swap_out = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 4), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssSwapOut.setDescription('The average amount of memory swapped out to disk,\n calculated over the last minute.')
ss_io_sent = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 5), integer32()).setUnits('blocks/s').setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssIOSent.setDescription("The average amount of data written to disk or other\n block device, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssIORawSent(57)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_io_receive = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 6), integer32()).setUnits('blocks/s').setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssIOReceive.setDescription("The average amount of data read from disk or other\n block device, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssIORawReceived(58)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_sys_interrupts = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 7), integer32()).setUnits('interrupts/s').setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssSysInterrupts.setDescription("The average rate of interrupts processed (including\n the clock) calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssRawInterrupts(59)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_sys_context = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 8), integer32()).setUnits('switches/s').setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssSysContext.setDescription("The average rate of context switches,\n calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssRawContext(60)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_cpu_user = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuUser.setDescription("The percentage of CPU time spent processing\n user-level code, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssCpuRawUser(50)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_cpu_system = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuSystem.setDescription("The percentage of CPU time spent processing\n system-level code, calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssCpuRawSystem(52)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_cpu_idle = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuIdle.setDescription("The percentage of processor time spent idle,\n calculated over the last minute.\n \n\t This object has been deprecated in favour of\n 'ssCpuRawIdle(53)', which can be used to calculate\n the same metric, but over any desired time period.")
ss_cpu_raw_user = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 50), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawUser.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing user-level code.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_nice = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 51), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawNice.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing reduced-priority code.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_system = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 52), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawSystem.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing system-level code.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).\n\n This object may sometimes be implemented as the\n combination of the 'ssCpuRawWait(54)' and\n 'ssCpuRawKernel(55)' counters, so care must be\n taken when summing the overall raw counters.")
ss_cpu_raw_idle = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 53), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawIdle.setDescription("The number of 'ticks' (typically 1/100s) spent\n idle.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_wait = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 54), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawWait.setDescription("The number of 'ticks' (typically 1/100s) spent\n waiting for IO.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric. This time may also be\n included within the 'ssCpuRawSystem(52)' counter.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_kernel = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 55), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawKernel.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing kernel-level code.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric. This time may also be\n included within the 'ssCpuRawSystem(52)' counter.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_interrupt = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 56), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawInterrupt.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing hardware interrupts.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_io_raw_sent = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 57), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssIORawSent.setDescription('Number of blocks sent to a block device')
ss_io_raw_received = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 58), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssIORawReceived.setDescription('Number of blocks received from a block device')
ss_raw_interrupts = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 59), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssRawInterrupts.setDescription('Number of interrupts processed')
ss_raw_contexts = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 60), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssRawContexts.setDescription('Number of context switches')
ss_cpu_raw_soft_irq = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 61), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawSoftIRQ.setDescription("The number of 'ticks' (typically 1/100s) spent\n processing software interrupts.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_raw_swap_in = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 62), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssRawSwapIn.setDescription('Number of blocks swapped in')
ss_raw_swap_out = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 63), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssRawSwapOut.setDescription('Number of blocks swapped out')
ss_cpu_raw_steal = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 64), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawSteal.setDescription("The number of 'ticks' (typically 1/100s) spent\n by the hypervisor code to run other VMs even\n though the CPU in the current VM had something runnable.\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_guest = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 65), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawGuest.setDescription("The number of 'ticks' (typically 1/100s) spent\n by the CPU to run a virtual CPU (guest).\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ss_cpu_raw_guest_nice = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 11, 66), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ssCpuRawGuestNice.setDescription("The number of 'ticks' (typically 1/100s) spent\n by the CPU to run a niced virtual CPU (guest).\n\n This object will not be implemented on hosts where\n the underlying operating system does not measure\n this particular CPU metric.\n\n On a multi-processor system, the 'ssCpuRaw*'\n counters are cumulative over all CPUs, so their\n sum will typically be N*100 (for N processors).")
ucd_traps = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 251))
ucd_start = notification_type((1, 3, 6, 1, 4, 1, 2021, 251, 1)).setObjects(*())
if mibBuilder.loadTexts:
ucdStart.setDescription('This trap could in principle be sent when the agent start')
ucd_shutdown = notification_type((1, 3, 6, 1, 4, 1, 2021, 251, 2)).setObjects(*())
if mibBuilder.loadTexts:
ucdShutdown.setDescription('This trap is sent when the agent terminates')
file_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 15))
if mibBuilder.loadTexts:
fileTable.setDescription('Table of monitored files.')
file_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 15, 1)).setIndexNames((0, 'UCD-SNMP-MIB', 'fileIndex'))
if mibBuilder.loadTexts:
fileEntry.setDescription('Entry of file')
file_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 15, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fileIndex.setDescription('Index of file')
file_name = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 15, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fileName.setDescription('Filename')
file_size = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 15, 1, 3), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fileSize.setDescription('Size of file (kB)')
file_max = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 15, 1, 4), integer32()).setUnits('kB').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fileMax.setDescription('Limit of filesize (kB)')
file_error_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 15, 1, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fileErrorFlag.setDescription('Limit exceeded flag')
file_error_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 15, 1, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fileErrorMsg.setDescription('Filesize error message')
log_match = mib_identifier((1, 3, 6, 1, 4, 1, 2021, 16))
log_match_max_entries = mib_scalar((1, 3, 6, 1, 4, 1, 2021, 16, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchMaxEntries.setDescription('The maximum number of logmatch entries\n\t\tthis snmpd daemon can support.')
log_match_table = mib_table((1, 3, 6, 1, 4, 1, 2021, 16, 2))
if mibBuilder.loadTexts:
logMatchTable.setDescription('Table of monitored files.')
log_match_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1)).setIndexNames((0, 'UCD-SNMP-MIB', 'logMatchIndex'))
if mibBuilder.loadTexts:
logMatchEntry.setDescription('Entry of file')
log_match_index = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchIndex.setDescription('Index of logmatch')
log_match_name = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchName.setDescription('logmatch instance name')
log_match_filename = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchFilename.setDescription('filename to be logmatched')
log_match_reg_ex = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchRegEx.setDescription('regular expression')
log_match_global_counter = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchGlobalCounter.setDescription('global count of matches')
log_match_global_count = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchGlobalCount.setDescription('Description.')
log_match_current_counter = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchCurrentCounter.setDescription('Regex match counter. This counter will\n\t\tbe reset with each logfile rotation.')
log_match_current_count = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchCurrentCount.setDescription('Description.')
log_match_counter = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchCounter.setDescription('Regex match counter. This counter will\n\t\tbe reset with each read')
log_match_count = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchCount.setDescription('Description.')
log_match_cycle = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchCycle.setDescription('time between updates (if not queried) in seconds')
log_match_error_flag = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 100), ucd_error_flag()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchErrorFlag.setDescription('errorflag: is this line configured correctly?')
log_match_reg_ex_compilation = mib_table_column((1, 3, 6, 1, 4, 1, 2021, 16, 2, 1, 101), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
logMatchRegExCompilation.setDescription('message of regex precompilation')
mibBuilder.exportSymbols('UCD-SNMP-MIB', ucdavis=ucdavis, versionClearCache=versionClearCache, fileName=fileName, memTotalSwapTXT=memTotalSwapTXT, snmperrIndex=snmperrIndex, logMatchCounter=logMatchCounter, logMatchCycle=logMatchCycle, dskAvailHigh=dskAvailHigh, logMatchCurrentCount=logMatchCurrentCount, extNames=extNames, snmperrErrorFlag=snmperrErrorFlag, extResult=extResult, ucdInternal=ucdInternal, ssSysContext=ssSysContext, ssRawInterrupts=ssRawInterrupts, logMatchMaxEntries=logMatchMaxEntries, ssIORawSent=ssIORawSent, prErrFix=prErrFix, laConfig=laConfig, versionCDate=versionCDate, versionRestartAgent=versionRestartAgent, irix=irix, memIndex=memIndex, memTotalSwap=memTotalSwap, ssCpuRawNice=ssCpuRawNice, laLoadFloat=laLoadFloat, ucdShutdown=ucdShutdown, memShared=memShared, memCached=memCached, PYSNMP_MODULE_ID=ucdavis, memSwapErrorMsg=memSwapErrorMsg, snmperrErrMessage=snmperrErrMessage, logMatchErrorFlag=logMatchErrorFlag, memUsedRealTXT=memUsedRealTXT, mrEntry=mrEntry, dskUsedHigh=dskUsedHigh, extErrFixCmd=extErrFixCmd, version=version, dskPath=dskPath, dskErrorFlag=dskErrorFlag, UCDErrorFix=UCDErrorFix, ssIOReceive=ssIOReceive, ssCpuUser=ssCpuUser, extIndex=extIndex, extEntry=extEntry, versionSavePersistentData=versionSavePersistentData, mrModuleName=mrModuleName, ssErrorName=ssErrorName, memUsedSwapTXT=memUsedSwapTXT, ssCpuRawGuestNice=ssCpuRawGuestNice, versionDoDebugging=versionDoDebugging, dragonfly=dragonfly, memMinimumSwap=memMinimumSwap, ucdExperimental=ucdExperimental, ssIOSent=ssIOSent, logMatchTable=logMatchTable, prErrFixCmd=prErrFixCmd, laNames=laNames, dskEntry=dskEntry, dskAvail=dskAvail, snmperrs=snmperrs, versionUpdateConfig=versionUpdateConfig, versionConfigureOptions=versionConfigureOptions, fileEntry=fileEntry, ssSwapIn=ssSwapIn, logMatchCurrentCounter=logMatchCurrentCounter, ssIndex=ssIndex, prErrorFlag=prErrorFlag, memTotalReal=memTotalReal, fileTable=fileTable, memSwapError=memSwapError, dskUsed=dskUsed, ssSwapOut=ssSwapOut, memBuffer=memBuffer, macosx=macosx, extErrFix=extErrFix, dskUsedLow=dskUsedLow, memAvailRealTXT=memAvailRealTXT, versionIndex=versionIndex, versionIdent=versionIdent, ssCpuRawKernel=ssCpuRawKernel, ssCpuRawSystem=ssCpuRawSystem, laIndex=laIndex, osf=osf, prEntry=prEntry, laLoadInt=laLoadInt, ssCpuRawInterrupt=ssCpuRawInterrupt, snmperrNames=snmperrNames, UCDErrorFlag=UCDErrorFlag, dskDevice=dskDevice, memAvailSwapTXT=memAvailSwapTXT, logMatchRegEx=logMatchRegEx, sunos4=sunos4, logMatchIndex=logMatchIndex, dskMinPercent=dskMinPercent, hpux10=hpux10, ssCpuRawIdle=ssCpuRawIdle, prTable=prTable, dskIndex=dskIndex, versionDate=versionDate, dskMinimum=dskMinimum, laErrMessage=laErrMessage, laErrorFlag=laErrorFlag, ssCpuRawSoftIRQ=ssCpuRawSoftIRQ, freebsd=freebsd, ssRawSwapIn=ssRawSwapIn, logMatchGlobalCount=logMatchGlobalCount, openbsd=openbsd, solaris=solaris, dskTotal=dskTotal, ucdTraps=ucdTraps, ssRawContexts=ssRawContexts, ssIORawReceived=ssIORawReceived, ssRawSwapOut=ssRawSwapOut, prIndex=prIndex, fileErrorMsg=fileErrorMsg, fileMax=fileMax, hpux9=hpux9, netbsd1=netbsd1, linux=linux, prMax=prMax, prErrMessage=prErrMessage, dskTotalHigh=dskTotalHigh, ssCpuRawSteal=ssCpuRawSteal, logMatchCount=logMatchCount, fileIndex=fileIndex, aix=aix, versionTag=versionTag, logMatchEntry=logMatchEntry, extOutput=extOutput, laTable=laTable, ssCpuRawGuest=ssCpuRawGuest, ssCpuRawUser=ssCpuRawUser, extCommand=extCommand, ssCpuSystem=ssCpuSystem, ssCpuRawWait=ssCpuRawWait, memAvailReal=memAvailReal, mrTable=mrTable, logMatchFilename=logMatchFilename, mrIndex=mrIndex, fileErrorFlag=fileErrorFlag, logMatchName=logMatchName, systemStats=systemStats, memTotalRealTXT=memTotalRealTXT, dskAvailLow=dskAvailLow, Float=Float, logMatchRegExCompilation=logMatchRegExCompilation, extTable=extTable, prNames=prNames, prMin=prMin, memory=memory, dskErrorMsg=dskErrorMsg, laEntry=laEntry, ucdStart=ucdStart, ucdSnmpAgent=ucdSnmpAgent, dskPercentNode=dskPercentNode, logMatchGlobalCounter=logMatchGlobalCounter, logMatch=logMatch, dskTable=dskTable, memErrorName=memErrorName, laLoad=laLoad, prCount=prCount, win32=win32, fileSize=fileSize, bsdi=bsdi, dskTotalLow=dskTotalLow, unknown=unknown, hpux11=hpux11, memTotalFree=memTotalFree, dskPercent=dskPercent, ssCpuIdle=ssCpuIdle, ultrix=ultrix, memAvailSwap=memAvailSwap, ssSysInterrupts=ssSysInterrupts) |
def printing(T):
print (f'hello {T}')
w=__name__
if w=="__main__":
printing("wajaht") | def printing(T):
print(f'hello {T}')
w = __name__
if w == '__main__':
printing('wajaht') |
x = [1, [2, None]]
y = [1, 2]
z = [1, 2]
x[1][0] = y # should nudge y to over the right
z[1] = x # should nudge BOTH x and y over to the right
| x = [1, [2, None]]
y = [1, 2]
z = [1, 2]
x[1][0] = y
z[1] = x |
"""
Regular expression matching using simplified and memoized Brzozowski
derivatives.
"""
def match(re, s):
for c in s:
re = re(c)
return re.nullable
def mark(nullable, deriv):
deriv.nullable = nullable
return deriv
fail = mark(False, lambda c: fail)
empty = mark(True, lambda c: fail)
def _lit(literal):
return mark(False, lambda c: empty if c == literal else fail)
class MemoTable(dict):
def enter(self, key, make):
if key not in self:
self[key] = make()
return self[key]
class Maker:
def __init__(self):
self.lits = MemoTable()
self.alts = MemoTable()
self.seqs = MemoTable()
self.stars = MemoTable()
def lit(self, literal):
return self.lits.enter(literal, lambda: _lit(literal))
def alt(self, re1, re2):
if re1 is fail: return re2
if re2 is fail: return re1
return self.alts.enter((re1, re2), lambda: self._alt(re1, re2))
def _alt(self, re1, re2):
return mark(re1.nullable or re2.nullable,
lambda c: self.alt(re1(c), re2(c)))
def seq(self, re1, re2):
if re1 is empty: return re2
if re2 is empty: return re1
if re1 is fail or re2 is fail: return fail
return self.seqs.enter((re1, re2), lambda: self._seq(re1, re2))
def _seq(self, re1, re2):
if re1.nullable:
def sequence(c): return self.alt(self.seq(re1(c), re2), re2(c))
else:
def sequence(c): return self.seq(re1(c), re2)
return mark(re1.nullable and re2.nullable, sequence)
def many(self, re):
if re is fail or re is empty: return empty
return self.stars.enter(re, lambda: self._many(re))
def _many(self, re):
def loop(c): return self.seq(re(c), loop)
return mark(True, loop)
## mk = Maker()
## match(fail, '')
#. False
## match(empty, '')
#. True
## match(empty, 'A')
#. False
## match(mk.lit('x'), '')
#. False
## match(mk.lit('x'), 'y')
#. False
## match(mk.lit('x'), 'x')
#. True
## match(mk.lit('x'), 'xx')
#. False
### match(mk.lit('abc'), 'abc')
## match(mk.seq(mk.lit('a'), mk.lit('b')), '')
#. False
## match(mk.seq(mk.lit('a'), mk.lit('b')), 'ab')
#. True
## match(mk.alt(mk.lit('a'), mk.lit('b')), 'b')
#. True
## match(mk.alt(mk.lit('a'), mk.lit('b')), 'a')
#. True
## match(mk.alt(mk.lit('a'), mk.lit('b')), 'x')
#. False
## match(mk.many(mk.lit('a')), '')
#. True
## match(mk.many(mk.lit('a')), 'a')
#. True
## match(mk.many(mk.lit('a')), 'x')
#. False
## match(mk.many(mk.lit('a')), 'aa')
#. True
## complicated = mk.seq(mk.many(mk.alt(mk.seq(mk.lit('a'), mk.lit('b')), mk.seq(mk.lit('a'), mk.seq(mk.lit('x'), mk.lit('y'))))), mk.lit('z'))
## match(complicated, '')
#. False
## match(complicated, 'z')
#. True
## match(complicated, 'abz')
#. True
## match(complicated, 'ababaxyab')
#. False
## match(complicated, 'ababaxyabz')
#. True
## match(complicated, 'ababaxyaxz')
#. False
## match(mk.many(mk.many(mk.lit('x'))), 'xxxx')
#. True
## match(mk.many(mk.many(mk.lit('x'))), 'xxxxy')
#. False
## match(mk.seq(empty, mk.lit('x')), '')
#. False
## match(mk.seq(empty, mk.lit('x')), 'x')
#. True
## mk.lit('x') is mk.lit('x')
#. True
## mk.alt(mk.lit('x'), mk.lit('y')) is mk.alt(mk.lit('x'), mk.lit('y'))
#. True
## mk.seq(mk.lit('x'), mk.lit('y')) is mk.seq(mk.lit('x'), mk.lit('y'))
#. True
## mk.many(mk.lit('x')) is mk.many(mk.lit('x'))
#. True
| """
Regular expression matching using simplified and memoized Brzozowski
derivatives.
"""
def match(re, s):
for c in s:
re = re(c)
return re.nullable
def mark(nullable, deriv):
deriv.nullable = nullable
return deriv
fail = mark(False, lambda c: fail)
empty = mark(True, lambda c: fail)
def _lit(literal):
return mark(False, lambda c: empty if c == literal else fail)
class Memotable(dict):
def enter(self, key, make):
if key not in self:
self[key] = make()
return self[key]
class Maker:
def __init__(self):
self.lits = memo_table()
self.alts = memo_table()
self.seqs = memo_table()
self.stars = memo_table()
def lit(self, literal):
return self.lits.enter(literal, lambda : _lit(literal))
def alt(self, re1, re2):
if re1 is fail:
return re2
if re2 is fail:
return re1
return self.alts.enter((re1, re2), lambda : self._alt(re1, re2))
def _alt(self, re1, re2):
return mark(re1.nullable or re2.nullable, lambda c: self.alt(re1(c), re2(c)))
def seq(self, re1, re2):
if re1 is empty:
return re2
if re2 is empty:
return re1
if re1 is fail or re2 is fail:
return fail
return self.seqs.enter((re1, re2), lambda : self._seq(re1, re2))
def _seq(self, re1, re2):
if re1.nullable:
def sequence(c):
return self.alt(self.seq(re1(c), re2), re2(c))
else:
def sequence(c):
return self.seq(re1(c), re2)
return mark(re1.nullable and re2.nullable, sequence)
def many(self, re):
if re is fail or re is empty:
return empty
return self.stars.enter(re, lambda : self._many(re))
def _many(self, re):
def loop(c):
return self.seq(re(c), loop)
return mark(True, loop) |
# earth_coords.py
#
# For coordinates relative to Earth's surface,
# in terms of latitude, longitude, and altitude.
# All stored as floats.
#
# E.g., the GPS antenna in our window in the APCR-DRDL lab is at:
# latitude = 30.428236 degrees (N)
# longitude = -84.285 degrees (W)
# altitude = 40 meters (above sea level, estimated)
#
# Note that lat and long are stored as simple float degrees.
# To get minutes or seconds, use the appropriate functions.
__all__ = ['EarthCoords']
class EarthCoords:
def __init__(this, lat, long, alt):
this.lat = lat # Store latitude in floating-point degrees.
this.long = long # Store longitude in floating-point degrees.
this.alt = alt # Store altitude in floating-point meters above sea level.
# Convert floating-point degrees to a pair of integer degrees
# and floating-point minutes. (You can also cheat & use this
# to convert from floating-point minutes to a pair of integer
# minutes and floating-point seconds.)
def deg_to_degmin(degrees):
intdeg = int(degrees) # This isn't floor; it rounds towards 0.
fracdeg = abs(degrees - intdeg) # Fractional part, expressed as if positive.
minutes = fracdeg*60
return (intdeg, minutes)
# Uses deg_to_degmin() twice to convert floating-point degrees
# to integer degrees, integer minutes, floating-point seconds.
# Returned as a triple.
def deg_to_degminsec(degrees):
(intdeg, minutes) = deg_to_degmin(degrees)
(intmin, seconds) = deg_to_degmin(minutes)
return (intdeg, intmin, seconds)
| __all__ = ['EarthCoords']
class Earthcoords:
def __init__(this, lat, long, alt):
this.lat = lat
this.long = long
this.alt = alt
def deg_to_degmin(degrees):
intdeg = int(degrees)
fracdeg = abs(degrees - intdeg)
minutes = fracdeg * 60
return (intdeg, minutes)
def deg_to_degminsec(degrees):
(intdeg, minutes) = deg_to_degmin(degrees)
(intmin, seconds) = deg_to_degmin(minutes)
return (intdeg, intmin, seconds) |
class Car:
someStaticPublicVar = 'Abc'
def __init__(self, name, make, year):
self.name = name
self.make = make
self.year = year
def drive(self):
print(self.name + " started")
@staticmethod
def hello():
print("Hello from car")
@classmethod
def show(cls):
print(cls.someStaticPublicVar)
| class Car:
some_static_public_var = 'Abc'
def __init__(self, name, make, year):
self.name = name
self.make = make
self.year = year
def drive(self):
print(self.name + ' started')
@staticmethod
def hello():
print('Hello from car')
@classmethod
def show(cls):
print(cls.someStaticPublicVar) |
# Author : @Moglten
# Fizz , Buzz and Fizzbuzz
# from 1 to 100
def printFizzBuzz(n) :
for x in range(1,n+1) : print(x) if print_FizzBuzz(x) else None
def print_FizzBuzz(n):
if n % 5 == n % 3 == 0:
print( "FizzBuzz" )
return False
else: return print_Buzz( n )
def print_Buzz(n) :
if n % 5 == 0:
print( "Buzz" )
return False
else : return print_Fizz(n)
def print_Fizz(n) :
if n % 3 == 0:
print( "Fizz" )
return False
else : return True
if __name__ == '__main__':
n = 100
printFizzBuzz(n)
| def print_fizz_buzz(n):
for x in range(1, n + 1):
print(x) if print__fizz_buzz(x) else None
def print__fizz_buzz(n):
if n % 5 == n % 3 == 0:
print('FizzBuzz')
return False
else:
return print__buzz(n)
def print__buzz(n):
if n % 5 == 0:
print('Buzz')
return False
else:
return print__fizz(n)
def print__fizz(n):
if n % 3 == 0:
print('Fizz')
return False
else:
return True
if __name__ == '__main__':
n = 100
print_fizz_buzz(n) |
def Union2SortedArrays(arr1, arr2):
m = arr1[-1]
n = arr2[-1]
ans = 0
if m > n:
ans = m
else:
ans = n
returner = []
newtable = [0] * (ans + 1)
returner.append(arr1[0])
newtable[arr1[0]] += 1
for i in range(1, len(arr1)):
if arr1[i] != arr1[i - 1]:
returner.append(arr1[i])
newtable[arr1[i]] += 1
for j in range(0, len(arr2)):
if newtable[arr2[j]] == 0:
returner.append(arr2[j])
newtable[arr2[j]] += 1
return returner
print(Union2SortedArrays([1, 2, 3, 4, 5], [1, 2, 3])) | def union2_sorted_arrays(arr1, arr2):
m = arr1[-1]
n = arr2[-1]
ans = 0
if m > n:
ans = m
else:
ans = n
returner = []
newtable = [0] * (ans + 1)
returner.append(arr1[0])
newtable[arr1[0]] += 1
for i in range(1, len(arr1)):
if arr1[i] != arr1[i - 1]:
returner.append(arr1[i])
newtable[arr1[i]] += 1
for j in range(0, len(arr2)):
if newtable[arr2[j]] == 0:
returner.append(arr2[j])
newtable[arr2[j]] += 1
return returner
print(union2_sorted_arrays([1, 2, 3, 4, 5], [1, 2, 3])) |
"""Module containing an exception class for Surgeo"""
class SurgeoException(Exception):
"""This is an application specific Exception class."""
pass
| """Module containing an exception class for Surgeo"""
class Surgeoexception(Exception):
"""This is an application specific Exception class."""
pass |
#!/usr/bin/env python
# encoding: utf-8
class Solution:
def nthUglyNumber(self, n: int) -> int:
if n == 0: return 0
seen = {1, }
heap = []
heapq.heappush(heap, 1)
for _ in range(n):
ugly_number = heapq.heappop(heap)
for i in [2, 3, 5]:
new_ugly = ugly_number * i
if new_ugly not in seen:
seen.add(new_ugly)
heapq.heappush(heap, new_ugly)
return ugly_number
| class Solution:
def nth_ugly_number(self, n: int) -> int:
if n == 0:
return 0
seen = {1}
heap = []
heapq.heappush(heap, 1)
for _ in range(n):
ugly_number = heapq.heappop(heap)
for i in [2, 3, 5]:
new_ugly = ugly_number * i
if new_ugly not in seen:
seen.add(new_ugly)
heapq.heappush(heap, new_ugly)
return ugly_number |
filename = 'alice.txt'
# with open(filename, encoding='utf-8') as file_object:
# contents = file_object.read()
try:
with open(filename, encoding='utf-8') as file_object:
contents = file_object.read()
except FileNotFoundError:
print(f"Sorry, the file {filename} does not exist.")
else:
# Calculate the numbers of words
words = contents.split()
num_words = len(words)
print(f"The file {filename} has about {num_words} words.")
| filename = 'alice.txt'
try:
with open(filename, encoding='utf-8') as file_object:
contents = file_object.read()
except FileNotFoundError:
print(f'Sorry, the file {filename} does not exist.')
else:
words = contents.split()
num_words = len(words)
print(f'The file {filename} has about {num_words} words.') |
# Basic Calculator II: https://leetcode.com/problems/basic-calculator-ii/
# Given a string s which represents an expression, evaluate this expression and return its value.
# The integer division should truncate toward zero.
# Note: You are not allowed to use any built-in function which evaluates strings as mathematical expressions, such as eval().
# So for this problem we are moving across a string and on the fly we are evaluating this expression. This can be done because
# we only have the mdas part of pemdas. That means we can quickly evaluate any division and multiplcation on the spot
# and add any other values to be added on at the end. Also we dont have to worry about negative numbers except for as a solution
class Solution:
def calculate(self, s: str) -> int:
if len(s) == 0:
return 0
operand, sign = 0, '+'
stack = []
for i in range(len(s)):
char = s[i]
if char is not ' ':
if char.isdigit():
operand = (operand * 10) + int(char)
if char in '+-*/' or i == len(s) - 1:
if sign == '+':
stack.append(operand)
elif sign == '-':
stack.append(-operand)
elif sign == '*':
stack.append(stack.pop() * operand)
else:
stack.append(int(stack.pop() / operand))
operand = 0
sign = char
result = 0
while stack:
result += stack.pop()
return result
# So in this problem the tricky part is the division as we can't just floor the int division we have to actually determine the proper float
# other than that the trick is that we need to keep the last sign so that we know whether or not to evaluate or simply add the value to the stack
# This runs in O(N) time and space. The question is 'Is this optimized' the answer should be no as we know that we could optimize futher on space
# based off of my last statement instead of keeping all of the addition on a stack and doing it later we can simply keep the last operation and current
# and when we go across we know that any + - (so two in a row) can be automatically calc or you do the * / immediately
def calculate(self, s: str) -> int:
if len(s) == 0:
return 0
result = 0
last = 0
cur, sign = 0, '+'
for i in range(len(s)):
char = s[i]
if char.isdigit():
cur = (cur * 10) + int(char)
if char in '+-*/' or i == len(s) - 1:
if sign == '+':
result += last
last = cur
elif sign == '-':
result += last
last = -cur
elif sign == '*':
last = last * cur
else:
last = int(last / cur)
cur = 0
sign = char
result += last
return result
# This space optimized version is obviously identical and runs in O(N) but only uses O(1) space
# Score Card
# Did I need hints? N
# Did you finish within 30 min? 20
# Was the solution optimal? Yes
# Were there any bugs? No bugs to squash
# 5 5 5 5 = 5
| class Solution:
def calculate(self, s: str) -> int:
if len(s) == 0:
return 0
(operand, sign) = (0, '+')
stack = []
for i in range(len(s)):
char = s[i]
if char is not ' ':
if char.isdigit():
operand = operand * 10 + int(char)
if char in '+-*/' or i == len(s) - 1:
if sign == '+':
stack.append(operand)
elif sign == '-':
stack.append(-operand)
elif sign == '*':
stack.append(stack.pop() * operand)
else:
stack.append(int(stack.pop() / operand))
operand = 0
sign = char
result = 0
while stack:
result += stack.pop()
return result
def calculate(self, s: str) -> int:
if len(s) == 0:
return 0
result = 0
last = 0
(cur, sign) = (0, '+')
for i in range(len(s)):
char = s[i]
if char.isdigit():
cur = cur * 10 + int(char)
if char in '+-*/' or i == len(s) - 1:
if sign == '+':
result += last
last = cur
elif sign == '-':
result += last
last = -cur
elif sign == '*':
last = last * cur
else:
last = int(last / cur)
cur = 0
sign = char
result += last
return result |
class Solution:
def __init__(self):
self.keys = {
'2': 'abc',
'3': 'def',
'4': 'ghi',
'5': 'jkl',
'6': 'mno',
'7': 'pqrs',
'8': 'tuv',
'9': 'wxyz'
}
# straightforward solution, easier to understand
def letterCombinations(self, digits: str) -> list[str]:
if digits == '':
return []
results = ['']
for digit in digits:
new_results = []
for word in results:
for char in self.keys[digit]:
new_results.append(word+char)
results = new_results
return results
# backtrack solution
def letter_combo_backtrack(self, digits: str) -> list[str]:
results = []
if digits == '':
return results
def backtrack(index, path):
# If the path is the same length as digits, we have a complete combination
if len(path) == len(digits):
results.append("".join(path))
return # Backtrack
# Get the letters that the current digit maps to, and loop through them
possible_letters = self.keys[digits[index]]
for letter in possible_letters:
# Add the letter to our current path
path.append(letter)
# Move on to the next digit
backtrack(index + 1, path)
# Backtrack by removing the letter before moving onto the next
path.pop()
backtrack(0, [])
return results
if __name__ == '__main__':
s = Solution()
digits = "23"
print(s.letterCombinations(digits))
print(s.letter_combo_backtrack(digits))
| class Solution:
def __init__(self):
self.keys = {'2': 'abc', '3': 'def', '4': 'ghi', '5': 'jkl', '6': 'mno', '7': 'pqrs', '8': 'tuv', '9': 'wxyz'}
def letter_combinations(self, digits: str) -> list[str]:
if digits == '':
return []
results = ['']
for digit in digits:
new_results = []
for word in results:
for char in self.keys[digit]:
new_results.append(word + char)
results = new_results
return results
def letter_combo_backtrack(self, digits: str) -> list[str]:
results = []
if digits == '':
return results
def backtrack(index, path):
if len(path) == len(digits):
results.append(''.join(path))
return
possible_letters = self.keys[digits[index]]
for letter in possible_letters:
path.append(letter)
backtrack(index + 1, path)
path.pop()
backtrack(0, [])
return results
if __name__ == '__main__':
s = solution()
digits = '23'
print(s.letterCombinations(digits))
print(s.letter_combo_backtrack(digits)) |
wildcards = ['wildcard1', 'wildcard2', 'wildcard3', 'wildcard4']
class Player:
def __init__(self, name, rfid, skills):
self.name = name
self.rfid = rfid
self.skills = skills
def __str__(self):
return 'Player {} ({}, {})'.format(self.name, self.rfid, list(self.skills))
def add_skill(self, new_skill):
if new_skill in wildcards:
for skill_name in wildcards:
if skill_name in self.skills:
self.skills.remove(skill_name)
self.skills.add(new_skill)
class Players:
def __init__(self, config):
self.players = []
self.rfidmap = {}
playernames = map(str.strip, config.get('common','spelers').split(','))
for playername in playernames:
rfid = config.getint('spelers', playername)
skills = set(map(str.strip, config.get('skills', playername).split(',')))
player = Player(playername, rfid, skills)
self.players.append(player)
self.rfidmap[player.rfid] = player
def find_player_for_rfid(self, rfid):
return self.rfidmap.get(rfid, None)
| wildcards = ['wildcard1', 'wildcard2', 'wildcard3', 'wildcard4']
class Player:
def __init__(self, name, rfid, skills):
self.name = name
self.rfid = rfid
self.skills = skills
def __str__(self):
return 'Player {} ({}, {})'.format(self.name, self.rfid, list(self.skills))
def add_skill(self, new_skill):
if new_skill in wildcards:
for skill_name in wildcards:
if skill_name in self.skills:
self.skills.remove(skill_name)
self.skills.add(new_skill)
class Players:
def __init__(self, config):
self.players = []
self.rfidmap = {}
playernames = map(str.strip, config.get('common', 'spelers').split(','))
for playername in playernames:
rfid = config.getint('spelers', playername)
skills = set(map(str.strip, config.get('skills', playername).split(',')))
player = player(playername, rfid, skills)
self.players.append(player)
self.rfidmap[player.rfid] = player
def find_player_for_rfid(self, rfid):
return self.rfidmap.get(rfid, None) |
saarc = [
'Afganistan',
'Bangladesh',
'Bhutan',
'Nepal',
'India',
'Pakistan',
'Sri Lanka'
]
print(saarc)
if "Bangladesh" in saarc:
print("Bangladesh is in Saarc")
| saarc = ['Afganistan', 'Bangladesh', 'Bhutan', 'Nepal', 'India', 'Pakistan', 'Sri Lanka']
print(saarc)
if 'Bangladesh' in saarc:
print('Bangladesh is in Saarc') |
def isOneAway(s1, s2):
if len(s1) == len(s2):
# check replace
replace = False
for c1, c2 in zip(s1, s2):
if c1 != c2:
if replace:
return False
else:
replace = True
return True
elif len(s1) == len(s2) + 1:
# check delete
delete = 0
i = 0
for c1 in s2:
if c1 != s1[i + delete]:
if delete == 0:
delete = 1
else:
return False
i += 1
return True
elif len(s1) + 1 == len(s2):
# check insert
insert = 0
i = 0
for c1 in s1:
if c1 != s1[i + insert]:
if insert == 0:
insert = 1
else:
return False
i += 1
return True
return False
print(isOneAway('pal', 'pale'))
print(isOneAway('pale', 'ple'))
print(isOneAway('pales', 'pale'))
print(isOneAway('pale', 'bale'))
print(isOneAway('pale', 'bake'))
| def is_one_away(s1, s2):
if len(s1) == len(s2):
replace = False
for (c1, c2) in zip(s1, s2):
if c1 != c2:
if replace:
return False
else:
replace = True
return True
elif len(s1) == len(s2) + 1:
delete = 0
i = 0
for c1 in s2:
if c1 != s1[i + delete]:
if delete == 0:
delete = 1
else:
return False
i += 1
return True
elif len(s1) + 1 == len(s2):
insert = 0
i = 0
for c1 in s1:
if c1 != s1[i + insert]:
if insert == 0:
insert = 1
else:
return False
i += 1
return True
return False
print(is_one_away('pal', 'pale'))
print(is_one_away('pale', 'ple'))
print(is_one_away('pales', 'pale'))
print(is_one_away('pale', 'bale'))
print(is_one_away('pale', 'bake')) |
class Coord:
def __init__(self, x, y):
self.x = x
self.y = y
class Ball:
def __init__(self, x, y):
self.diameter = 0.1
self.x = x
self.y = y
self.coord = Coord(x,y)
class ObjectBall(Ball):
pass
class One(ObjectBall):
pass
class Two(ObjectBall):
pass
class Three(ObjectBall):
pass
class Four(ObjectBall):
pass
class Five(ObjectBall):
pass
class Six(ObjectBall):
pass
class Seven(ObjectBall):
pass
class Eight(ObjectBall):
pass
class Nine(ObjectBall):
pass
class CueBall(Ball):
pass
| class Coord:
def __init__(self, x, y):
self.x = x
self.y = y
class Ball:
def __init__(self, x, y):
self.diameter = 0.1
self.x = x
self.y = y
self.coord = coord(x, y)
class Objectball(Ball):
pass
class One(ObjectBall):
pass
class Two(ObjectBall):
pass
class Three(ObjectBall):
pass
class Four(ObjectBall):
pass
class Five(ObjectBall):
pass
class Six(ObjectBall):
pass
class Seven(ObjectBall):
pass
class Eight(ObjectBall):
pass
class Nine(ObjectBall):
pass
class Cueball(Ball):
pass |
#!/usr/bin/python3
# -*- coding: utf-8 -*-
"""
Copyright 2017 Ronnasayd Machado <ronnasayd@hotmail.com>
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
class Antecedent:
def __init__(self):
""" Creates an antecedent object """
self.Mf = []
self.qtdMf = 0
def setMf(self, Mf):
self.Mf = Mf
def getMf(self):
return self.Mf
def setQtdMf(self, qtd):
self.qtdMf = qtd
def getQtdMf(self):
return self.qtdMf
def addMf(self, Mf):
""" Adds membership functions to an antecedent object,
........and updates the amount of membership functions added to this object """
self.Mf.append(Mf)
self.qtdMf = self.qtdMf + 1
| """
Copyright 2017 Ronnasayd Machado <ronnasayd@hotmail.com>
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
class Antecedent:
def __init__(self):
""" Creates an antecedent object """
self.Mf = []
self.qtdMf = 0
def set_mf(self, Mf):
self.Mf = Mf
def get_mf(self):
return self.Mf
def set_qtd_mf(self, qtd):
self.qtdMf = qtd
def get_qtd_mf(self):
return self.qtdMf
def add_mf(self, Mf):
""" Adds membership functions to an antecedent object,
........and updates the amount of membership functions added to this object """
self.Mf.append(Mf)
self.qtdMf = self.qtdMf + 1 |
class ZomatoLocation():
def __init(self, entity_type, entity_id, title, latitude, longitude, city_id, city_name, country_id, country_name):
self.entity_type = entity_type
self.entity_id = entity_id
self.title = title
self.latitude = latitude
self.longitude = longitude
self.city_id = city_id
self.city_name = city_name
self.country_id = country_id
self.country_name = country_name
@classmethod
def get_locations(kls):
pass
| class Zomatolocation:
def __init(self, entity_type, entity_id, title, latitude, longitude, city_id, city_name, country_id, country_name):
self.entity_type = entity_type
self.entity_id = entity_id
self.title = title
self.latitude = latitude
self.longitude = longitude
self.city_id = city_id
self.city_name = city_name
self.country_id = country_id
self.country_name = country_name
@classmethod
def get_locations(kls):
pass |
g=open(accountList, r)
pickle.load(adminUsers)
print("Welcome to AdminTools!")
print("Please enter your official AdminTools account credentials:")
print("NOTE: You may enter your PythonG Live account credentials if you have access.")
print("Please enter your admin username:")
adminu = input()
print("Please enter your admin password:")
adminp = input()
| g = open(accountList, r)
pickle.load(adminUsers)
print('Welcome to AdminTools!')
print('Please enter your official AdminTools account credentials:')
print('NOTE: You may enter your PythonG Live account credentials if you have access.')
print('Please enter your admin username:')
adminu = input()
print('Please enter your admin password:')
adminp = input() |
# Event: LCCS Python Fundamental Skills Workshop
# Date: Dec 2018
# Author: Joe English, PDST
# eMail: computerscience@pdst.ie
# Purpose: A program to demonstrate recursion
def fib(n):
"""Recursive function to
return the nth Fibonacci number """
if n <= 1:
return n
else:
return(fib(n-1) + fib(n-2))
# Test loop
# Display the first 10 numbers in the Fibonacci sequence
for i in range(10):
print(fib(i), end=" ")
| def fib(n):
"""Recursive function to
return the nth Fibonacci number """
if n <= 1:
return n
else:
return fib(n - 1) + fib(n - 2)
for i in range(10):
print(fib(i), end=' ') |
"""
164. Maximum Gap
Example 1:
Input: [3,6,9,1]
Output: 3
Explanation: The sorted form of the array is [1,3,6,9], either
(3,6) or (6,9) has the maximum difference 3.
Example 2:
Input: [10]
Output: 0
Explanation: The array contains less than 2 elements, therefore return 0.
"""
class Solution:
def maximumGap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums)<=1 : return 0
min_, max_, n = min(nums), max(nums), len(nums)
if max_ == min_: return 0
maxl = [float('-inf'),]*n
minl = [float('inf'),]*n
length = (max_ - min_)/(n-1)
for i in nums:
index = int((i-min_)/length)
maxl[index] = max(maxl[index],i)
minl[index] = min(minl[index],i)
res, prev = 0, maxl[0]
for i in range(1,n):
if minl[i] == float("inf"): continue
res = max(minl[i]-prev,res)
prev = maxl[i]
return res
"""
radix sort
O(nlog10(k)) k is the largest number in nums
"""
class Solution:
def maximumGap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums)<=1 : return 0
max_, n = max(nums), len(nums)
exp, base = 1, 16
aux = [0,]*n
while max_//exp>0:
count = [0,]*base
for i in nums:
count[(i//exp)%base]+=1
for i in range(1,base):
count[i] += count[i-1]
for i in nums[::-1]:
count[(i//exp)%base]-=1
aux[count[(i//exp)%base]] = i
exp *= base
nums = aux
res = 0
for i in range(1,n):
res = max(nums[i]-nums[i-1],res)
return res
class Solution:
def maximumGap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums) < 2:
return 0
# Radix sort
exp = 1
max_num = max(nums)
while max_num // exp > 0:
count = [0] * 10
aux = [None] * len(nums)
for num in nums:
count[(num//exp)%10] += 1
for i in range(1,10):
count[i] += count[i-1]
for num in nums[::-1]:
idx = (num//exp)% 10
count[idx] -= 1
aux[count[idx]] = num
nums = aux
exp *= 10
max_gap = 0
for i in range(1, len(nums)):
max_gap = max(max_gap, nums[i]-nums[i-1])
return max_gap
class Solution:
# @param num, a list of integer
# @return an integer
def maximumGap(self, num):
if len(num) < 2 or min(num) == max(num):
return 0
a, b = min(num), max(num)
size = int(math.ceil((b-a)/(len(num)-1)))
bucket = [[None, None] for _ in range((b-a)//size+1)]
for n in num:
b = bucket[(n-a)//size]
b[0] = n if b[0] is None else min(b[0], n)
b[1] = n if b[1] is None else max(b[1], n)
bucket = [b for b in bucket if b[0] is not None]
return max(bucket[i][0]-bucket[i-1][1] for i in range(1, len(bucket)))
| """
164. Maximum Gap
Example 1:
Input: [3,6,9,1]
Output: 3
Explanation: The sorted form of the array is [1,3,6,9], either
(3,6) or (6,9) has the maximum difference 3.
Example 2:
Input: [10]
Output: 0
Explanation: The array contains less than 2 elements, therefore return 0.
"""
class Solution:
def maximum_gap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums) <= 1:
return 0
(min_, max_, n) = (min(nums), max(nums), len(nums))
if max_ == min_:
return 0
maxl = [float('-inf')] * n
minl = [float('inf')] * n
length = (max_ - min_) / (n - 1)
for i in nums:
index = int((i - min_) / length)
maxl[index] = max(maxl[index], i)
minl[index] = min(minl[index], i)
(res, prev) = (0, maxl[0])
for i in range(1, n):
if minl[i] == float('inf'):
continue
res = max(minl[i] - prev, res)
prev = maxl[i]
return res
'\nradix sort\nO(nlog10(k)) k is the largest number in nums\n'
class Solution:
def maximum_gap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums) <= 1:
return 0
(max_, n) = (max(nums), len(nums))
(exp, base) = (1, 16)
aux = [0] * n
while max_ // exp > 0:
count = [0] * base
for i in nums:
count[i // exp % base] += 1
for i in range(1, base):
count[i] += count[i - 1]
for i in nums[::-1]:
count[i // exp % base] -= 1
aux[count[i // exp % base]] = i
exp *= base
nums = aux
res = 0
for i in range(1, n):
res = max(nums[i] - nums[i - 1], res)
return res
class Solution:
def maximum_gap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
if len(nums) < 2:
return 0
exp = 1
max_num = max(nums)
while max_num // exp > 0:
count = [0] * 10
aux = [None] * len(nums)
for num in nums:
count[num // exp % 10] += 1
for i in range(1, 10):
count[i] += count[i - 1]
for num in nums[::-1]:
idx = num // exp % 10
count[idx] -= 1
aux[count[idx]] = num
nums = aux
exp *= 10
max_gap = 0
for i in range(1, len(nums)):
max_gap = max(max_gap, nums[i] - nums[i - 1])
return max_gap
class Solution:
def maximum_gap(self, num):
if len(num) < 2 or min(num) == max(num):
return 0
(a, b) = (min(num), max(num))
size = int(math.ceil((b - a) / (len(num) - 1)))
bucket = [[None, None] for _ in range((b - a) // size + 1)]
for n in num:
b = bucket[(n - a) // size]
b[0] = n if b[0] is None else min(b[0], n)
b[1] = n if b[1] is None else max(b[1], n)
bucket = [b for b in bucket if b[0] is not None]
return max((bucket[i][0] - bucket[i - 1][1] for i in range(1, len(bucket)))) |
'''
Copyright [2020] [Timothy Chua]
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
'''
def find_maximum(my_heap): #A function to find the maximum in a given list and returns the index of the element and the element.
maximum = my_heap[0]
maximum_idx = 0
for a in range(1, len(my_heap)):
if(my_heap[a] > maximum):
maximum = my_heap[a]
maximum_idx = a
return maximum, maximum_idx
def max_heapify(my_heap, n, root_index):
left_index = root_index*2+1
right_index = root_index*2+2
if((root_index*2)+2 < n): #There exists a right child
maximum, maximum_idx = find_maximum([my_heap[root_index], my_heap[left_index], my_heap[right_index]])
else: #No right child
maximum, maximum_idx = find_maximum([my_heap[root_index], my_heap[left_index]])
if(my_heap[root_index] != maximum):
if(maximum_idx == 1): #Left child has maximum value
maximum_idx = left_index #The maximum index is assigned the left index
elif(maximum_idx == 2): #Right child has maximum value
maximum_idx = right_index #The maximum index is assigned the right index
#We swap the values of the maximum value and the root
placeholder = my_heap[root_index]
my_heap[root_index] = my_heap[maximum_idx]
my_heap[maximum_idx] = placeholder
if(maximum_idx < (n//2)-1): #This means it is its own subtree
max_heapify(my_heap, n, maximum_idx)
return my_heap
def build_heap_tree(my_heap, n, i):
bottom_sub_tree = (n//2)-1
while(bottom_sub_tree >= 0): #We iterate through all of the parent nodes given by the formula in the previous line.
max_heapify(my_heap, n, bottom_sub_tree)
bottom_sub_tree -= 1
return my_heap
if __name__ == "__main__":
#For a heap sort algorithm, we will treat this array as a max-heap tree.
#if the index of an element is i then its children will be 2i+1 for the left child and 2i+2 for the right child.
#The parent of that index is lowerbound (i-1)/2
input = [1, 12, 9, 5, 6, 10]
a = 0
heapified_list = input.copy()
sorted_list = []
while(a < len(input)):
heapified_list = build_heap_tree(heapified_list, len(heapified_list), 0)
#Now the sorted_list contains the tree which satisfies Max-Heap property
placeholder = heapified_list[-1]
heapified_list[-1] = heapified_list[0]
heapified_list[0] = placeholder
sorted_list.insert(0, heapified_list.pop())
a += 1
print("Answer:", sorted_list)
| """
Copyright [2020] [Timothy Chua]
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
def find_maximum(my_heap):
maximum = my_heap[0]
maximum_idx = 0
for a in range(1, len(my_heap)):
if my_heap[a] > maximum:
maximum = my_heap[a]
maximum_idx = a
return (maximum, maximum_idx)
def max_heapify(my_heap, n, root_index):
left_index = root_index * 2 + 1
right_index = root_index * 2 + 2
if root_index * 2 + 2 < n:
(maximum, maximum_idx) = find_maximum([my_heap[root_index], my_heap[left_index], my_heap[right_index]])
else:
(maximum, maximum_idx) = find_maximum([my_heap[root_index], my_heap[left_index]])
if my_heap[root_index] != maximum:
if maximum_idx == 1:
maximum_idx = left_index
elif maximum_idx == 2:
maximum_idx = right_index
placeholder = my_heap[root_index]
my_heap[root_index] = my_heap[maximum_idx]
my_heap[maximum_idx] = placeholder
if maximum_idx < n // 2 - 1:
max_heapify(my_heap, n, maximum_idx)
return my_heap
def build_heap_tree(my_heap, n, i):
bottom_sub_tree = n // 2 - 1
while bottom_sub_tree >= 0:
max_heapify(my_heap, n, bottom_sub_tree)
bottom_sub_tree -= 1
return my_heap
if __name__ == '__main__':
input = [1, 12, 9, 5, 6, 10]
a = 0
heapified_list = input.copy()
sorted_list = []
while a < len(input):
heapified_list = build_heap_tree(heapified_list, len(heapified_list), 0)
placeholder = heapified_list[-1]
heapified_list[-1] = heapified_list[0]
heapified_list[0] = placeholder
sorted_list.insert(0, heapified_list.pop())
a += 1
print('Answer:', sorted_list) |
"""
NOTE:
the below code is to be maintained Python 2.x-compatible
as the whole Cookiecutter Django project initialization
can potentially be run in Python 2.x environment.
TODO: ? restrict Cookiecutter Django project initialization to Python 3.x environments only
"""
project_slug = '{{ cookiecutter.project_slug }}'
if hasattr(project_slug, 'isidentifier'):
assert project_slug.isidentifier(), "'{}' project slug is not a valid Python identifier.".format(project_slug)
assert "\\" not in "{{ cookiecutter.author_name }}", "Don't include backslashes in author name."
| """
NOTE:
the below code is to be maintained Python 2.x-compatible
as the whole Cookiecutter Django project initialization
can potentially be run in Python 2.x environment.
TODO: ? restrict Cookiecutter Django project initialization to Python 3.x environments only
"""
project_slug = '{{ cookiecutter.project_slug }}'
if hasattr(project_slug, 'isidentifier'):
assert project_slug.isidentifier(), "'{}' project slug is not a valid Python identifier.".format(project_slug)
assert '\\' not in '{{ cookiecutter.author_name }}', "Don't include backslashes in author name." |
D, J = [map(int, input().split()) for _ in range(2)]
ans = 0
for d, j in zip(D, J):
ans += max(d, j)
print(ans)
| (d, j) = [map(int, input().split()) for _ in range(2)]
ans = 0
for (d, j) in zip(D, J):
ans += max(d, j)
print(ans) |
#!/usr/bin/python3.4
count = 0
while count < 9:
print("The count is: ", count)
count = count + 1
print("Good bye")
| count = 0
while count < 9:
print('The count is: ', count)
count = count + 1
print('Good bye') |
"""
@Author: Abel Hristodor
@Description: SDA (AZS) Telegram bot made for Romanian churches
@Date: 10/12/2020
@Github: github.com/AbelHristodor/azs-telegram-bot
Contains the messages used by the bot.
"""
WELCOME_MESSAGE = "<i>Bine ati venit in grupul Bisericii Adventiste de Ziua a Saptea din Verona: <strong>$user</strong> </i>"
START_MESSAGE = "<strong>Buna tuturor, eu sunt Toby, si sunt aici sa va ajut cu ce aveti nevoie</strong>\n"
HELP_MESSAGE = """
Comenzi disponibile:\n
- /zilnic --> Pentru a configura devotionalul zilnic
- /dev --> Alege din meniu ce devotional ai vrea sa citesti
- /majori --> Citeste devotional Majori
- /tineri --> Citeste devotional Tineri
- /explo --> Citeste devotional Exploratori
- /setari --> Arata setarile actuale
- /ajutor --> Va va arata acest mesaj din nou
Lista comenzilor este in reactualizare continua.
"""
COMMAND_NOT_FOUND_MESSAGE = "Imi pare rau, nu cred ca inteleg.\nIncearca /ajutor pentru a vedea cum pot sa te ajut!"
DATABASE_ERROR_MESSAGE = "Imi pare rau, se pare ca este o problema cu baza de date, incearca mai tarziu"
START_CONFIGURE_SETTINGS_MESSAGE = """
Buna, aici vom personaliza setarile mele.
Ai vrea sa incepi?
"""
CURRENT_SETTINGS_MESSAGE = """
<i> Setari actuale </i>
Devotional Zilnic:
Status: <strong>$activat</strong>
In fiecare zi la ora: $dev_time
Tip devotional: $dev_type
"""
SETTINGS_SUCCESS = "Setari memorizate. Multumesc\n"
UNKNOWN_CHOICE_MESSAGE = "Nu cred ca inteleg, incearca din nou\n"
AFFIRMATIVE_ANSWER = "Da"
NEGATIVE_ANSWER = "Nu"
DEVOTIONAL_TYPES = ['Majori', 'Tineri', 'Exploratori']
YOUR_CHOICE = "Ati ales <strong>$choice</strong>\n"
QUESTION_RECEIVE_DAILY_DEVOTIONAL = "Vrei sa primesti devotionalul zilnic?\n"
QUESTION_WHICH_DEVOTIONAL = "Ce devotional ati vrea sa primiti?\n"
GOODBYE = "La revedere!\n"
CHURCH_ADDRESS = "Adresa bisericii este:\n <i>Via Galileo Galilei nr. 107, Verona, Italia</i>" | """
@Author: Abel Hristodor
@Description: SDA (AZS) Telegram bot made for Romanian churches
@Date: 10/12/2020
@Github: github.com/AbelHristodor/azs-telegram-bot
Contains the messages used by the bot.
"""
welcome_message = '<i>Bine ati venit in grupul Bisericii Adventiste de Ziua a Saptea din Verona: <strong>$user</strong> </i>'
start_message = '<strong>Buna tuturor, eu sunt Toby, si sunt aici sa va ajut cu ce aveti nevoie</strong>\n'
help_message = '\n Comenzi disponibile:\n\n - /zilnic --> Pentru a configura devotionalul zilnic\n\n - /dev --> Alege din meniu ce devotional ai vrea sa citesti\n\n - /majori --> Citeste devotional Majori\n - /tineri --> Citeste devotional Tineri\n - /explo --> Citeste devotional Exploratori\n\n - /setari --> Arata setarile actuale\n\n - /ajutor --> Va va arata acest mesaj din nou\n\n Lista comenzilor este in reactualizare continua.\n'
command_not_found_message = 'Imi pare rau, nu cred ca inteleg.\nIncearca /ajutor pentru a vedea cum pot sa te ajut!'
database_error_message = 'Imi pare rau, se pare ca este o problema cu baza de date, incearca mai tarziu'
start_configure_settings_message = '\n Buna, aici vom personaliza setarile mele.\n Ai vrea sa incepi?\n'
current_settings_message = '\n<i> Setari actuale </i>\n Devotional Zilnic:\n Status: <strong>$activat</strong>\n In fiecare zi la ora: $dev_time\n Tip devotional: $dev_type\n'
settings_success = 'Setari memorizate. Multumesc\n'
unknown_choice_message = 'Nu cred ca inteleg, incearca din nou\n'
affirmative_answer = 'Da'
negative_answer = 'Nu'
devotional_types = ['Majori', 'Tineri', 'Exploratori']
your_choice = 'Ati ales <strong>$choice</strong>\n'
question_receive_daily_devotional = 'Vrei sa primesti devotionalul zilnic?\n'
question_which_devotional = 'Ce devotional ati vrea sa primiti?\n'
goodbye = 'La revedere!\n'
church_address = 'Adresa bisericii este:\n <i>Via Galileo Galilei nr. 107, Verona, Italia</i>' |
def ColourNames(filename) -> dict:
rtn = {}
with open(filename) as handle:
for line in handle:
line = line.strip()
r, g, b, name = line.split(maxsplit=3)
rtn[name] = [int(r), int(g), int(b)]
return rtn
| def colour_names(filename) -> dict:
rtn = {}
with open(filename) as handle:
for line in handle:
line = line.strip()
(r, g, b, name) = line.split(maxsplit=3)
rtn[name] = [int(r), int(g), int(b)]
return rtn |
#
# Hubblemon - Yet another general purpose system monitor
#
# Copyright 2015 NAVER Corp.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
#
#
# alarm settings
#
# absolute
alarm_conf_absolute = {
'default':{
'rusage_user':(500000, 1000000, None),
'rusage_system':(500000, 1000000, None),
'evictions':(80000, 100000, 120000),
'reclaimed':(80000, None, None),
'cmd_get':(40000, 80000, 200000),
'cmd_set':(40000, 80000, 200000),
},
'band':{
'evictions':(150000, 150000, 200000),
},
}
# lambda
alarm_conf_lambda = {
'default':{
#lambda x, limit: (x['get_hits'] / x['cmd_get'] < limit, 'ratio of get_hits/cmd_get(%f) belows %f' % (x['get_hits'] / x['cmd_get'], limit)) : (0.80, 0.60, None),
#lambda x, limit: (x['total_malloced'] / x['engine_maxbytes'] > limit, 'ratio of total_malloced/enging_maxbytes(%f) exceeds %f' % (x['total_malloced'] / x['engine_maxbytes'], limit)) : (0.097, None, None),
},
'linegame-*':{
lambda x, limit: (x['total_malloced'] / x['engine_maxbytes'] > limit, 'ratio of total_malloced/enging_maxbytes(%f) exceeds %f' % (x['total_malloced'] / x['engine_maxbytes'], limit)) : (0.7, 0.7, 0.75),
},
}
| alarm_conf_absolute = {'default': {'rusage_user': (500000, 1000000, None), 'rusage_system': (500000, 1000000, None), 'evictions': (80000, 100000, 120000), 'reclaimed': (80000, None, None), 'cmd_get': (40000, 80000, 200000), 'cmd_set': (40000, 80000, 200000)}, 'band': {'evictions': (150000, 150000, 200000)}}
alarm_conf_lambda = {'default': {}, 'linegame-*': {lambda x, limit: (x['total_malloced'] / x['engine_maxbytes'] > limit, 'ratio of total_malloced/enging_maxbytes(%f) exceeds %f' % (x['total_malloced'] / x['engine_maxbytes'], limit)): (0.7, 0.7, 0.75)}} |
# model
model = Model()
i1 = Input("op1", "TENSOR_FLOAT32", "{3, 2, 2, 2}")
i2 = Input("op2", "TENSOR_FLOAT32", "{2, 2}")
act = Int32Scalar("act", 0) # an int32_t scalar fuse_activation
i3 = Output("op3", "TENSOR_FLOAT32", "{3, 2, 2, 2}")
model = model.Operation("SUB", i1, i2, act).To(i3)
# Example 1. Input in operand 0,
input0 = {i1: # input 0
[0.02648412, 0.12737854, 0.92319058, 0.60023185, 0.35821535, 0.96402954, 0.64612486, 0.71984435,
0.59125833, 0.18123407, 0.47523563, 0.35624883, 0.67594663, 0.69254679, 0.63816926, 0.82754998,
0.4535841, 0.66132381, 0.40122975, 0.02461688, 0.58031493, 0.44518958, 0.26908303, 0.82039221],
i2: # input 1
[0.52241209, 0.02719438, 0.071708, 0.6779468]
}
output0 = {i3: # output 0
[-0.49592797, 0.10018416, 0.85148259, -0.07771495, -0.16419674, 0.93683516, 0.57441687, 0.04189755,
0.06884624, 0.15403969, 0.40352763, -0.32169797, 0.15353454, 0.66535241, 0.56646126, 0.14960318,
-0.06882799, 0.63412943, 0.32952176, -0.65332992, 0.05790284, 0.4179952, 0.19737503, 0.14244541]
}
# Instantiate an example
Example((input0, output0))
| model = model()
i1 = input('op1', 'TENSOR_FLOAT32', '{3, 2, 2, 2}')
i2 = input('op2', 'TENSOR_FLOAT32', '{2, 2}')
act = int32_scalar('act', 0)
i3 = output('op3', 'TENSOR_FLOAT32', '{3, 2, 2, 2}')
model = model.Operation('SUB', i1, i2, act).To(i3)
input0 = {i1: [0.02648412, 0.12737854, 0.92319058, 0.60023185, 0.35821535, 0.96402954, 0.64612486, 0.71984435, 0.59125833, 0.18123407, 0.47523563, 0.35624883, 0.67594663, 0.69254679, 0.63816926, 0.82754998, 0.4535841, 0.66132381, 0.40122975, 0.02461688, 0.58031493, 0.44518958, 0.26908303, 0.82039221], i2: [0.52241209, 0.02719438, 0.071708, 0.6779468]}
output0 = {i3: [-0.49592797, 0.10018416, 0.85148259, -0.07771495, -0.16419674, 0.93683516, 0.57441687, 0.04189755, 0.06884624, 0.15403969, 0.40352763, -0.32169797, 0.15353454, 0.66535241, 0.56646126, 0.14960318, -0.06882799, 0.63412943, 0.32952176, -0.65332992, 0.05790284, 0.4179952, 0.19737503, 0.14244541]}
example((input0, output0)) |
# int: signed, unlimited signed precision integer
# specified in decimal by default
print("Decimal 10: " + str(10))
print("Binary 10: " + str(0b10))
print("Octal 10: " + str(0o10))
print("Hex 10: " + str(0x10))
# Conversation from float (rounded off to nearest int towards 0)
print("3.5 in int is " + str(int(3.5)))
print("3.6 in int is " + str(int(3.6)))
print("-3.6 in int is " + str(int(-3.6)))
# int constructor can take in string with numbers
print("String ""456"" to int: " + str(int("456")))
# float can be specified in dot or scientific notation
print("A floating point number: " + str(float(4.97)));
print("A floating point number in scieitific notation: " + str(float(1.2e-8)))
print("Int 7 to float: " + str(float(7)))
print("String ""78.9"" to float: " + str(float("78.9")))
print("Not a number float: " + str(float("nan")))
print("Positive infinity: " + str(float("inf")))
print("Negative infinity: " + str(float("-inf")))
# None type
# None represents absense of a value
# N is capital in None keyword
a = None
if a is None:
print("a does not have any value")
# Bool type represents logical state of True or False
# B, T and F are capital
# Bool constructure can take in various data types and maps their state to True or False
print("Bool of 0 is " + str(bool(0)))
print("Bool of 1 is " + str(bool(1)))
print("Bool of -1 is " + str(bool(-1)))
print("Bool of 0.0 is " + str(bool(0.0)))
print("Bool of 0.001 is " + str(bool(0.001)))
print("Bool of -0.001 is " + str(bool(-0.001)))
# For collections, only empty collections are treated as False
print("Bool of \"\" is " + str(bool("")) )
print("Bool of \"a\" is " + str(bool("a")) )
print("Bool of [] is " + str(bool([])) )
print("Bool of [1, 2, 3] is " + str(bool([1, 2, 3])) )
| print('Decimal 10: ' + str(10))
print('Binary 10: ' + str(2))
print('Octal 10: ' + str(8))
print('Hex 10: ' + str(16))
print('3.5 in int is ' + str(int(3.5)))
print('3.6 in int is ' + str(int(3.6)))
print('-3.6 in int is ' + str(int(-3.6)))
print('String 456 to int: ' + str(int('456')))
print('A floating point number: ' + str(float(4.97)))
print('A floating point number in scieitific notation: ' + str(float(1.2e-08)))
print('Int 7 to float: ' + str(float(7)))
print('String 78.9 to float: ' + str(float('78.9')))
print('Not a number float: ' + str(float('nan')))
print('Positive infinity: ' + str(float('inf')))
print('Negative infinity: ' + str(float('-inf')))
a = None
if a is None:
print('a does not have any value')
print('Bool of 0 is ' + str(bool(0)))
print('Bool of 1 is ' + str(bool(1)))
print('Bool of -1 is ' + str(bool(-1)))
print('Bool of 0.0 is ' + str(bool(0.0)))
print('Bool of 0.001 is ' + str(bool(0.001)))
print('Bool of -0.001 is ' + str(bool(-0.001)))
print('Bool of "" is ' + str(bool('')))
print('Bool of "a" is ' + str(bool('a')))
print('Bool of [] is ' + str(bool([])))
print('Bool of [1, 2, 3] is ' + str(bool([1, 2, 3]))) |
load("@rules_jvm_external//:defs.bzl", "maven_install")
def hocon_repositories():
maven_install(
name = "hocon_maven",
artifacts = [
"com.typesafe:config:1.3.3",
"org.rogach:scallop_2.12:3.3.2",
],
repositories = [
"https://repo.maven.apache.org/maven2",
"https://maven-central.storage-download.googleapis.com/maven2",
"https://mirror.bazel.build/repo1.maven.org/maven2",
],
fetch_sources = True,
maven_install_json = "@io_bazel_rules_hocon//:hocon_maven_install.json",
)
| load('@rules_jvm_external//:defs.bzl', 'maven_install')
def hocon_repositories():
maven_install(name='hocon_maven', artifacts=['com.typesafe:config:1.3.3', 'org.rogach:scallop_2.12:3.3.2'], repositories=['https://repo.maven.apache.org/maven2', 'https://maven-central.storage-download.googleapis.com/maven2', 'https://mirror.bazel.build/repo1.maven.org/maven2'], fetch_sources=True, maven_install_json='@io_bazel_rules_hocon//:hocon_maven_install.json') |
#The database URI that should be used for the connection.
#fomate: dialect+driver://username:password@host:port/database
#mysql format : mysql://scott:tiger@localhost/database_name
SQLALCHEMY_DATABASE_URI = 'mysql://root:63005610@localhost/cuit_acm'
#A dictionary that maps bind keys to SQLAlchemy connection URIs.
SQLALCHEMY_BINDS = {}
ADMIN = ['Rayn', 'dreameracm']
OJ_MAP = {
'hdu': 'HDU',
'cf': 'Codeforces',
'bc': 'BestCoder',
'poj': 'POJ',
'uva': 'UVA',
'zoj': 'ZOJ',
'bnu': 'BNU',
'vj': 'Virtual Judge',
}
SERVER_TIME_DELTTA = 6
CSRF_ENABLED = True
SECRET_KEY = 'a very hard string'
| sqlalchemy_database_uri = 'mysql://root:63005610@localhost/cuit_acm'
sqlalchemy_binds = {}
admin = ['Rayn', 'dreameracm']
oj_map = {'hdu': 'HDU', 'cf': 'Codeforces', 'bc': 'BestCoder', 'poj': 'POJ', 'uva': 'UVA', 'zoj': 'ZOJ', 'bnu': 'BNU', 'vj': 'Virtual Judge'}
server_time_deltta = 6
csrf_enabled = True
secret_key = 'a very hard string' |
# a2_q2.py
def check_teams(graph, csp_sol):
total_var = len(csp_sol)
for i in range(total_var):
for j in range(1,total_var):
if csp_sol[i] == csp_sol[j]:
if j in graph[i]:
return False
return True
| def check_teams(graph, csp_sol):
total_var = len(csp_sol)
for i in range(total_var):
for j in range(1, total_var):
if csp_sol[i] == csp_sol[j]:
if j in graph[i]:
return False
return True |
SHAPES = ['pin', 'airport', 'hospital', 'home', 'dot', 'start', 'heart',
'flag']
COLORS = {
'amber' : ('FFC107', 'FF6F00'),
'blakwhite' : ('000000', 'FFFFFF'),
'blue' : ('2196F3', '0D47A1'),
'bluewhite' : ('0277BD', 'FFFFFF'),
'cyan' : ('00BCD4', '006064'),
'deeppurple': ('673AB7', '311B92'),
'deeporange': ('FF5722', 'BF360C'),
'gray' : ('9E9E9E', '212121'),
'green' : ('4CAF50', '1B5E20'),
'indigo' : ('3F51B5', '1A237E'),
'lightblue' : ('03A9F4', '01579B'),
'lightgreen': ('8BC34A', '33691E'),
'lime' : ('CDDC39', '827717'),
'orange' : ('FF9800', 'E65100'),
'pink' : ('E91E63', '880E4F'),
'purple' : ('9C27B0', '4A148C'),
'red' : ('ea4335', '960a0a'),
'teal' : ('009688', '004D40'),
'yellow' : ('FFEB3B', 'F57F17'),
}
def url_picker(icon_name):
google = 'http://www.google.com/maps/vt/icon/name=assets/icons'
pinlet = '/poi/tactile/pinlet_shadow-1-small.png,assets/icons/poi/tactile/pinlet-1-small.png,assets/icons/poi/quantum/pinlet/'
icons = {
'pin': google + '/spotlight/spotlight_pin_v2_shadow-1-small.png,assets/icons/spotlight/spotlight_pin_v2-1-small.png,assets/icons/spotlight/spotlight_pin_v2_dot-1-small.png,assets/icons/spotlight/spotlight_pin_v2_accent-1-small.png&highlight=FF00FF,{},{},FF00FF&color=FF00FF?scale={}',
'airport': google + pinlet + 'airport_pinlet-1-small.png&highlight=ff000000,{},{}&color=ff000000?scale={}',
'hospital': google + pinlet + 'hospital_H_pinlet-1-small.png&highlight=ff000000,{},{}&color=ff000000?scale={}',
'home': google + pinlet + 'home_pinlet-1-small.png&highlight=ffffff,{},{}&color=ff000000?scale={}',
'dot': google + pinlet + 'dot_pinlet-1-small.png&highlight=ff000000,{},{}&color=ff000000?scale={}',
'start': google + pinlet + 'constellation_star_pinlet-1-small.png&highlight=ff000000,{},{},ffffff&color=ff000000?scale={}',
'heart': google + pinlet + 'heart_pinlet-1-small.png&highlight=ff000000,{},{},ffffff&color=ff000000?scale={}',
'flag': google + pinlet + 'nickname_pinlet-1-small.png&highlight=ff000000,{},{},ffffff&color=ff000000?scale={}'
}
return icons[icon_name]
def color_picker(color, shape):
if color is None:
if shape == 'pin':
pick = COLORS['red']
else:
pick = COLORS['bluewhite']
else:
if isinstance(color, (list, tuple)):
pick = [i.replace('#', '') for i in color]
else:
pick = COLORS.get(color, COLORS['red'])
return pick
class Icon():
def __init__(self, name='pin', color=None, size=1):
self.name = name
self.color = color_picker(color, name)
self.size = size
@property
def url(self):
url = url_picker(self.name)
return url.format(*self.color, self.size)
| shapes = ['pin', 'airport', 'hospital', 'home', 'dot', 'start', 'heart', 'flag']
colors = {'amber': ('FFC107', 'FF6F00'), 'blakwhite': ('000000', 'FFFFFF'), 'blue': ('2196F3', '0D47A1'), 'bluewhite': ('0277BD', 'FFFFFF'), 'cyan': ('00BCD4', '006064'), 'deeppurple': ('673AB7', '311B92'), 'deeporange': ('FF5722', 'BF360C'), 'gray': ('9E9E9E', '212121'), 'green': ('4CAF50', '1B5E20'), 'indigo': ('3F51B5', '1A237E'), 'lightblue': ('03A9F4', '01579B'), 'lightgreen': ('8BC34A', '33691E'), 'lime': ('CDDC39', '827717'), 'orange': ('FF9800', 'E65100'), 'pink': ('E91E63', '880E4F'), 'purple': ('9C27B0', '4A148C'), 'red': ('ea4335', '960a0a'), 'teal': ('009688', '004D40'), 'yellow': ('FFEB3B', 'F57F17')}
def url_picker(icon_name):
google = 'http://www.google.com/maps/vt/icon/name=assets/icons'
pinlet = '/poi/tactile/pinlet_shadow-1-small.png,assets/icons/poi/tactile/pinlet-1-small.png,assets/icons/poi/quantum/pinlet/'
icons = {'pin': google + '/spotlight/spotlight_pin_v2_shadow-1-small.png,assets/icons/spotlight/spotlight_pin_v2-1-small.png,assets/icons/spotlight/spotlight_pin_v2_dot-1-small.png,assets/icons/spotlight/spotlight_pin_v2_accent-1-small.png&highlight=FF00FF,{},{},FF00FF&color=FF00FF?scale={}', 'airport': google + pinlet + 'airport_pinlet-1-small.png&highlight=ff000000,{},{}&color=ff000000?scale={}', 'hospital': google + pinlet + 'hospital_H_pinlet-1-small.png&highlight=ff000000,{},{}&color=ff000000?scale={}', 'home': google + pinlet + 'home_pinlet-1-small.png&highlight=ffffff,{},{}&color=ff000000?scale={}', 'dot': google + pinlet + 'dot_pinlet-1-small.png&highlight=ff000000,{},{}&color=ff000000?scale={}', 'start': google + pinlet + 'constellation_star_pinlet-1-small.png&highlight=ff000000,{},{},ffffff&color=ff000000?scale={}', 'heart': google + pinlet + 'heart_pinlet-1-small.png&highlight=ff000000,{},{},ffffff&color=ff000000?scale={}', 'flag': google + pinlet + 'nickname_pinlet-1-small.png&highlight=ff000000,{},{},ffffff&color=ff000000?scale={}'}
return icons[icon_name]
def color_picker(color, shape):
if color is None:
if shape == 'pin':
pick = COLORS['red']
else:
pick = COLORS['bluewhite']
elif isinstance(color, (list, tuple)):
pick = [i.replace('#', '') for i in color]
else:
pick = COLORS.get(color, COLORS['red'])
return pick
class Icon:
def __init__(self, name='pin', color=None, size=1):
self.name = name
self.color = color_picker(color, name)
self.size = size
@property
def url(self):
url = url_picker(self.name)
return url.format(*self.color, self.size) |
"""
You have d dice, and each die has f faces numbered 1, 2, ..., f.
Return the number of possible ways (out of fd total ways) modulo 10^9 + 7 to
roll the dice so the sum of the face up numbers equals target.
Example 1:
Input: d = 1, f = 6, target = 3 Output: 1
Explanation: You throw one die with
6 faces. There is only one way to get a sum of 3
"""
class Solution1155:
pass
| """
You have d dice, and each die has f faces numbered 1, 2, ..., f.
Return the number of possible ways (out of fd total ways) modulo 10^9 + 7 to
roll the dice so the sum of the face up numbers equals target.
Example 1:
Input: d = 1, f = 6, target = 3 Output: 1
Explanation: You throw one die with
6 faces. There is only one way to get a sum of 3
"""
class Solution1155:
pass |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.