content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
load("//cc_module/private:cc_module.bzl", _cc_module = "cc_module", _cc_header_module = "cc_header_module", _cc_module_binary = "cc_module_binary", _cc_module_library = "cc_module_library", _cc_module_test = "cc_module_test", ) cc_module = _cc_module cc_header_module = _cc_header_module cc_module_binary = _cc_module_binary cc_module_library = _cc_module_library cc_module_test = _cc_module_test
load('//cc_module/private:cc_module.bzl', _cc_module='cc_module', _cc_header_module='cc_header_module', _cc_module_binary='cc_module_binary', _cc_module_library='cc_module_library', _cc_module_test='cc_module_test') cc_module = _cc_module cc_header_module = _cc_header_module cc_module_binary = _cc_module_binary cc_module_library = _cc_module_library cc_module_test = _cc_module_test
# --------- Strategy ------------- # BASE CASE # if either input is 0, return 0 # RECURSIVE STEP # return one input added to a recursive call with the OTHER input decremented by 1 def multiplication(num_1, num_2): if num_1 == 0 or num_2 == 0: return 0 else: return num_2 + multiplication(num_1 - 1, num_2) # test cases print(multiplication(3, 7) == 21) print(multiplication(5, 5) == 25) print(multiplication(0, 4) == 0) # Using iteration # def multiplication(num_1, num_2): # result = 0 # for count in range(0, num_2): # result += num_1 # return result
def multiplication(num_1, num_2): if num_1 == 0 or num_2 == 0: return 0 else: return num_2 + multiplication(num_1 - 1, num_2) print(multiplication(3, 7) == 21) print(multiplication(5, 5) == 25) print(multiplication(0, 4) == 0)
class Solution: # @param {integer[]} candidates # @param {integer} target # @return {integer[][]} def combinationSum2(self, candidates, target): candidates.sort() result = [] tmp = [] self.help(tmp, candidates, 0, target, result) return result def help(self, now, candidates, index, target, result): i = index while i < len(candidates): if candidates[i] < target: now.append(candidates[i]); self.help(now, candidates, i+1, target-candidates[i], result) del now[-1] while i < len(candidates)-1 and candidates[i] == candidates[i+1]: i += 1 elif candidates[i] == target: temp = now[:] temp.append(candidates[i]) result.append(temp) return i += 1
class Solution: def combination_sum2(self, candidates, target): candidates.sort() result = [] tmp = [] self.help(tmp, candidates, 0, target, result) return result def help(self, now, candidates, index, target, result): i = index while i < len(candidates): if candidates[i] < target: now.append(candidates[i]) self.help(now, candidates, i + 1, target - candidates[i], result) del now[-1] while i < len(candidates) - 1 and candidates[i] == candidates[i + 1]: i += 1 elif candidates[i] == target: temp = now[:] temp.append(candidates[i]) result.append(temp) return i += 1
def run(): #with _while(1): pump(0,1) with _e._parallel(): llift(1) rlift(1) _sync() with _parallel(): llift(0) rlift(0) _sync() with _parallel(): llift(1) rlift(1) _sync() pump(0,0)
def run(): pump(0, 1) with _e._parallel(): llift(1) rlift(1) _sync() with _parallel(): llift(0) rlift(0) _sync() with _parallel(): llift(1) rlift(1) _sync() pump(0, 0)
#!/usr/bin/python3 """ Given a binary array, find the maximum length of a contiguous subarray with equal number of 0 and 1. Example 1: Input: [0,1] Output: 2 Explanation: [0, 1] is the longest contiguous subarray with equal number of 0 and 1. Example 2: Input: [0,1,0] Output: 2 Explanation: [0, 1] (or [1, 0]) is a longest contiguous subarray with equal number of 0 and 1. Note: The length of the given binary array will not exceed 50,000. """ class Solution: def findMaxLength(self, nums): """ Look back with map key: map stores the difference of the 0, 1 count Similar to contiguous sum to target :type nums: List[int] :rtype: int """ o = 0 z = 0 d = {0: 0} # diff for nums[:l] ret = 0 for i, e in enumerate(nums): if e == 1: o += 1 else: z += 1 diff = o - z if diff in d: ret = max(ret, i + 1 - d[diff]) else: d[diff] = i + 1 return ret def findMaxLength_error(self, nums): """ starting from both sides, shrinking until equal :type nums: List[int] :rtype: int """ n = len(nums) F = [0 for _ in range(n+1)] for i in range(n): F[i+1] = F[i] if nums[i] == 0: F[i+1] += 1 i = 0 j = n while i < j: count = F[j] - F[i] l = j - i if count * 2 == l: print(l) return l elif count * 2 < l: if nums[i] == 1: i += 1 else: j -= 1 else: if nums[i] == 0: i += 1 else: j -= 1 return 0 def findMaxLength_TLE(self, nums): """ scan nums[i:j], check number of 0 (pre-calculated) O(n^2) :type nums: List[int] :rtype: int """ F = [0] n = len(nums) for e in nums: if e == 0: F.append(F[-1] + 1) else: F.append(F[-1]) ret = 0 for i in range(n): for j in range(i+1, n+1): if (F[j] - F[i]) * 2 == j - i: ret = max(ret, j - i) return ret if __name__ == "__main__": assert Solution().findMaxLength([0, 1, 0]) == 2 assert Solution().findMaxLength([0,1,0,1,1,1,0,0,1,1,0,1,1,1,1,1,1,0,1,1,0,1,1,0,0,0,1,0,1,0,0,1,0,1,1,1,1,1,1,0,0,0,0,1,0,0,0,1,1,1,0,1,0,0,1,1,1,1,1,0,0,1,1,1,1,0,0,1,0,1,1,0,0,0,0,0,0,1,0,1,0,1,1,0,0,1,1,0,1,1,1,1,0,1,1,0,0,0,1,1]) == 68
""" Given a binary array, find the maximum length of a contiguous subarray with equal number of 0 and 1. Example 1: Input: [0,1] Output: 2 Explanation: [0, 1] is the longest contiguous subarray with equal number of 0 and 1. Example 2: Input: [0,1,0] Output: 2 Explanation: [0, 1] (or [1, 0]) is a longest contiguous subarray with equal number of 0 and 1. Note: The length of the given binary array will not exceed 50,000. """ class Solution: def find_max_length(self, nums): """ Look back with map key: map stores the difference of the 0, 1 count Similar to contiguous sum to target :type nums: List[int] :rtype: int """ o = 0 z = 0 d = {0: 0} ret = 0 for (i, e) in enumerate(nums): if e == 1: o += 1 else: z += 1 diff = o - z if diff in d: ret = max(ret, i + 1 - d[diff]) else: d[diff] = i + 1 return ret def find_max_length_error(self, nums): """ starting from both sides, shrinking until equal :type nums: List[int] :rtype: int """ n = len(nums) f = [0 for _ in range(n + 1)] for i in range(n): F[i + 1] = F[i] if nums[i] == 0: F[i + 1] += 1 i = 0 j = n while i < j: count = F[j] - F[i] l = j - i if count * 2 == l: print(l) return l elif count * 2 < l: if nums[i] == 1: i += 1 else: j -= 1 elif nums[i] == 0: i += 1 else: j -= 1 return 0 def find_max_length_tle(self, nums): """ scan nums[i:j], check number of 0 (pre-calculated) O(n^2) :type nums: List[int] :rtype: int """ f = [0] n = len(nums) for e in nums: if e == 0: F.append(F[-1] + 1) else: F.append(F[-1]) ret = 0 for i in range(n): for j in range(i + 1, n + 1): if (F[j] - F[i]) * 2 == j - i: ret = max(ret, j - i) return ret if __name__ == '__main__': assert solution().findMaxLength([0, 1, 0]) == 2 assert solution().findMaxLength([0, 1, 0, 1, 1, 1, 0, 0, 1, 1, 0, 1, 1, 1, 1, 1, 1, 0, 1, 1, 0, 1, 1, 0, 0, 0, 1, 0, 1, 0, 0, 1, 0, 1, 1, 1, 1, 1, 1, 0, 0, 0, 0, 1, 0, 0, 0, 1, 1, 1, 0, 1, 0, 0, 1, 1, 1, 1, 1, 0, 0, 1, 1, 1, 1, 0, 0, 1, 0, 1, 1, 0, 0, 0, 0, 0, 0, 1, 0, 1, 0, 1, 1, 0, 0, 1, 1, 0, 1, 1, 1, 1, 0, 1, 1, 0, 0, 0, 1, 1]) == 68
#!/usr/bin/env python f = 0 with open("day1.input") as file: for line in file: cng = int(line.rstrip("\n\r")) f += cng print(f)
f = 0 with open('day1.input') as file: for line in file: cng = int(line.rstrip('\n\r')) f += cng print(f)
class Game(): def __init__(self): self.agent_list = [] self.index = 0 def add_agent(self, agent): self.agent_list.append(agent) def index_of_agent(self, agent): for index, a in enumerate(self.agent_list): if a == agent: return index raise Expception('Cannot find agent which name is {}'.format(agent.name)) def __iter__(self): self.index = 0 return self def __next__(self): if self.index < self.__len__(): agent = self.agent_list[self.index] self.index += 1 return agent else: raise StopIteration def __len__(self): return len(self.agent_list)
class Game: def __init__(self): self.agent_list = [] self.index = 0 def add_agent(self, agent): self.agent_list.append(agent) def index_of_agent(self, agent): for (index, a) in enumerate(self.agent_list): if a == agent: return index raise expception('Cannot find agent which name is {}'.format(agent.name)) def __iter__(self): self.index = 0 return self def __next__(self): if self.index < self.__len__(): agent = self.agent_list[self.index] self.index += 1 return agent else: raise StopIteration def __len__(self): return len(self.agent_list)
def is_isogram(string): len_string = len(string) if len_string == 0: return True for i in range(0, len_string): for j in range(i+1, len_string): if string[i].lower() == string[j].lower() and string[i] != '-' and not string[i].isspace(): return False return True
def is_isogram(string): len_string = len(string) if len_string == 0: return True for i in range(0, len_string): for j in range(i + 1, len_string): if string[i].lower() == string[j].lower() and string[i] != '-' and (not string[i].isspace()): return False return True
__all__ = [ "__version__", "__author__", "__author_email__" ] __version__ = "0.3.9" __author__ = "nyanye" __author_email__ = "iam@nyanye.com"
__all__ = ['__version__', '__author__', '__author_email__'] __version__ = '0.3.9' __author__ = 'nyanye' __author_email__ = 'iam@nyanye.com'
# Asking for height and weight input weight = float(input("Weight in kilograms: ")) height = float(input("Height in meters: ")) # Calculating BMI (formula is weight/height^2) bmi = round(weight/height ** 2) # Determining which BMI category they fall into and outputting category to user if bmi < 18.5: print(f"BMI is: {str(bmi)}. You are underweight. Eat more homie.") elif bmi < 25: print(f"BMI is: {str(bmi)}. You have a normal weight. Stay this way.") elif bmi < 30: print(f"BMI is: {str(bmi)}. You are overweight. Maybe cutback for a bit.") elif bmi < 35: print(f"BMI is: {str(bmi)}. You are obese. Get help.") else: print(f"BMI is: {str(bmi)}. You are clinically obese. Get help.")
weight = float(input('Weight in kilograms: ')) height = float(input('Height in meters: ')) bmi = round(weight / height ** 2) if bmi < 18.5: print(f'BMI is: {str(bmi)}. You are underweight. Eat more homie.') elif bmi < 25: print(f'BMI is: {str(bmi)}. You have a normal weight. Stay this way.') elif bmi < 30: print(f'BMI is: {str(bmi)}. You are overweight. Maybe cutback for a bit.') elif bmi < 35: print(f'BMI is: {str(bmi)}. You are obese. Get help.') else: print(f'BMI is: {str(bmi)}. You are clinically obese. Get help.')
def rate_limit(limit: int, key=None): """ Decorator for configuring rate limit and key in different functions. :param limit: :param key: :return: """ def decorator(func): setattr(func, 'throttling_rate_limit', limit) if key: setattr(func, 'throttling_key', key) return func return decorator
def rate_limit(limit: int, key=None): """ Decorator for configuring rate limit and key in different functions. :param limit: :param key: :return: """ def decorator(func): setattr(func, 'throttling_rate_limit', limit) if key: setattr(func, 'throttling_key', key) return func return decorator
# https://www.hackerrank.com/challenges/py-set-add/problem if __name__ == '__main__': n = int(input()) s = set() for _ in range(n): s.add(input()) print(len(s))
if __name__ == '__main__': n = int(input()) s = set() for _ in range(n): s.add(input()) print(len(s))
# Define create_spreadsheet(): def create_spreadsheet(title, row_count): print( "Creating a spreadsheet called " + title + " with " + str(row_count) + " rows" ) # Call create_spreadsheet() below with the required arguments: create_spreadsheet("Applications", 10) create_spreadsheet("Departments", 100)
def create_spreadsheet(title, row_count): print('Creating a spreadsheet called ' + title + ' with ' + str(row_count) + ' rows') create_spreadsheet('Applications', 10) create_spreadsheet('Departments', 100)
def bfs(root): found = False print(f'Visiting {root}...') visited.append(root) for parent in visited: for child in tree.get(parent).get('children'): if child == goal: print(f'Goal node found! ({goal})') found = True break elif child not in visited: print(f'Visiting {child}...') visited.append(child) if found: break visited = [] tree = { 'A': {'children': ['B', 'E', 'F']}, 'B': {'children': ['D', 'E']}, 'C': {'children': ['B']}, 'D': {'children': ['E', 'C']}, 'E': {'children': []}, 'F': {'children': []}, } start = 'A' goal = 'C' bfs(start)
def bfs(root): found = False print(f'Visiting {root}...') visited.append(root) for parent in visited: for child in tree.get(parent).get('children'): if child == goal: print(f'Goal node found! ({goal})') found = True break elif child not in visited: print(f'Visiting {child}...') visited.append(child) if found: break visited = [] tree = {'A': {'children': ['B', 'E', 'F']}, 'B': {'children': ['D', 'E']}, 'C': {'children': ['B']}, 'D': {'children': ['E', 'C']}, 'E': {'children': []}, 'F': {'children': []}} start = 'A' goal = 'C' bfs(start)
class HallwayConfig: def __init__(self, size: int = 5, max_steps: int = 32): self.size = size self.max_steps = max_steps
class Hallwayconfig: def __init__(self, size: int=5, max_steps: int=32): self.size = size self.max_steps = max_steps
# zwei 06/04/2014 # __getitem__ generator class graph: def __init__(self): self.neighbors = [1,2,3,4,5] def __getitem__(self, node): for i in self.neighbors: yield i def callgetitem(): for i in g[1]: result = i return result g = graph() for n in range(1000): result = callgetitem() print(result)
class Graph: def __init__(self): self.neighbors = [1, 2, 3, 4, 5] def __getitem__(self, node): for i in self.neighbors: yield i def callgetitem(): for i in g[1]: result = i return result g = graph() for n in range(1000): result = callgetitem() print(result)
class Solution(object): def removeElement(self, nums, val): """ :type nums: List[int] :type val: int :rtype: int """ low = 0 for i in range(len(nums)): if nums[i] != val: nums[low] = nums[i] low += 1 return low
class Solution(object): def remove_element(self, nums, val): """ :type nums: List[int] :type val: int :rtype: int """ low = 0 for i in range(len(nums)): if nums[i] != val: nums[low] = nums[i] low += 1 return low
def function_description(function): return ("Function Name: {function_name}\n" "documentation:\n{documentation}" .format(function_name=function.__name__, documentation=function.__doc__))
def function_description(function): return 'Function Name: {function_name}\ndocumentation:\n{documentation}'.format(function_name=function.__name__, documentation=function.__doc__)
# you can write to stdout for debugging purposes, e.g. # print "this is a debug message" def solution(E, L): # write your code in Python 2.7 """ default fee = 2 first hour or partial hour fee = 3 after successive full or patial hour or full = 4 E 10:00, L 13:21 = 2 + 3 + 4*2 + 4 =17 """ # edge cases # if E or L is not defined, just default fee if not(E) or not(L): return 2 # initializations total = 2 timeE,timeL = [int(x) for x in E.split(':')],[int(x) for x in L.split(':')] diff = [] hours,mins = 0,0 # get diff between timeE and timeL for i in range(len(timeE)): diff.append(timeL[i]-timeE[i]) # while diff[0] or hours is greater than 0 hours = diff[0] mins = diff[1] # edge case: if hours is 0 but mins is > 0, then just return total+3 (first partial mins) if hours == 0 and mins > 0: return total+3 while hours: if hours == 1: total += 3 else: total += 4 hours -= 1 # any partial minutes only counts as $4 as a fee if mins > 0: total += 4 return total
def solution(E, L): """ default fee = 2 first hour or partial hour fee = 3 after successive full or patial hour or full = 4 E 10:00, L 13:21 = 2 + 3 + 4*2 + 4 =17 """ if not E or not L: return 2 total = 2 (time_e, time_l) = ([int(x) for x in E.split(':')], [int(x) for x in L.split(':')]) diff = [] (hours, mins) = (0, 0) for i in range(len(timeE)): diff.append(timeL[i] - timeE[i]) hours = diff[0] mins = diff[1] if hours == 0 and mins > 0: return total + 3 while hours: if hours == 1: total += 3 else: total += 4 hours -= 1 if mins > 0: total += 4 return total
# Re-export of Bazel rules with repository-wide defaults load("@io_bazel_rules_sass//:defs.bzl", _sass_binary = "sass_binary", _sass_library = "sass_library") load("@npm//@angular/bazel:index.bzl", _ng_module = "ng_module", _ng_package = "ng_package") load("@npm//@bazel/jasmine:index.bzl", _jasmine_node_test = "jasmine_node_test") load("@npm//@bazel/karma:index.bzl", _karma_web_test = "karma_web_test", _karma_web_test_suite = "karma_web_test_suite") load("@npm//@bazel/protractor:index.bzl", _protractor_web_test_suite = "protractor_web_test_suite") load("@npm//@bazel/typescript:index.bzl", _ts_library = "ts_library") load("//:packages.bzl", "VERSION_PLACEHOLDER_REPLACEMENTS", "getAngularUmdTargets") load("//:rollup-globals.bzl", "ROLLUP_GLOBALS") load("//tools/markdown-to-html:index.bzl", _markdown_to_html = "markdown_to_html") _DEFAULT_TSCONFIG_BUILD = "//src:bazel-tsconfig-build.json" _DEFAULT_TSCONFIG_TEST = "//src:tsconfig-test" # Re-exports to simplify build file load statements markdown_to_html = _markdown_to_html def _getDefaultTsConfig(testonly): if testonly: return _DEFAULT_TSCONFIG_TEST else: return _DEFAULT_TSCONFIG_BUILD def sass_binary(sourcemap = False, **kwargs): _sass_binary( sourcemap = sourcemap, **kwargs ) def sass_library(**kwargs): _sass_library(**kwargs) def ts_library(tsconfig = None, deps = [], testonly = False, **kwargs): # Add tslib because we use import helpers for all public packages. local_deps = ["@npm//tslib"] + deps if not tsconfig: tsconfig = _getDefaultTsConfig(testonly) _ts_library( tsconfig = tsconfig, testonly = testonly, deps = local_deps, **kwargs ) def ng_module( deps = [], srcs = [], tsconfig = None, module_name = None, flat_module_out_file = None, testonly = False, **kwargs): if not tsconfig: tsconfig = _getDefaultTsConfig(testonly) # We only generate a flat module if there is a "public-api.ts" file that # will be picked up by NGC or ngtsc. needs_flat_module = "public-api.ts" in srcs # Targets which have a module name and are not used for tests, should # have a default flat module out file named "index". This is necessary # as imports to that target should go through the flat module bundle. if needs_flat_module and module_name and not flat_module_out_file and not testonly: flat_module_out_file = "index" # Workaround to avoid a lot of changes to the Bazel build rules. Since # for most targets the flat module out file is "index.js", we cannot # include "index.ts" (if present) as source-file. This would resolve # in a conflict in the metadata bundler. Once we switch to Ivy and # no longer need metadata bundles, we can remove this logic. if flat_module_out_file == "index": if "index.ts" in srcs: srcs.remove("index.ts") local_deps = [ # Add tslib because we use import helpers for all public packages. "@npm//tslib", "@npm//@angular/platform-browser", ] # Append given deps only if they're not in the default set of deps for d in deps: if d not in local_deps: local_deps = local_deps + [d] _ng_module( srcs = srcs, module_name = module_name, flat_module_out_file = flat_module_out_file, deps = local_deps, tsconfig = tsconfig, testonly = testonly, **kwargs ) def ng_package(name, data = [], deps = [], globals = ROLLUP_GLOBALS, readme_md = None, **kwargs): # If no readme file has been specified explicitly, use the default readme for # release packages from "src/README.md". if not readme_md: readme_md = "//src:README.md" # We need a genrule that copies the license into the current package. This # allows us to include the license in the "ng_package". native.genrule( name = "license_copied", srcs = ["//:LICENSE"], outs = ["LICENSE"], cmd = "cp $< $@", ) _ng_package( name = name, globals = globals, data = data + [":license_copied"], # Tslib needs to be explicitly specified as dependency here, so that the `ng_package` # rollup bundling action can include tslib. Tslib is usually a transitive dependency of # entry-points passed to `ng_package`, but the rule does not collect transitive deps. deps = deps + ["@npm//tslib"], readme_md = readme_md, substitutions = VERSION_PLACEHOLDER_REPLACEMENTS, **kwargs ) def jasmine_node_test(**kwargs): _jasmine_node_test(**kwargs) def ng_test_library(deps = [], tsconfig = None, **kwargs): local_deps = [ # We declare "@angular/core" as default dependencies because # all Angular component unit tests use the `TestBed` and `Component` exports. "@npm//@angular/core", "@npm//@types/jasmine", ] + deps ts_library( testonly = True, deps = local_deps, **kwargs ) def ng_e2e_test_library(deps = [], tsconfig = None, **kwargs): local_deps = [ "@npm//@types/jasmine", "@npm//@types/selenium-webdriver", "@npm//protractor", ] + deps ts_library( testonly = True, deps = local_deps, **kwargs ) def karma_web_test_suite(name, **kwargs): web_test_args = {} kwargs["srcs"] = ["@npm//:node_modules/tslib/tslib.js"] + getAngularUmdTargets() + kwargs.get("srcs", []) kwargs["deps"] = ["//tools/rxjs:rxjs_umd_modules"] + kwargs.get("deps", []) # Set up default browsers if no explicit `browsers` have been specified. if not hasattr(kwargs, "browsers"): kwargs["tags"] = ["native"] + kwargs.get("tags", []) kwargs["browsers"] = [ # Note: when changing the browser names here, also update the "yarn test" # script to reflect the new browser names. "@npm_angular_dev_infra_private//browsers/chromium:chromium", "@npm_angular_dev_infra_private//browsers/firefox:firefox", ] for opt_name in kwargs.keys(): # Filter out options which are specific to "karma_web_test" targets. We cannot # pass options like "browsers" to the local web test target. if not opt_name in ["wrapped_test_tags", "browsers", "wrapped_test_tags", "tags"]: web_test_args[opt_name] = kwargs[opt_name] # Custom standalone web test that can be run to test against any browser # that is manually connected to. _karma_web_test( name = "%s_local_bin" % name, config_file = "//test:bazel-karma-local-config.js", tags = ["manual"], **web_test_args ) # Workaround for: https://github.com/bazelbuild/rules_nodejs/issues/1429 native.sh_test( name = "%s_local" % name, srcs = ["%s_local_bin" % name], tags = ["manual", "local", "ibazel_notify_changes"], testonly = True, ) # Default test suite with all configured browsers. _karma_web_test_suite( name = name, **kwargs ) def protractor_web_test_suite(**kwargs): _protractor_web_test_suite( browsers = ["@npm_angular_dev_infra_private//browsers/chromium:chromium"], **kwargs ) def ng_web_test_suite(deps = [], static_css = [], bootstrap = [], **kwargs): # Always include a prebuilt theme in the test suite because otherwise tests, which depend on CSS # that is needed for measuring, will unexpectedly fail. Also always adding a prebuilt theme # reduces the amount of setup that is needed to create a test suite Bazel target. Note that the # prebuilt theme will be also added to CDK test suites but shouldn't affect anything. static_css = static_css + [ "//src/material/prebuilt-themes:indigo-pink", "//src/material-experimental/mdc-theming:indigo_pink_prebuilt", ] # Workaround for https://github.com/bazelbuild/rules_typescript/issues/301 # Since some of our tests depend on CSS files which are not part of the `ng_module` rule, # we need to somehow load static CSS files within Karma (e.g. overlay prebuilt). Those styles # are required for successful test runs. Since the `karma_web_test_suite` rule currently only # allows JS files to be included and served within Karma, we need to create a JS file that # loads the given CSS file. for css_label in static_css: css_id = "static-css-file-%s" % (css_label.replace("/", "_").replace(":", "-")) deps += [":%s" % css_id] native.genrule( name = css_id, srcs = [css_label], outs = ["%s.js" % css_id], output_to_bindir = True, cmd = """ files=($(execpaths %s)) # Escape all double-quotes so that the content can be safely inlined into the # JS template. Note that it needs to be escaped a second time because the string # will be evaluated first in Bash and will then be stored in the JS output. css_content=$$(cat $${files[0]} | sed 's/"/\\\\"/g') js_template='var cssElement = document.createElement("style"); \ cssElement.type = "text/css"; \ cssElement.innerHTML = "'"$$css_content"'"; \ document.head.appendChild(cssElement);' echo $$js_template > $@ """ % css_label, ) karma_web_test_suite( # Depend on our custom test initialization script. This needs to be the first dependency. deps = [ "//test:angular_test_init", ] + deps, bootstrap = [ # This matches the ZoneJS bundles used in default CLI projects. See: # https://github.com/angular/angular-cli/blob/master/packages/schematics/angular/application/files/src/polyfills.ts.template#L58 # https://github.com/angular/angular-cli/blob/master/packages/schematics/angular/application/files/src/test.ts.template#L3 # Note `zone.js/dist/zone.js` is aliased in the CLI to point to the evergreen # output that does not include legacy patches. See: https://github.com/angular/angular/issues/35157. # TODO: Consider adding the legacy patches when testing Saucelabs/Browserstack with Bazel. # CLI loads the legacy patches conditionally for ES5 legacy browsers. See: # https://github.com/angular/angular-cli/blob/277bad3895cbce6de80aa10a05c349b10d9e09df/packages/angular_devkit/build_angular/src/angular-cli-files/models/webpack-configs/common.ts#L141 "@npm//:node_modules/zone.js/dist/zone-evergreen.js", "@npm//:node_modules/zone.js/dist/zone-testing.js", "@npm//:node_modules/reflect-metadata/Reflect.js", ] + bootstrap, **kwargs )
load('@io_bazel_rules_sass//:defs.bzl', _sass_binary='sass_binary', _sass_library='sass_library') load('@npm//@angular/bazel:index.bzl', _ng_module='ng_module', _ng_package='ng_package') load('@npm//@bazel/jasmine:index.bzl', _jasmine_node_test='jasmine_node_test') load('@npm//@bazel/karma:index.bzl', _karma_web_test='karma_web_test', _karma_web_test_suite='karma_web_test_suite') load('@npm//@bazel/protractor:index.bzl', _protractor_web_test_suite='protractor_web_test_suite') load('@npm//@bazel/typescript:index.bzl', _ts_library='ts_library') load('//:packages.bzl', 'VERSION_PLACEHOLDER_REPLACEMENTS', 'getAngularUmdTargets') load('//:rollup-globals.bzl', 'ROLLUP_GLOBALS') load('//tools/markdown-to-html:index.bzl', _markdown_to_html='markdown_to_html') _default_tsconfig_build = '//src:bazel-tsconfig-build.json' _default_tsconfig_test = '//src:tsconfig-test' markdown_to_html = _markdown_to_html def _get_default_ts_config(testonly): if testonly: return _DEFAULT_TSCONFIG_TEST else: return _DEFAULT_TSCONFIG_BUILD def sass_binary(sourcemap=False, **kwargs): _sass_binary(sourcemap=sourcemap, **kwargs) def sass_library(**kwargs): _sass_library(**kwargs) def ts_library(tsconfig=None, deps=[], testonly=False, **kwargs): local_deps = ['@npm//tslib'] + deps if not tsconfig: tsconfig = _get_default_ts_config(testonly) _ts_library(tsconfig=tsconfig, testonly=testonly, deps=local_deps, **kwargs) def ng_module(deps=[], srcs=[], tsconfig=None, module_name=None, flat_module_out_file=None, testonly=False, **kwargs): if not tsconfig: tsconfig = _get_default_ts_config(testonly) needs_flat_module = 'public-api.ts' in srcs if needs_flat_module and module_name and (not flat_module_out_file) and (not testonly): flat_module_out_file = 'index' if flat_module_out_file == 'index': if 'index.ts' in srcs: srcs.remove('index.ts') local_deps = ['@npm//tslib', '@npm//@angular/platform-browser'] for d in deps: if d not in local_deps: local_deps = local_deps + [d] _ng_module(srcs=srcs, module_name=module_name, flat_module_out_file=flat_module_out_file, deps=local_deps, tsconfig=tsconfig, testonly=testonly, **kwargs) def ng_package(name, data=[], deps=[], globals=ROLLUP_GLOBALS, readme_md=None, **kwargs): if not readme_md: readme_md = '//src:README.md' native.genrule(name='license_copied', srcs=['//:LICENSE'], outs=['LICENSE'], cmd='cp $< $@') _ng_package(name=name, globals=globals, data=data + [':license_copied'], deps=deps + ['@npm//tslib'], readme_md=readme_md, substitutions=VERSION_PLACEHOLDER_REPLACEMENTS, **kwargs) def jasmine_node_test(**kwargs): _jasmine_node_test(**kwargs) def ng_test_library(deps=[], tsconfig=None, **kwargs): local_deps = ['@npm//@angular/core', '@npm//@types/jasmine'] + deps ts_library(testonly=True, deps=local_deps, **kwargs) def ng_e2e_test_library(deps=[], tsconfig=None, **kwargs): local_deps = ['@npm//@types/jasmine', '@npm//@types/selenium-webdriver', '@npm//protractor'] + deps ts_library(testonly=True, deps=local_deps, **kwargs) def karma_web_test_suite(name, **kwargs): web_test_args = {} kwargs['srcs'] = ['@npm//:node_modules/tslib/tslib.js'] + get_angular_umd_targets() + kwargs.get('srcs', []) kwargs['deps'] = ['//tools/rxjs:rxjs_umd_modules'] + kwargs.get('deps', []) if not hasattr(kwargs, 'browsers'): kwargs['tags'] = ['native'] + kwargs.get('tags', []) kwargs['browsers'] = ['@npm_angular_dev_infra_private//browsers/chromium:chromium', '@npm_angular_dev_infra_private//browsers/firefox:firefox'] for opt_name in kwargs.keys(): if not opt_name in ['wrapped_test_tags', 'browsers', 'wrapped_test_tags', 'tags']: web_test_args[opt_name] = kwargs[opt_name] _karma_web_test(name='%s_local_bin' % name, config_file='//test:bazel-karma-local-config.js', tags=['manual'], **web_test_args) native.sh_test(name='%s_local' % name, srcs=['%s_local_bin' % name], tags=['manual', 'local', 'ibazel_notify_changes'], testonly=True) _karma_web_test_suite(name=name, **kwargs) def protractor_web_test_suite(**kwargs): _protractor_web_test_suite(browsers=['@npm_angular_dev_infra_private//browsers/chromium:chromium'], **kwargs) def ng_web_test_suite(deps=[], static_css=[], bootstrap=[], **kwargs): static_css = static_css + ['//src/material/prebuilt-themes:indigo-pink', '//src/material-experimental/mdc-theming:indigo_pink_prebuilt'] for css_label in static_css: css_id = 'static-css-file-%s' % css_label.replace('/', '_').replace(':', '-') deps += [':%s' % css_id] native.genrule(name=css_id, srcs=[css_label], outs=['%s.js' % css_id], output_to_bindir=True, cmd='\n files=($(execpaths %s))\n # Escape all double-quotes so that the content can be safely inlined into the\n # JS template. Note that it needs to be escaped a second time because the string\n # will be evaluated first in Bash and will then be stored in the JS output.\n css_content=$$(cat $${files[0]} | sed \'s/"/\\\\"/g\')\n js_template=\'var cssElement = document.createElement("style"); cssElement.type = "text/css"; cssElement.innerHTML = "\'"$$css_content"\'"; document.head.appendChild(cssElement);\'\n echo $$js_template > $@\n ' % css_label) karma_web_test_suite(deps=['//test:angular_test_init'] + deps, bootstrap=['@npm//:node_modules/zone.js/dist/zone-evergreen.js', '@npm//:node_modules/zone.js/dist/zone-testing.js', '@npm//:node_modules/reflect-metadata/Reflect.js'] + bootstrap, **kwargs)
dimensions_fields_mapping = { 'PODOCUMENTENTRY': [ 'ITEMID', 'ITEMNAME', 'ITEMDESC', 'QTY_REMAINING', 'UNIT', 'PRICE', 'PROJECTID', 'LOCATIONID', 'CLASSID', 'BILLABLE', 'DEPARTMENTID', 'CUSTOMERID', ], 'PODOCUMENT': [ 'DOCNO', 'DOCPARID', 'PONUMBER', 'CUSTVENDID' ] }
dimensions_fields_mapping = {'PODOCUMENTENTRY': ['ITEMID', 'ITEMNAME', 'ITEMDESC', 'QTY_REMAINING', 'UNIT', 'PRICE', 'PROJECTID', 'LOCATIONID', 'CLASSID', 'BILLABLE', 'DEPARTMENTID', 'CUSTOMERID'], 'PODOCUMENT': ['DOCNO', 'DOCPARID', 'PONUMBER', 'CUSTVENDID']}
class PatchType(object): """Class representing a PATCH request to Kinto. Kinto understands different PATCH requests, which can be represented by subclasses of this class. A PATCH request is interpreted according to its content-type, which applies to all parts of the request body, which typically include changes to the request's ``data`` (the resource being modified) and its ``permissions``. """ pass class BasicPatch(PatchType): """Class representing a default "attribute merge" PATCH. In this kind of patch, attributes in the request replace attributes in the original object. This kind of PATCH is documented at e.g. http://docs.kinto-storage.org/en/stable/api/1.x/records.html#attributes-merge. """ content_type = "application/json" def __init__(self, data=None, permissions=None): """BasicPatch(data) :param data: the fields and values that should be replaced on the resource itself :type data: dict :param permissions: the fields and values that should be replaced on the permissions of the resource :type permissions: dict """ self.data = data self.permissions = permissions @property def body(self): ret = {} if self.data is not None: ret["data"] = self.data if self.permissions is not None: ret["permissions"] = self.permissions return ret class MergePatch(PatchType): """Class representing a "JSON merge". In this kind of patch, JSON objects are merged recursively, and setting a field to None will remove it from the original object. This kind of PATCH is documented at e.g. http://docs.kinto-storage.org/en/stable/api/1.x/records.html?highlight=JSON%20merge#attributes-merge. Note that although this patch type receives both data and permissions, using merge-patch semantics on permissions might not work (see https://github.com/Kinto/kinto/issues/1322). """ content_type = "application/merge-patch+json" def __init__(self, data=None, permissions=None): """MergePatch(data) :param data: the fields and values that should be merged on the resource itself :type data: dict :param permissions: the fields and values that should be merged on the permissions of the resource :type permissions: dict """ self.data = data self.permissions = permissions @property def body(self): ret = {} if self.data is not None: ret["data"] = self.data if self.permissions is not None: ret["permissions"] = self.permissions return ret class JSONPatch(PatchType): """Class representing a JSON Patch PATCH. In this kind of patch, a set of operations are sent to the server, which applies them in order. This kind of PATCH is documented at e.g. http://docs.kinto-storage.org/en/stable/api/1.x/records.html#json-patch-operations. """ content_type = "application/json-patch+json" def __init__(self, operations): """JSONPatch(operations) Takes a list of operations to apply. Operations should be written as though applied at the root of an object with ``data`` and ``permissions`` fields, which correspond to the data of the resource and the permissions of the resource, respectively. N.B. The fields of the ``permissions`` object are each Python ``set`` objects represented in JSON as ``Arrays``, so e.g. the index ``/permissions/read/fxa:Alice`` represents the principal ``fxa:Alice``. :param operations: the operations that should be performed, as dicts :type operations: list """ self.body = operations
class Patchtype(object): """Class representing a PATCH request to Kinto. Kinto understands different PATCH requests, which can be represented by subclasses of this class. A PATCH request is interpreted according to its content-type, which applies to all parts of the request body, which typically include changes to the request's ``data`` (the resource being modified) and its ``permissions``. """ pass class Basicpatch(PatchType): """Class representing a default "attribute merge" PATCH. In this kind of patch, attributes in the request replace attributes in the original object. This kind of PATCH is documented at e.g. http://docs.kinto-storage.org/en/stable/api/1.x/records.html#attributes-merge. """ content_type = 'application/json' def __init__(self, data=None, permissions=None): """BasicPatch(data) :param data: the fields and values that should be replaced on the resource itself :type data: dict :param permissions: the fields and values that should be replaced on the permissions of the resource :type permissions: dict """ self.data = data self.permissions = permissions @property def body(self): ret = {} if self.data is not None: ret['data'] = self.data if self.permissions is not None: ret['permissions'] = self.permissions return ret class Mergepatch(PatchType): """Class representing a "JSON merge". In this kind of patch, JSON objects are merged recursively, and setting a field to None will remove it from the original object. This kind of PATCH is documented at e.g. http://docs.kinto-storage.org/en/stable/api/1.x/records.html?highlight=JSON%20merge#attributes-merge. Note that although this patch type receives both data and permissions, using merge-patch semantics on permissions might not work (see https://github.com/Kinto/kinto/issues/1322). """ content_type = 'application/merge-patch+json' def __init__(self, data=None, permissions=None): """MergePatch(data) :param data: the fields and values that should be merged on the resource itself :type data: dict :param permissions: the fields and values that should be merged on the permissions of the resource :type permissions: dict """ self.data = data self.permissions = permissions @property def body(self): ret = {} if self.data is not None: ret['data'] = self.data if self.permissions is not None: ret['permissions'] = self.permissions return ret class Jsonpatch(PatchType): """Class representing a JSON Patch PATCH. In this kind of patch, a set of operations are sent to the server, which applies them in order. This kind of PATCH is documented at e.g. http://docs.kinto-storage.org/en/stable/api/1.x/records.html#json-patch-operations. """ content_type = 'application/json-patch+json' def __init__(self, operations): """JSONPatch(operations) Takes a list of operations to apply. Operations should be written as though applied at the root of an object with ``data`` and ``permissions`` fields, which correspond to the data of the resource and the permissions of the resource, respectively. N.B. The fields of the ``permissions`` object are each Python ``set`` objects represented in JSON as ``Arrays``, so e.g. the index ``/permissions/read/fxa:Alice`` represents the principal ``fxa:Alice``. :param operations: the operations that should be performed, as dicts :type operations: list """ self.body = operations
class Node: def __init__(self,data=None,next=None): #have two class mempers self.data = data self.next = next class LinkedList: def __init__(self): self.head = None def insert(self,data): node = Node(data,self.head) self.head = node def __str__(self): if self.head is None: return('linked list is empty') itr = self.head llstr = '' while itr: llstr += str(itr.data) + '->' itr = itr.next print(llstr + f"{itr}") return(llstr + f"{itr}") def includes(self,data): if not self.head: return False else: cur =self.head while cur != None: if cur.data == data: return True else: cur = cur.next return False def append(self,value): if self.head is None: self.head = Node(value, None) return itr = self.head while itr.next: itr = itr.next itr.next = Node(value, None) def insertBefore(self,value, newVal): count = self.head if count.data == value: self.insert(newVal) else: while count: if count.next.data==value: nextVal=count.next count.next=Node(newVal,None) count.next.next=nextVal break count=count.next def insertAfter(self,value, newVal): count = self.head while count: if count.data==value: nextVal=count.next count.next=Node(newVal,None) count.next.next=nextVal break count=count.next def kthFromEnd(self,k): newArr=[] itr = self.head while itr: newArr.append(itr.data) itr = itr.next if newArr == [] or k > len(newArr): return('k number out of the range ') else: newArr.reverse() return(newArr[k]) def insertValus(self,arr): for i in arr: self.append(i) # def zipLists(ll1, ll2): def zipLists(ll1,ll2): cur1 = ll1.head cur2 = ll2.head if cur1 == None or cur2 == None: if cur1: return ll1.__str__() elif cur2: return ll2.__str__() else: return 'two linked list are empty' newArr = [] while cur1 or cur2: if cur1 : newArr+=[cur1.data] cur1 = cur1.next if cur2 : newArr+=[cur2.data] cur2 = cur2.next mergedLinkedlist='' for i in newArr: mergedLinkedlist+=f'{i}->' mergedLinkedlist+="None" return mergedLinkedlist if __name__ == '__main__': ll1 = LinkedList() ll2 = LinkedList() ll1.append(1) ll1.append(2) ll1.append(3) ll1.append(4) ll2.append(1) ll2.append(2) ll2.append(3) ll2.append(4) print(zipLists(ll1, ll2))
class Node: def __init__(self, data=None, next=None): self.data = data self.next = next class Linkedlist: def __init__(self): self.head = None def insert(self, data): node = node(data, self.head) self.head = node def __str__(self): if self.head is None: return 'linked list is empty' itr = self.head llstr = '' while itr: llstr += str(itr.data) + '->' itr = itr.next print(llstr + f'{itr}') return llstr + f'{itr}' def includes(self, data): if not self.head: return False else: cur = self.head while cur != None: if cur.data == data: return True else: cur = cur.next return False def append(self, value): if self.head is None: self.head = node(value, None) return itr = self.head while itr.next: itr = itr.next itr.next = node(value, None) def insert_before(self, value, newVal): count = self.head if count.data == value: self.insert(newVal) else: while count: if count.next.data == value: next_val = count.next count.next = node(newVal, None) count.next.next = nextVal break count = count.next def insert_after(self, value, newVal): count = self.head while count: if count.data == value: next_val = count.next count.next = node(newVal, None) count.next.next = nextVal break count = count.next def kth_from_end(self, k): new_arr = [] itr = self.head while itr: newArr.append(itr.data) itr = itr.next if newArr == [] or k > len(newArr): return 'k number out of the range ' else: newArr.reverse() return newArr[k] def insert_valus(self, arr): for i in arr: self.append(i) def zip_lists(ll1, ll2): cur1 = ll1.head cur2 = ll2.head if cur1 == None or cur2 == None: if cur1: return ll1.__str__() elif cur2: return ll2.__str__() else: return 'two linked list are empty' new_arr = [] while cur1 or cur2: if cur1: new_arr += [cur1.data] cur1 = cur1.next if cur2: new_arr += [cur2.data] cur2 = cur2.next merged_linkedlist = '' for i in newArr: merged_linkedlist += f'{i}->' merged_linkedlist += 'None' return mergedLinkedlist if __name__ == '__main__': ll1 = linked_list() ll2 = linked_list() ll1.append(1) ll1.append(2) ll1.append(3) ll1.append(4) ll2.append(1) ll2.append(2) ll2.append(3) ll2.append(4) print(zip_lists(ll1, ll2))
# # PySNMP MIB module ZXROS-AMAT-IF-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ZXROS-AMAT-IF-MIB # Produced by pysmi-0.3.4 at Wed May 1 15:48:48 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsIntersection") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") iso, Counter32, NotificationType, ModuleIdentity, Bits, ObjectIdentity, TimeTicks, Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, enterprises, Gauge32, IpAddress, Unsigned32, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "Counter32", "NotificationType", "ModuleIdentity", "Bits", "ObjectIdentity", "TimeTicks", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "enterprises", "Gauge32", "IpAddress", "Unsigned32", "Counter64") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") zte = MibIdentifier((1, 3, 6, 1, 4, 1, 3902)) zxros = MibIdentifier((1, 3, 6, 1, 4, 1, 3902, 100)) zxrosAMATIF = MibIdentifier((1, 3, 6, 1, 4, 1, 3902, 100, 1001)) zxrosAMATInterfaceEnableTable = MibTable((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1), ) if mibBuilder.loadTexts: zxrosAMATInterfaceEnableTable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableTable.setDescription('AMAT interface enable or disable table') zxrosAMATInterfaceEnableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1), ).setIndexNames((0, "ZXROS-AMAT-IF-MIB", "zxrosAMATInterfaceEnableIfIndex")) if mibBuilder.loadTexts: zxrosAMATInterfaceEnableEntry.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableEntry.setDescription('AMAT interface enable entry') zxrosAMATInterfaceEnableIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: zxrosAMATInterfaceEnableIfIndex.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableIfIndex.setDescription('Interface index') zxrosAMATInterfaceInAmatEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: zxrosAMATInterfaceInAmatEnable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceInAmatEnable.setDescription('Using enable and disable to describe interface inside amat state') zxrosAMATInterfaceOutAmatEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: zxrosAMATInterfaceOutAmatEnable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceOutAmatEnable.setDescription('Using enable and disable to describe interface outside amat state') zxrosAMATInterfaceStatisticTable = MibTable((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2), ) if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticTable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticTable.setDescription('AMAT interface statistic table') zxrosAMATInterfaceStatisticEntry = MibTableRow((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1), ).setIndexNames((0, "ZXROS-AMAT-IF-MIB", "zxrosAMATInterfaceStatisticIfIndex")) if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticEntry.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticEntry.setDescription('AMAT interface statistic entry') zxrosAMATInterfaceStatisticIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticIfIndex.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticIfIndex.setDescription('Interface index') zxrosAMATInFilterpackets = MibTableColumn((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1, 2), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: zxrosAMATInFilterpackets.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInFilterpackets.setDescription('An 64 bit unsigned integer description of the zxrosAMATInFilterpackets') zxrosAMATOutFilterpackets = MibTableColumn((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1, 3), Counter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: zxrosAMATOutFilterpackets.setStatus('current') if mibBuilder.loadTexts: zxrosAMATOutFilterpackets.setDescription('An 64 bit unsigned integer description of the zxrosAMATInFilterpackets') mibBuilder.exportSymbols("ZXROS-AMAT-IF-MIB", zxrosAMATInterfaceStatisticTable=zxrosAMATInterfaceStatisticTable, zxrosAMATInterfaceInAmatEnable=zxrosAMATInterfaceInAmatEnable, zxrosAMATInterfaceStatisticIfIndex=zxrosAMATInterfaceStatisticIfIndex, zxrosAMATInterfaceEnableEntry=zxrosAMATInterfaceEnableEntry, zxrosAMATIF=zxrosAMATIF, zxrosAMATInterfaceEnableTable=zxrosAMATInterfaceEnableTable, zte=zte, zxros=zxros, zxrosAMATInterfaceEnableIfIndex=zxrosAMATInterfaceEnableIfIndex, zxrosAMATInterfaceOutAmatEnable=zxrosAMATInterfaceOutAmatEnable, zxrosAMATInterfaceStatisticEntry=zxrosAMATInterfaceStatisticEntry, zxrosAMATOutFilterpackets=zxrosAMATOutFilterpackets, zxrosAMATInFilterpackets=zxrosAMATInFilterpackets)
(integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_union, value_range_constraint, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsUnion', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (iso, counter32, notification_type, module_identity, bits, object_identity, time_ticks, integer32, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, enterprises, gauge32, ip_address, unsigned32, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'Counter32', 'NotificationType', 'ModuleIdentity', 'Bits', 'ObjectIdentity', 'TimeTicks', 'Integer32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'enterprises', 'Gauge32', 'IpAddress', 'Unsigned32', 'Counter64') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') zte = mib_identifier((1, 3, 6, 1, 4, 1, 3902)) zxros = mib_identifier((1, 3, 6, 1, 4, 1, 3902, 100)) zxros_amatif = mib_identifier((1, 3, 6, 1, 4, 1, 3902, 100, 1001)) zxros_amat_interface_enable_table = mib_table((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1)) if mibBuilder.loadTexts: zxrosAMATInterfaceEnableTable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableTable.setDescription('AMAT interface enable or disable table') zxros_amat_interface_enable_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1)).setIndexNames((0, 'ZXROS-AMAT-IF-MIB', 'zxrosAMATInterfaceEnableIfIndex')) if mibBuilder.loadTexts: zxrosAMATInterfaceEnableEntry.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableEntry.setDescription('AMAT interface enable entry') zxros_amat_interface_enable_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableIfIndex.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceEnableIfIndex.setDescription('Interface index') zxros_amat_interface_in_amat_enable = mib_table_column((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: zxrosAMATInterfaceInAmatEnable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceInAmatEnable.setDescription('Using enable and disable to describe interface inside amat state') zxros_amat_interface_out_amat_enable = mib_table_column((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: zxrosAMATInterfaceOutAmatEnable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceOutAmatEnable.setDescription('Using enable and disable to describe interface outside amat state') zxros_amat_interface_statistic_table = mib_table((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2)) if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticTable.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticTable.setDescription('AMAT interface statistic table') zxros_amat_interface_statistic_entry = mib_table_row((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1)).setIndexNames((0, 'ZXROS-AMAT-IF-MIB', 'zxrosAMATInterfaceStatisticIfIndex')) if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticEntry.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticEntry.setDescription('AMAT interface statistic entry') zxros_amat_interface_statistic_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1, 1), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticIfIndex.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInterfaceStatisticIfIndex.setDescription('Interface index') zxros_amat_in_filterpackets = mib_table_column((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1, 2), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: zxrosAMATInFilterpackets.setStatus('current') if mibBuilder.loadTexts: zxrosAMATInFilterpackets.setDescription('An 64 bit unsigned integer description of the zxrosAMATInFilterpackets') zxros_amat_out_filterpackets = mib_table_column((1, 3, 6, 1, 4, 1, 3902, 100, 1001, 2, 1, 3), counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: zxrosAMATOutFilterpackets.setStatus('current') if mibBuilder.loadTexts: zxrosAMATOutFilterpackets.setDescription('An 64 bit unsigned integer description of the zxrosAMATInFilterpackets') mibBuilder.exportSymbols('ZXROS-AMAT-IF-MIB', zxrosAMATInterfaceStatisticTable=zxrosAMATInterfaceStatisticTable, zxrosAMATInterfaceInAmatEnable=zxrosAMATInterfaceInAmatEnable, zxrosAMATInterfaceStatisticIfIndex=zxrosAMATInterfaceStatisticIfIndex, zxrosAMATInterfaceEnableEntry=zxrosAMATInterfaceEnableEntry, zxrosAMATIF=zxrosAMATIF, zxrosAMATInterfaceEnableTable=zxrosAMATInterfaceEnableTable, zte=zte, zxros=zxros, zxrosAMATInterfaceEnableIfIndex=zxrosAMATInterfaceEnableIfIndex, zxrosAMATInterfaceOutAmatEnable=zxrosAMATInterfaceOutAmatEnable, zxrosAMATInterfaceStatisticEntry=zxrosAMATInterfaceStatisticEntry, zxrosAMATOutFilterpackets=zxrosAMATOutFilterpackets, zxrosAMATInFilterpackets=zxrosAMATInFilterpackets)
N, Q = map(int, input().split()) L = [0 for i in range(Q)] R = [0 for i in range(Q)] D = [0 for i in range(Q)] for i in range(Q): L[i], R[i], D[i] = map(int, input().split()) D[i] = str(D[i]) mod = 998244353 S = ['1' for i in range(N)]
(n, q) = map(int, input().split()) l = [0 for i in range(Q)] r = [0 for i in range(Q)] d = [0 for i in range(Q)] for i in range(Q): (L[i], R[i], D[i]) = map(int, input().split()) D[i] = str(D[i]) mod = 998244353 s = ['1' for i in range(N)]
def get_formatter_options(show_source=False, output_file=None, tee=False): obj = object() obj.show_source = show_source obj.output_file = output_file obj.tee = tee return obj def is_int(text): try: int(text) except ValueError: return False return True def is_real(text): try: float(text) except ValueError: return False return True
def get_formatter_options(show_source=False, output_file=None, tee=False): obj = object() obj.show_source = show_source obj.output_file = output_file obj.tee = tee return obj def is_int(text): try: int(text) except ValueError: return False return True def is_real(text): try: float(text) except ValueError: return False return True
# # Explore # - The Adventure Interpreter # # Copyright (C) 2006 Joe Peterson # class Command: #location = None #commands = [] #condition = None #actions = [] def __init__(self): self.location = None self.commands = [] self.condition = None self.actions = [] def add_action(self, action): self.actions.append(action)
class Command: def __init__(self): self.location = None self.commands = [] self.condition = None self.actions = [] def add_action(self, action): self.actions.append(action)
# encoding: utf-8 """ hashtable.py Created by Thomas Mangin on 2009-09-06. Copyright (c) 2009-2017 Exa Networks. All rights reserved. License: 3-clause BSD. (See the COPYRIGHT file) """ class HashTable(dict): def __getitem__(self, key): return dict.__getitem__(self, key.replace('_', '-')) def __setitem__(self, key, value): return dict.__setitem__(self, key.replace('_', '-'), value) def __getattr__(self, key): return dict.__getitem__(self, key.replace('_', '-')) def __setattr__(self, key, value): return dict.__setitem__(self, key.replace('_', '-'), value)
""" hashtable.py Created by Thomas Mangin on 2009-09-06. Copyright (c) 2009-2017 Exa Networks. All rights reserved. License: 3-clause BSD. (See the COPYRIGHT file) """ class Hashtable(dict): def __getitem__(self, key): return dict.__getitem__(self, key.replace('_', '-')) def __setitem__(self, key, value): return dict.__setitem__(self, key.replace('_', '-'), value) def __getattr__(self, key): return dict.__getitem__(self, key.replace('_', '-')) def __setattr__(self, key, value): return dict.__setitem__(self, key.replace('_', '-'), value)
def get_lcos(num): current = longest = 0 def reset_current(): nonlocal current, longest if current > longest: longest = current current = 0 while num: if num % 2: current += 1 else: reset_current() num = num >> 1 reset_current() return longest # Tests assert get_lcos(0) == 0 assert get_lcos(4) == 1 assert get_lcos(6) == 2 assert get_lcos(15) == 4 assert get_lcos(21) == 1 assert get_lcos(156) == 3
def get_lcos(num): current = longest = 0 def reset_current(): nonlocal current, longest if current > longest: longest = current current = 0 while num: if num % 2: current += 1 else: reset_current() num = num >> 1 reset_current() return longest assert get_lcos(0) == 0 assert get_lcos(4) == 1 assert get_lcos(6) == 2 assert get_lcos(15) == 4 assert get_lcos(21) == 1 assert get_lcos(156) == 3
n = sexo = 'M' maioridade = mulheres = homens = 0 print('=-' * 20) print('ANALISE DE DADOS') print('=-' * 20) while True: idade = int(input('Digite sua idade: ')) sexo = str(input('Qual o seu sexo: [M/F] ')).upper().split()[0] if idade >= 18: maioridade += 1 if sexo == 'M': homens += 1 if sexo == 'F' and idade < 20: mulheres += 1 n = str(input('Deseja Continuar? [S/N]')).upper().split()[0] if n == 'N': break print(f' {maioridade} pessoas tem mais de 18 anos \n {homens} homens foram cadastrados \n {mulheres} mulheres e com menos de 20 anos') print('Volte sempre!!')
n = sexo = 'M' maioridade = mulheres = homens = 0 print('=-' * 20) print('ANALISE DE DADOS') print('=-' * 20) while True: idade = int(input('Digite sua idade: ')) sexo = str(input('Qual o seu sexo: [M/F] ')).upper().split()[0] if idade >= 18: maioridade += 1 if sexo == 'M': homens += 1 if sexo == 'F' and idade < 20: mulheres += 1 n = str(input('Deseja Continuar? [S/N]')).upper().split()[0] if n == 'N': break print(f' {maioridade} pessoas tem mais de 18 anos \n {homens} homens foram cadastrados \n {mulheres} mulheres e com menos de 20 anos') print('Volte sempre!!')
a = int(input("enter the first number: ")) b = int(input("enter the second number: ")) c = int(input("enter the third number: ")) d = int(input("enter the fourth number: ")) e = a + b f = c + d g = e / f print(f'{g:.2f}')
a = int(input('enter the first number: ')) b = int(input('enter the second number: ')) c = int(input('enter the third number: ')) d = int(input('enter the fourth number: ')) e = a + b f = c + d g = e / f print(f'{g:.2f}')
# bilibili command not working with !(9,13)_(89,0,255) GRID_SIZE = 40 DIMENSION = 16 ROOMID = 22021 URL = "https://api.live.bilibili.com/xlive/web-room/v1/dM/gethistory" # rgb regex !1-16,1-16_0-255,0-255,0-255 RGB_REG = '^\!([1-9]|[1][0-6])\,([1-9]|[1][0-6])\_([01]?[0-9][0-9]?|2[0-4][0-9]|25[0-5])\,([01]?[0-9][0-9]?|2[0-4][0-9]|25[0-5])\,([01]?[0-9][0-9]?|2[0-4][0-9]|25[0-5])$' # select regex !1-16,1-16_1-25 NUM_REG = '^\!([1-9]|[1][0-6])\,([1-9]|[1][0-6])\_([1-9]|[1-3][0-9]|4[0-8])$' # color 48 types COLOR_CODE = [(13, 23, 31), (46, 70, 89), (67, 93, 115), (94, 120, 140), (122, 149, 167), (153, 176, 191), (180, 197, 209), (208, 221, 228), (241, 244, 247), (13, 40, 41), (21, 66, 55), (35, 92, 68), (49, 117, 69), (66, 143, 66), (110, 168, 74), (163, 194, 85), (207, 219, 114), (117, 13, 16), (148, 36, 26), (179, 68, 40), (209, 102, 48), (230, 141, 62), (237, 172, 74), (245, 203, 83), (255, 234, 99), (92, 30, 28), (120, 54, 42), (145, 82, 55), (173, 112, 68), (199, 140, 88), (224, 171, 114), (235, 196, 138), (245, 217, 166), (63, 26, 77), (109, 41, 117), (148, 57, 137), (179, 80, 141), (204, 107, 138), (230, 148, 143), (245, 186, 169), (29, 22, 82), (33, 40, 112), (44, 72, 143), (57, 115, 173), (83, 172, 204), (116, 206, 218), (165, 226, 230), (205, 241, 244)] WHITE_TEXT = {1,2,3,4,10,11,12,18,19,20,26,27,28,34,35,36,41,42,43,44} COLOR_X = 8 COLOR_BLOCK_SIZE = 25
grid_size = 40 dimension = 16 roomid = 22021 url = 'https://api.live.bilibili.com/xlive/web-room/v1/dM/gethistory' rgb_reg = '^\\!([1-9]|[1][0-6])\\,([1-9]|[1][0-6])\\_([01]?[0-9][0-9]?|2[0-4][0-9]|25[0-5])\\,([01]?[0-9][0-9]?|2[0-4][0-9]|25[0-5])\\,([01]?[0-9][0-9]?|2[0-4][0-9]|25[0-5])$' num_reg = '^\\!([1-9]|[1][0-6])\\,([1-9]|[1][0-6])\\_([1-9]|[1-3][0-9]|4[0-8])$' color_code = [(13, 23, 31), (46, 70, 89), (67, 93, 115), (94, 120, 140), (122, 149, 167), (153, 176, 191), (180, 197, 209), (208, 221, 228), (241, 244, 247), (13, 40, 41), (21, 66, 55), (35, 92, 68), (49, 117, 69), (66, 143, 66), (110, 168, 74), (163, 194, 85), (207, 219, 114), (117, 13, 16), (148, 36, 26), (179, 68, 40), (209, 102, 48), (230, 141, 62), (237, 172, 74), (245, 203, 83), (255, 234, 99), (92, 30, 28), (120, 54, 42), (145, 82, 55), (173, 112, 68), (199, 140, 88), (224, 171, 114), (235, 196, 138), (245, 217, 166), (63, 26, 77), (109, 41, 117), (148, 57, 137), (179, 80, 141), (204, 107, 138), (230, 148, 143), (245, 186, 169), (29, 22, 82), (33, 40, 112), (44, 72, 143), (57, 115, 173), (83, 172, 204), (116, 206, 218), (165, 226, 230), (205, 241, 244)] white_text = {1, 2, 3, 4, 10, 11, 12, 18, 19, 20, 26, 27, 28, 34, 35, 36, 41, 42, 43, 44} color_x = 8 color_block_size = 25
class NewAddBookEntry: 'new address book entry class' def __init__(self, nm, ph): self.name = Name(nm) self.phone = Phone(ph) print('created instance for:', self.name)
class Newaddbookentry: """new address book entry class""" def __init__(self, nm, ph): self.name = name(nm) self.phone = phone(ph) print('created instance for:', self.name)
# 1. Write a Python program to sum all the even numbers in a list def sum_even(nums): sum = 0 for num in nums: if not num & 1: sum += num return sum def main(): list1 = [2, 8, 7, 2, 69, 42, 65] print(" List :", list1) print("Sum of items :", sum_even(list1)) if __name__ == '__main__': main()
def sum_even(nums): sum = 0 for num in nums: if not num & 1: sum += num return sum def main(): list1 = [2, 8, 7, 2, 69, 42, 65] print(' List :', list1) print('Sum of items :', sum_even(list1)) if __name__ == '__main__': main()
IP_addresses = [ "53.239.114.76", "210.139.118.14", "219.244.176.34", "92.66.150.44", "129.214.130.92", "201.162.172.112", "253.81.123.95", "191.17.33.30", "103.45.116.156", "137.19.78.70", "207.209.106.220", "154.94.120.111", "193.191.199.241", "173.63.87.241", "171.206.243.138", "214.0.115.26", "77.37.112.191", "82.82.0.22", "117.107.226.33", "65.136.121.223", "139.181.19.183", "4.230.145.100", "176.43.211.193", "67.35.193.108", "12.177.40.89", "220.66.146.40", "245.201.208.161", "208.222.148.199", "104.216.140.187", "73.57.167.115" ] # Create a loop using range() that moves through only the first 5 IP_addresses and prints them in order to the screen with their rank for x in range(0,5): # Since this loop starts with zero, add one to get the actual vulnerability rank rank = x + 1 print("The #" + str(rank) + " IP address is " + IP_addresses[x]) print("-------------------") # Create a loop using enumerate() that goes through all of the IP_addresses and prints out the vulnerability ranking for each one for counter, address in enumerate(IP_addresses, start=1): print("#" + str(counter) + " - " + address) print("-------------------")
ip_addresses = ['53.239.114.76', '210.139.118.14', '219.244.176.34', '92.66.150.44', '129.214.130.92', '201.162.172.112', '253.81.123.95', '191.17.33.30', '103.45.116.156', '137.19.78.70', '207.209.106.220', '154.94.120.111', '193.191.199.241', '173.63.87.241', '171.206.243.138', '214.0.115.26', '77.37.112.191', '82.82.0.22', '117.107.226.33', '65.136.121.223', '139.181.19.183', '4.230.145.100', '176.43.211.193', '67.35.193.108', '12.177.40.89', '220.66.146.40', '245.201.208.161', '208.222.148.199', '104.216.140.187', '73.57.167.115'] for x in range(0, 5): rank = x + 1 print('The #' + str(rank) + ' IP address is ' + IP_addresses[x]) print('-------------------') for (counter, address) in enumerate(IP_addresses, start=1): print('#' + str(counter) + ' - ' + address) print('-------------------')
#function that consider last element as pivot, #place the pivot at its exact position, and place #smaller elements to left of pivot and greater #elements to right of pivot. def partition (a, start, end): i = (start - 1) pivot = a[end] # pivot element for j in range(start, end): # If current element is smaller than or equal to the pivot if (a[j] <= pivot): i = i + 1 a[i], a[j] = a[j], a[i] a[i+1], a[end] = a[end], a[i+1] return (i + 1) # function to implement quick sort def quick(a, start, end): # a[] = array to be sorted, start = Starting index, end = Ending index if (start < end): p = partition(a, start, end) # p is partitioning index quick(a, start, p - 1) quick(a, p + 1, end) def printArr(a): # function to print the array for i in range(len(a)): print (a[i], end = " ") a = [68, 13, 1, 49, 58] print("Before sorting array elements are - ") printArr(a) quick(a, 0, len(a)-1) print("\nAfter sorting array elements are - ") printArr(a)
def partition(a, start, end): i = start - 1 pivot = a[end] for j in range(start, end): if a[j] <= pivot: i = i + 1 (a[i], a[j]) = (a[j], a[i]) (a[i + 1], a[end]) = (a[end], a[i + 1]) return i + 1 def quick(a, start, end): if start < end: p = partition(a, start, end) quick(a, start, p - 1) quick(a, p + 1, end) def print_arr(a): for i in range(len(a)): print(a[i], end=' ') a = [68, 13, 1, 49, 58] print('Before sorting array elements are - ') print_arr(a) quick(a, 0, len(a) - 1) print('\nAfter sorting array elements are - ') print_arr(a)
""" ID: FIBD Title: Mortal Fibonacci Rabbits URL: http://rosalind.info/problems/fibd/ """ def total_wabbits(months, lifespan): """ Counts the total number of pairs of rabbits that will remain after the specific(months) month if all rabbits live for some (lifespan) months. Args: months (int): number of months. lifespan (int): lifespan in months. Returns: int: The total number of pairs of rabbits. """ previous = [1] + (lifespan - 1) * [0] for month in range(2, months + 1): next = sum(previous[1:]) previous = [next] + previous[:-1] return sum(previous)
""" ID: FIBD Title: Mortal Fibonacci Rabbits URL: http://rosalind.info/problems/fibd/ """ def total_wabbits(months, lifespan): """ Counts the total number of pairs of rabbits that will remain after the specific(months) month if all rabbits live for some (lifespan) months. Args: months (int): number of months. lifespan (int): lifespan in months. Returns: int: The total number of pairs of rabbits. """ previous = [1] + (lifespan - 1) * [0] for month in range(2, months + 1): next = sum(previous[1:]) previous = [next] + previous[:-1] return sum(previous)
# -*- coding: utf-8 -*- # Part of Odoo. See LICENSE file for full copyright and licensing details. { 'name': 'Quizzes on Tracks', 'category': 'Marketing/Events', 'sequence': 1007, 'version': '1.0', 'summary': 'Quizzes on tracks', 'website': 'https://www.odoo.com/page/events', 'description': "", 'depends': [ 'website_profile', 'website_event_track', ], 'data': [ 'security/ir.model.access.csv', 'views/assets.xml', 'views/event_leaderboard_templates.xml', 'views/event_quiz_views.xml', 'views/event_quiz_question_views.xml', 'views/event_track_views.xml', 'views/event_track_visitor_views.xml', 'views/event_menus.xml', 'views/event_quiz_templates.xml', 'views/event_track_templates_page.xml', 'views/event_event_views.xml', 'views/event_type_views.xml' ], 'demo': [ 'data/quiz_demo.xml', ], 'application': False, 'installable': True, }
{'name': 'Quizzes on Tracks', 'category': 'Marketing/Events', 'sequence': 1007, 'version': '1.0', 'summary': 'Quizzes on tracks', 'website': 'https://www.odoo.com/page/events', 'description': '', 'depends': ['website_profile', 'website_event_track'], 'data': ['security/ir.model.access.csv', 'views/assets.xml', 'views/event_leaderboard_templates.xml', 'views/event_quiz_views.xml', 'views/event_quiz_question_views.xml', 'views/event_track_views.xml', 'views/event_track_visitor_views.xml', 'views/event_menus.xml', 'views/event_quiz_templates.xml', 'views/event_track_templates_page.xml', 'views/event_event_views.xml', 'views/event_type_views.xml'], 'demo': ['data/quiz_demo.xml'], 'application': False, 'installable': True}
# Copyright 2013-2020 Lawrence Livermore National Security, LLC and other # Spack Project Developers. See the top-level COPYRIGHT file for details. # # SPDX-License-Identifier: (Apache-2.0 OR MIT) class PyPureSasl(PythonPackage): """This package provides a reasonably high-level SASL client written in pure Python. New mechanisms may be integrated easily, but by default, support for PLAIN, ANONYMOUS, EXTERNAL, CRAM-MD5, DIGEST-MD5, and GSSAPI are provided.""" homepage = "http://github.com/thobbs/pure-sasl" url = "https://pypi.io/packages/source/p/pure-sasl/pure-sasl-0.6.2.tar.gz" version('0.6.2', sha256='53c1355f5da95e2b85b2cc9a6af435518edc20c81193faa0eea65fdc835138f4') variant('gssapi', default=True, description='build with kerberos/gssapi support') depends_on('py-setuptools', type='build') depends_on('py-kerberos@1.3.0:', type=('build', 'run'), when='+gssapi')
class Pypuresasl(PythonPackage): """This package provides a reasonably high-level SASL client written in pure Python. New mechanisms may be integrated easily, but by default, support for PLAIN, ANONYMOUS, EXTERNAL, CRAM-MD5, DIGEST-MD5, and GSSAPI are provided.""" homepage = 'http://github.com/thobbs/pure-sasl' url = 'https://pypi.io/packages/source/p/pure-sasl/pure-sasl-0.6.2.tar.gz' version('0.6.2', sha256='53c1355f5da95e2b85b2cc9a6af435518edc20c81193faa0eea65fdc835138f4') variant('gssapi', default=True, description='build with kerberos/gssapi support') depends_on('py-setuptools', type='build') depends_on('py-kerberos@1.3.0:', type=('build', 'run'), when='+gssapi')
#!/usr/bin/env python3 # Read in my input: first = True first_num = None previous = None sum = 0 nums = [] carets = [] with open('input.txt', 'r') as f: while True: char = f.read(1) nums.append(char) carets.append('.') # import pdb; pdb.set_trace() if char.isdigit(): digit = int(char) if first: first_num = int(char) first = False if previous: if previous == digit: sum += digit carets[-1] = '*' previous = digit elif char == '': break if previous == first_num: carets[-1] == '*' sum += previous print(''.join(nums)) print(''.join(carets)) print('sum is {}'.format(sum))
first = True first_num = None previous = None sum = 0 nums = [] carets = [] with open('input.txt', 'r') as f: while True: char = f.read(1) nums.append(char) carets.append('.') if char.isdigit(): digit = int(char) if first: first_num = int(char) first = False if previous: if previous == digit: sum += digit carets[-1] = '*' previous = digit elif char == '': break if previous == first_num: carets[-1] == '*' sum += previous print(''.join(nums)) print(''.join(carets)) print('sum is {}'.format(sum))
# https://leetcode.com/problems/search-insert-position/ """ Given a sorted array of distinct integers and a target value, return the index if the target is found. If not, return the index where it would be if it were inserted in order. """
""" Given a sorted array of distinct integers and a target value, return the index if the target is found. If not, return the index where it would be if it were inserted in order. """
class Document(object): """ Document is a pickable container for the raw document and all related data rawData holds the native newsPlease file """ def __init__(self, title='', desc='', text='', date=None, raw_data=None): if title is None: title = '' if desc is None: desc = '' if text is None: text = '' if date: self._date = date else: # use raw date as fallback if any, if raw_data is not None: self._date = raw_data.get('date_publish', None) else: self._date = None self._raw = {'title': title, 'description': desc, 'text': text} # append all document text into one string self._full_text = '. '.join(val for key, val in self._raw.items()) self._file_name = None self._source = None self._length = 0 self._section_offsets = [] self._sentences = [] self._corefs = [] self._tokens = [] self._posTags = [] self._posTrees = [] self._nerTags = [] self._rawData = raw_data self._preprocessed = False self._annotations = {'what': [], 'who': [], 'why': [], 'where': [], 'when': [], 'how': []} self._answers = {} self._candidates = {} self._processed = None self._enhancement = {} self._error_flags = {} @classmethod def from_text(cls, text, date=None, raw_data=None): return cls(title=text, date=date, raw_data=raw_data) def is_preprocessed(self, preprocessed=None): if preprocessed is True or preprocessed is False: self._preprocessed = preprocessed return self._preprocessed def is_processed(self, processed=None): if processed is True or processed is False: self._processed = processed return self._processed def get_full_text(self): return self._full_text def set_candidates(self, extractor, candidates): self._candidates[extractor] = candidates def get_candidates(self, extractor: str): return self._candidates.get(extractor, []) def has_candidates(self, extractor: str): """ extractor candidates prefix their candidates with their own id e.g. EnvironmentExtractorNeLocatios this methods returns true if there is at least one candidate with the given prefix """ for candidate in self._candidates: if candidate.startswith(extractor): return True return False def reset_candidates(self): """ resetting candidates will force each extractor to extract them again before evaluation :return: """ self._candidates = {} def get_file_name(self): return self._file_name def get_source(self): return self._source def get_len(self): return self._length def get_title(self): return self._raw['title'] def get_raw(self): return self._raw def get_date(self): return self._date def get_sections(self): return self._section_offsets def get_sentences(self): return self._sentences def get_document_id(self): return self._rawData['dId'] def get_corefs(self): return self._corefs def get_tokens(self): return self._tokens def get_pos(self): return self._posTags def get_trees(self): return self._posTrees def get_ner(self): return self._nerTags def get_answers(self, question=None): if question: return self._answers[question] else: return self._answers def get_top_answer(self, question): return self.get_answers(question=question)[0] def get_annotations(self): return self._annotations def get_rawData(self): return self._rawData def get_lemma_map(self): """ Creates a map of frequency for every words per lemma "..he blocked me, by blocking my blocker.." { block: 3, me: 1 .... } :return: """ if not hasattr(self, '_lemma_map'): self._lemma_map = {} for sentence in self._sentences: for token in sentence['tokens']: lemma = token["lemma"] lema_count = self._lemma_map.get(lemma, 0) lema_count += 1 self._lemma_map[lemma] = lema_count return self._lemma_map def set_file_name(self, name): self._file_name = name def set_source(self, source): self._source = source def set_date(self, date): self._date = date def set_sentences(self, title, description, text): self._sentences = (title or []) + (description or []) + (text or []) self._length = len(self._sentences) offsets = [len(title or []), len(description or []), len(text or [])] offsets[1] += offsets[0] offsets[2] += offsets[1] self._section_offsets = offsets def set_corefs(self, corefs): self._corefs = corefs def set_tokens(self, tokens): self._tokens = tokens def set_pos(self, pos): self._posTags = pos def set_trees(self, trees): self._posTrees = trees def set_ner(self, ner): self._nerTags = ner def set_answer(self, question, candidates): """ use this setter for object based answers aka list of candidate objects with proper loaded parts :param question: :param candidates: :return: """ self._answers[question] = candidates def get_answer(self, question): return self._answers.get(question, []) def set_annotations(self, annotations): self._annotations = annotations def get_enhancements(self): """ all additional information create by enhancements :param key: :return: """ return self._enhancement def get_enhancement(self, key): """ additional information create by enhancements :param key: :return: """ return self._enhancement.get(key) def set_enhancement(self, key, value): self._enhancement[key] = value def reset_enhancements(self): self._enhancement = {} def set_error_flag(self, identifier): """ helper to flag any processable step with error flag :param identifier: :return: """ self._error_flags.setdefault(identifier, True) def get_error_flags(self): """ helper to flag any processable step with error flag :param identifier: :return: """ return self._error_flags
class Document(object): """ Document is a pickable container for the raw document and all related data rawData holds the native newsPlease file """ def __init__(self, title='', desc='', text='', date=None, raw_data=None): if title is None: title = '' if desc is None: desc = '' if text is None: text = '' if date: self._date = date elif raw_data is not None: self._date = raw_data.get('date_publish', None) else: self._date = None self._raw = {'title': title, 'description': desc, 'text': text} self._full_text = '. '.join((val for (key, val) in self._raw.items())) self._file_name = None self._source = None self._length = 0 self._section_offsets = [] self._sentences = [] self._corefs = [] self._tokens = [] self._posTags = [] self._posTrees = [] self._nerTags = [] self._rawData = raw_data self._preprocessed = False self._annotations = {'what': [], 'who': [], 'why': [], 'where': [], 'when': [], 'how': []} self._answers = {} self._candidates = {} self._processed = None self._enhancement = {} self._error_flags = {} @classmethod def from_text(cls, text, date=None, raw_data=None): return cls(title=text, date=date, raw_data=raw_data) def is_preprocessed(self, preprocessed=None): if preprocessed is True or preprocessed is False: self._preprocessed = preprocessed return self._preprocessed def is_processed(self, processed=None): if processed is True or processed is False: self._processed = processed return self._processed def get_full_text(self): return self._full_text def set_candidates(self, extractor, candidates): self._candidates[extractor] = candidates def get_candidates(self, extractor: str): return self._candidates.get(extractor, []) def has_candidates(self, extractor: str): """ extractor candidates prefix their candidates with their own id e.g. EnvironmentExtractorNeLocatios this methods returns true if there is at least one candidate with the given prefix """ for candidate in self._candidates: if candidate.startswith(extractor): return True return False def reset_candidates(self): """ resetting candidates will force each extractor to extract them again before evaluation :return: """ self._candidates = {} def get_file_name(self): return self._file_name def get_source(self): return self._source def get_len(self): return self._length def get_title(self): return self._raw['title'] def get_raw(self): return self._raw def get_date(self): return self._date def get_sections(self): return self._section_offsets def get_sentences(self): return self._sentences def get_document_id(self): return self._rawData['dId'] def get_corefs(self): return self._corefs def get_tokens(self): return self._tokens def get_pos(self): return self._posTags def get_trees(self): return self._posTrees def get_ner(self): return self._nerTags def get_answers(self, question=None): if question: return self._answers[question] else: return self._answers def get_top_answer(self, question): return self.get_answers(question=question)[0] def get_annotations(self): return self._annotations def get_raw_data(self): return self._rawData def get_lemma_map(self): """ Creates a map of frequency for every words per lemma "..he blocked me, by blocking my blocker.." { block: 3, me: 1 .... } :return: """ if not hasattr(self, '_lemma_map'): self._lemma_map = {} for sentence in self._sentences: for token in sentence['tokens']: lemma = token['lemma'] lema_count = self._lemma_map.get(lemma, 0) lema_count += 1 self._lemma_map[lemma] = lema_count return self._lemma_map def set_file_name(self, name): self._file_name = name def set_source(self, source): self._source = source def set_date(self, date): self._date = date def set_sentences(self, title, description, text): self._sentences = (title or []) + (description or []) + (text or []) self._length = len(self._sentences) offsets = [len(title or []), len(description or []), len(text or [])] offsets[1] += offsets[0] offsets[2] += offsets[1] self._section_offsets = offsets def set_corefs(self, corefs): self._corefs = corefs def set_tokens(self, tokens): self._tokens = tokens def set_pos(self, pos): self._posTags = pos def set_trees(self, trees): self._posTrees = trees def set_ner(self, ner): self._nerTags = ner def set_answer(self, question, candidates): """ use this setter for object based answers aka list of candidate objects with proper loaded parts :param question: :param candidates: :return: """ self._answers[question] = candidates def get_answer(self, question): return self._answers.get(question, []) def set_annotations(self, annotations): self._annotations = annotations def get_enhancements(self): """ all additional information create by enhancements :param key: :return: """ return self._enhancement def get_enhancement(self, key): """ additional information create by enhancements :param key: :return: """ return self._enhancement.get(key) def set_enhancement(self, key, value): self._enhancement[key] = value def reset_enhancements(self): self._enhancement = {} def set_error_flag(self, identifier): """ helper to flag any processable step with error flag :param identifier: :return: """ self._error_flags.setdefault(identifier, True) def get_error_flags(self): """ helper to flag any processable step with error flag :param identifier: :return: """ return self._error_flags
def boo(str,a,b): if str==">": return a>b elif str==">=": return a>=b elif str=="<": return a<b elif str=="<=": return a<=b elif str=="==": return a==b elif str=="!=": return a!=b i = 0 while True: a,b,c = input().split() if b=="E": break else: i+=1 print("Case ",i,": ",sep="",end="") if boo(b, int(a), int(c)): print("true") else: print("false")
def boo(str, a, b): if str == '>': return a > b elif str == '>=': return a >= b elif str == '<': return a < b elif str == '<=': return a <= b elif str == '==': return a == b elif str == '!=': return a != b i = 0 while True: (a, b, c) = input().split() if b == 'E': break else: i += 1 print('Case ', i, ': ', sep='', end='') if boo(b, int(a), int(c)): print('true') else: print('false')
information = { "convert.merge_converted_pdf": {"label": "Merge converted PDF", "description": "Merges individual PDF files into one."}, "convert.set_pdf_metadata": {"label": "Set PDF metadata", "description": "Sets PDF metadata based"}, "convert.jpg_to_pdf": {"label": "Convert JPG to PDF", "description": "Converts JPG files into PDF files."}, "convert.tif_to_pdf": {"label": "Convert TIF to PDF", "description": "Converts TIF files into PDF files."}, "convert.tif_to_jpg": {"label": "Convert TIF to JPG", "description": "Converts TIF files into JPG files."}, "convert.pdf_to_txt": {"label": "Convert TIF to TXT", "description": "Converts TIF files into TXT files."}, "convert.pdf_to_tif": {"label": "Convert PDF to TIF", "description": "Converts PDF files into TIF files."}, "convert.tif_to_txt": {"label": "Convert TIF to TXT", "description": "Converts TIF files into TXT files."}, "convert.tif_to_ptif": {"label": "Convert TIF to PTIF", "description": "Converts TIF files into PTIF files."}, "convert.scale_image": {"label": "Scale images", "description": "Scales images."}, "publish_to_atom": {"label": "Add digital object", "description": "Adds a 'digital object' for the current PDF in iDAI.archives / AtoM."}, "publish_to_ojs": {"label": "Publish to OJS", "description": "Publishes the current result in OJS."}, "publish_to_omp": {"label": "Publish to OMP", "description": "Publishes the current result in OMP."}, "generate_frontmatter": {"label": "Generate frontmatter", "description": "Generates an article frontmatter for OJS."}, "create_object": {"label": "Create object", "description": "Sets up metadata for further processing."}, "create_complex_object": {"label": "Create complex object", "description": "Copies files from staging to working directories and sets up metadata for further processing."}, "publish_to_repository": {"label": "Publish to repository", "description": "Copies the current results into the data repository."}, "publish_to_archive": {"label": "Publish to archive", "description": "Copies the current results into the data archive."}, "list_files": {"label": "File batch", "description": "Group containing individual steps applied to individual files."}, "cleanup_directories": {"label": "Cleanup", "description": "Cleans up the internal directories."}, "finish_chain": {"label": "Finish batch", "description": ""}, "finish_chord": {"label": "No label set for chord task", "description": "No label set for chord task"}, "generate_xml": {"label": "Generate XML", "description": "Renders a XML file based on a given template."} } def get_label(name): if name in information: return information[name]["label"] return "Unknown Task" def get_description(name): if name in information: return information[name]["description"] return "Unknown Task"
information = {'convert.merge_converted_pdf': {'label': 'Merge converted PDF', 'description': 'Merges individual PDF files into one.'}, 'convert.set_pdf_metadata': {'label': 'Set PDF metadata', 'description': 'Sets PDF metadata based'}, 'convert.jpg_to_pdf': {'label': 'Convert JPG to PDF', 'description': 'Converts JPG files into PDF files.'}, 'convert.tif_to_pdf': {'label': 'Convert TIF to PDF', 'description': 'Converts TIF files into PDF files.'}, 'convert.tif_to_jpg': {'label': 'Convert TIF to JPG', 'description': 'Converts TIF files into JPG files.'}, 'convert.pdf_to_txt': {'label': 'Convert TIF to TXT', 'description': 'Converts TIF files into TXT files.'}, 'convert.pdf_to_tif': {'label': 'Convert PDF to TIF', 'description': 'Converts PDF files into TIF files.'}, 'convert.tif_to_txt': {'label': 'Convert TIF to TXT', 'description': 'Converts TIF files into TXT files.'}, 'convert.tif_to_ptif': {'label': 'Convert TIF to PTIF', 'description': 'Converts TIF files into PTIF files.'}, 'convert.scale_image': {'label': 'Scale images', 'description': 'Scales images.'}, 'publish_to_atom': {'label': 'Add digital object', 'description': "Adds a 'digital object' for the current PDF in iDAI.archives / AtoM."}, 'publish_to_ojs': {'label': 'Publish to OJS', 'description': 'Publishes the current result in OJS.'}, 'publish_to_omp': {'label': 'Publish to OMP', 'description': 'Publishes the current result in OMP.'}, 'generate_frontmatter': {'label': 'Generate frontmatter', 'description': 'Generates an article frontmatter for OJS.'}, 'create_object': {'label': 'Create object', 'description': 'Sets up metadata for further processing.'}, 'create_complex_object': {'label': 'Create complex object', 'description': 'Copies files from staging to working directories and sets up metadata for further processing.'}, 'publish_to_repository': {'label': 'Publish to repository', 'description': 'Copies the current results into the data repository.'}, 'publish_to_archive': {'label': 'Publish to archive', 'description': 'Copies the current results into the data archive.'}, 'list_files': {'label': 'File batch', 'description': 'Group containing individual steps applied to individual files.'}, 'cleanup_directories': {'label': 'Cleanup', 'description': 'Cleans up the internal directories.'}, 'finish_chain': {'label': 'Finish batch', 'description': ''}, 'finish_chord': {'label': 'No label set for chord task', 'description': 'No label set for chord task'}, 'generate_xml': {'label': 'Generate XML', 'description': 'Renders a XML file based on a given template.'}} def get_label(name): if name in information: return information[name]['label'] return 'Unknown Task' def get_description(name): if name in information: return information[name]['description'] return 'Unknown Task'
# -*- coding: utf-8 -*- """ Tops Directory """
""" Tops Directory """
def demo_preproc(rawdoc): return rawdoc
def demo_preproc(rawdoc): return rawdoc
"""PORTED FROM NETWORKX""" __all__ = [ "SnapXException", "SnapXError", "SnapXTypeError", "SnapXKeyError", ] class SnapXException(Exception): """Base class for exceptions in SnapX.""" class SnapXError(SnapXException): """Exception for a serious error in SnapX""" class SnapXTypeError(TypeError): """Exception for SNAP specific type errors""" class SnapXKeyError(KeyError): """Exception for SNAP specific key errors"""
"""PORTED FROM NETWORKX""" __all__ = ['SnapXException', 'SnapXError', 'SnapXTypeError', 'SnapXKeyError'] class Snapxexception(Exception): """Base class for exceptions in SnapX.""" class Snapxerror(SnapXException): """Exception for a serious error in SnapX""" class Snapxtypeerror(TypeError): """Exception for SNAP specific type errors""" class Snapxkeyerror(KeyError): """Exception for SNAP specific key errors"""
# Julka - https://www.acmicpc.net/problem/8437 a = int(input()) b = int(input()) print((a+b) // 2) print((a-b) // 2)
a = int(input()) b = int(input()) print((a + b) // 2) print((a - b) // 2)
""" lib/__init__.py FIT3162 - Team 10 - Final Year Computer Science Project Copyright Luke Silva, Aichi Tsuchihira, Harsil Patel 2019 """
""" lib/__init__.py FIT3162 - Team 10 - Final Year Computer Science Project Copyright Luke Silva, Aichi Tsuchihira, Harsil Patel 2019 """
""" A Least Recently Used (LRU) Cache allows the storage of data where a record is kept of when the data was last touched. Older data is overwritten when the maximum capacity of the cache is reached. """ class LRUCache: def __init__(self, capacity: int): self.capacity = capacity self.length = 0 self.head = None self.tail = None self.cache = {} def get(self, key: int) -> int: if not key in self.cache: return -1 if self.length == 1: return self.cache[key].value moving_node = self.cache[key] prev_node = moving_node.prev next_node = moving_node.next if prev_node: prev_node.next = next_node else: return moving_node.value if next_node: next_node.prev = prev_node else: self.tail = prev_node self.head.prev = moving_node moving_node.next = self.head moving_node.prev = None self.head = moving_node return self.head.value def put(self, key: int, value: int) -> None: if not self.head: self.length += 1 self.head = Node(value, key) self.tail = self.head self.cache[key] = self.head elif key in self.cache: self.get(key) self.head.value = value else: self.length += 1 new_node = Node(value, key, self.head) self.head.prev = new_node self.head = new_node self.cache[key] = new_node if self.length > self.capacity: deleted_node = self.tail self.tail = self.tail.prev self.tail.next = None del self.cache[deleted_node.key] self.length -= 1 def delete(self, key: int) -> int: if not key in self.cache: return -1 deleted_node = self.cache[key] prev_node = deleted_node.prev next_node = deleted_node.next if prev_node: prev_node.next = next_node if next_node: next_node.prev = prev_node if self.length == 1: self.head = None self.tail = None elif self.head == deleted_node: self.head = next_node elif self.tail == deleted_node: self.tail = prev_node self.length -= 1 return deleted_node.value class Node: def __init__(self, value = None, key = None, next_node = None, prev_node = None): self.value = value self.key = key self.next = next_node self.prev = prev_node
""" A Least Recently Used (LRU) Cache allows the storage of data where a record is kept of when the data was last touched. Older data is overwritten when the maximum capacity of the cache is reached. """ class Lrucache: def __init__(self, capacity: int): self.capacity = capacity self.length = 0 self.head = None self.tail = None self.cache = {} def get(self, key: int) -> int: if not key in self.cache: return -1 if self.length == 1: return self.cache[key].value moving_node = self.cache[key] prev_node = moving_node.prev next_node = moving_node.next if prev_node: prev_node.next = next_node else: return moving_node.value if next_node: next_node.prev = prev_node else: self.tail = prev_node self.head.prev = moving_node moving_node.next = self.head moving_node.prev = None self.head = moving_node return self.head.value def put(self, key: int, value: int) -> None: if not self.head: self.length += 1 self.head = node(value, key) self.tail = self.head self.cache[key] = self.head elif key in self.cache: self.get(key) self.head.value = value else: self.length += 1 new_node = node(value, key, self.head) self.head.prev = new_node self.head = new_node self.cache[key] = new_node if self.length > self.capacity: deleted_node = self.tail self.tail = self.tail.prev self.tail.next = None del self.cache[deleted_node.key] self.length -= 1 def delete(self, key: int) -> int: if not key in self.cache: return -1 deleted_node = self.cache[key] prev_node = deleted_node.prev next_node = deleted_node.next if prev_node: prev_node.next = next_node if next_node: next_node.prev = prev_node if self.length == 1: self.head = None self.tail = None elif self.head == deleted_node: self.head = next_node elif self.tail == deleted_node: self.tail = prev_node self.length -= 1 return deleted_node.value class Node: def __init__(self, value=None, key=None, next_node=None, prev_node=None): self.value = value self.key = key self.next = next_node self.prev = prev_node
def even_odd(*nums): result_list = [] command = nums[-1] for i in range(len(nums)-1): num = nums[i] if (num % 2 == 0 and command == "even") or (num % 2 != 0 and command == "odd"): result_list.append(num) return result_list
def even_odd(*nums): result_list = [] command = nums[-1] for i in range(len(nums) - 1): num = nums[i] if num % 2 == 0 and command == 'even' or (num % 2 != 0 and command == 'odd'): result_list.append(num) return result_list
################### Scope #################### enemies = 1 def increase_enemies(): enemies = 2 print(f"enemies inside function: {enemies}") increase_enemies() print(f"enemies outside function: {enemies}") # Local Scope def drink_potion(): potion_strength = 2 print(potion_strength) drink_potion() # print(potion_strength) it will raise NameError because it is in local score and we want to use it in global scope # Global Scope # It is available anywhere in our file player_health = 10 def player(): print(player_health) player() # There is no Block Scope game_level = 3 enemies = ["Skeleton", "Zombie", "Alien"] if game_level < 5: new_enemy = enemies[0] print(new_enemy) # If you create a variable within function you can use it only within the function # If you create a variable in for, while loop you can use it also outside the loop # Modifying Global Scope enemies = 1 def increase_enemies(): global enemies # allows you to modify a global variable in function enemies = 2 print(f"enemies inside function: {enemies}") return enemies + 1 # a way to be able to use the global variable without changing it enemies = increase_enemies() print(f"enemies outside function: {enemies}") # Global Constants # Are usually written with uppercase PI = 3.14159 URL = "https://www.google.com"
enemies = 1 def increase_enemies(): enemies = 2 print(f'enemies inside function: {enemies}') increase_enemies() print(f'enemies outside function: {enemies}') def drink_potion(): potion_strength = 2 print(potion_strength) drink_potion() player_health = 10 def player(): print(player_health) player() game_level = 3 enemies = ['Skeleton', 'Zombie', 'Alien'] if game_level < 5: new_enemy = enemies[0] print(new_enemy) enemies = 1 def increase_enemies(): global enemies enemies = 2 print(f'enemies inside function: {enemies}') return enemies + 1 enemies = increase_enemies() print(f'enemies outside function: {enemies}') pi = 3.14159 url = 'https://www.google.com'
#!/usr/bin/env python3 def organisation_url_filter(org_id): url_base = "/organisation/" return url_base + org_id.replace(":", "/")
def organisation_url_filter(org_id): url_base = '/organisation/' return url_base + org_id.replace(':', '/')
# Python 2.6 # In contrast to Python 2.7 there might be no "COME_FROM" so we add rule: # ret_or ::= expr JUMP_IF_TRUE expr # where Python 2.7 has # ret_or ::= expr JUMP_IF_TRUE expr COME_FROM class BufferedIncrementalEncoder(object): def getstate(self): return self.buffer or 0
class Bufferedincrementalencoder(object): def getstate(self): return self.buffer or 0
# -*- coding: utf-8 -*- # @Time : 2021/9/15 10:45 # @File : validate_key.py # @Author : Rocky C@www.30daydo.com username='' password=''
username = '' password = ''
def ficha(jog='<desconhecido>', gol=0): print(f'O jogador {jog} fez {gol} gols.') nome = str(input('Nome do jogador: ')) gols = str(input('Quantidade de gols no campeonato: ')) if gols.isnumeric(): gols = int(gols) else: gols = 0 if nome.strip() == '': ficha(gol=gols) else: ficha(nome, gols)
def ficha(jog='<desconhecido>', gol=0): print(f'O jogador {jog} fez {gol} gols.') nome = str(input('Nome do jogador: ')) gols = str(input('Quantidade de gols no campeonato: ')) if gols.isnumeric(): gols = int(gols) else: gols = 0 if nome.strip() == '': ficha(gol=gols) else: ficha(nome, gols)
# # PySNMP MIB module Nortel-Magellan-Passport-LanDriversMIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Nortel-Magellan-Passport-LanDriversMIB # Produced by pysmi-0.3.4 at Mon Apr 29 20:18:18 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint") lpIndex, lp = mibBuilder.importSymbols("Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex", "lp") DisplayString, RowStatus, Counter32, PassportCounter64, MacAddress, Gauge32, Unsigned32, StorageType, InterfaceIndex, FddiTimeMilli, FddiMACLongAddressType, FddiTimeNano, Integer32 = mibBuilder.importSymbols("Nortel-Magellan-Passport-StandardTextualConventionsMIB", "DisplayString", "RowStatus", "Counter32", "PassportCounter64", "MacAddress", "Gauge32", "Unsigned32", "StorageType", "InterfaceIndex", "FddiTimeMilli", "FddiMACLongAddressType", "FddiTimeNano", "Integer32") Link, AsciiString, EnterpriseDateAndTime, NonReplicated = mibBuilder.importSymbols("Nortel-Magellan-Passport-TextualConventionsMIB", "Link", "AsciiString", "EnterpriseDateAndTime", "NonReplicated") passportMIBs, components = mibBuilder.importSymbols("Nortel-Magellan-Passport-UsefulDefinitionsMIB", "passportMIBs", "components") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") Counter32, Bits, ModuleIdentity, NotificationType, ObjectIdentity, TimeTicks, Counter64, Gauge32, Unsigned32, MibIdentifier, iso, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "Counter32", "Bits", "ModuleIdentity", "NotificationType", "ObjectIdentity", "TimeTicks", "Counter64", "Gauge32", "Unsigned32", "MibIdentifier", "iso", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") lanDriversMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30)) lpEnet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3)) lpEnetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1), ) if mibBuilder.loadTexts: lpEnetRowStatusTable.setStatus('mandatory') lpEnetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetRowStatusEntry.setStatus('mandatory') lpEnetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetRowStatus.setStatus('mandatory') lpEnetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetComponentName.setStatus('mandatory') lpEnetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetStorageType.setStatus('mandatory') lpEnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))) if mibBuilder.loadTexts: lpEnetIndex.setStatus('mandatory') lpEnetCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 10), ) if mibBuilder.loadTexts: lpEnetCidDataTable.setStatus('mandatory') lpEnetCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetCidDataEntry.setStatus('mandatory') lpEnetCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetCustomerIdentifier.setStatus('mandatory') lpEnetIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11), ) if mibBuilder.loadTexts: lpEnetIfEntryTable.setStatus('mandatory') lpEnetIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetIfEntryEntry.setStatus('mandatory') lpEnetIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11, 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: lpEnetIfAdminStatus.setStatus('mandatory') lpEnetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetIfIndex.setStatus('mandatory') lpEnetProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12), ) if mibBuilder.loadTexts: lpEnetProvTable.setStatus('mandatory') lpEnetProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetProvEntry.setStatus('mandatory') lpEnetHeartbeatPacket = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetHeartbeatPacket.setStatus('mandatory') lpEnetApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12, 1, 2), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetApplicationFramerName.setStatus('mandatory') lpEnetAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13), ) if mibBuilder.loadTexts: lpEnetAdminInfoTable.setStatus('mandatory') lpEnetAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetAdminInfoEntry.setStatus('mandatory') lpEnetVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetVendor.setStatus('mandatory') lpEnetCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetCommentText.setStatus('mandatory') lpEnetStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 15), ) if mibBuilder.loadTexts: lpEnetStateTable.setStatus('mandatory') lpEnetStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 15, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetStateEntry.setStatus('mandatory') lpEnetAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 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: lpEnetAdminState.setStatus('mandatory') lpEnetOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetOperationalState.setStatus('mandatory') lpEnetUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 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: lpEnetUsageState.setStatus('mandatory') lpEnetOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 16), ) if mibBuilder.loadTexts: lpEnetOperStatusTable.setStatus('mandatory') lpEnetOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 16, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetOperStatusEntry.setStatus('mandatory') lpEnetSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 16, 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: lpEnetSnmpOperStatus.setStatus('mandatory') lpEnetOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 17), ) if mibBuilder.loadTexts: lpEnetOperTable.setStatus('mandatory') lpEnetOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 17, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetOperEntry.setStatus('mandatory') lpEnetMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 17, 1, 1), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetMacAddress.setStatus('mandatory') lpEnetStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18), ) if mibBuilder.loadTexts: lpEnetStatsTable.setStatus('mandatory') lpEnetStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex")) if mibBuilder.loadTexts: lpEnetStatsEntry.setStatus('mandatory') lpEnetAlignmentErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetAlignmentErrors.setStatus('mandatory') lpEnetFcsErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetFcsErrors.setStatus('mandatory') lpEnetSingleCollisionFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetSingleCollisionFrames.setStatus('mandatory') lpEnetMultipleCollisionFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetMultipleCollisionFrames.setStatus('mandatory') lpEnetSqeTestErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetSqeTestErrors.setStatus('mandatory') lpEnetDeferredTransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetDeferredTransmissions.setStatus('mandatory') lpEnetLateCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLateCollisions.setStatus('mandatory') lpEnetExcessiveCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetExcessiveCollisions.setStatus('mandatory') lpEnetMacTransmitErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetMacTransmitErrors.setStatus('mandatory') lpEnetCarrierSenseErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetCarrierSenseErrors.setStatus('mandatory') lpEnetFrameTooLongs = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetFrameTooLongs.setStatus('mandatory') lpEnetMacReceiveErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetMacReceiveErrors.setStatus('mandatory') lpEnetLt = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2)) lpEnetLtRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1), ) if mibBuilder.loadTexts: lpEnetLtRowStatusTable.setStatus('mandatory') lpEnetLtRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex")) if mibBuilder.loadTexts: lpEnetLtRowStatusEntry.setStatus('mandatory') lpEnetLtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtRowStatus.setStatus('mandatory') lpEnetLtComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtComponentName.setStatus('mandatory') lpEnetLtStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtStorageType.setStatus('mandatory') lpEnetLtIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtIndex.setStatus('mandatory') lpEnetLtTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 20), ) if mibBuilder.loadTexts: lpEnetLtTopTable.setStatus('mandatory') lpEnetLtTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex")) if mibBuilder.loadTexts: lpEnetLtTopEntry.setStatus('mandatory') lpEnetLtTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtTData.setStatus('mandatory') lpEnetLtFrmCmp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2)) lpEnetLtFrmCmpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1), ) if mibBuilder.loadTexts: lpEnetLtFrmCmpRowStatusTable.setStatus('mandatory') lpEnetLtFrmCmpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFrmCmpIndex")) if mibBuilder.loadTexts: lpEnetLtFrmCmpRowStatusEntry.setStatus('mandatory') lpEnetLtFrmCmpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFrmCmpRowStatus.setStatus('mandatory') lpEnetLtFrmCmpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFrmCmpComponentName.setStatus('mandatory') lpEnetLtFrmCmpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFrmCmpStorageType.setStatus('mandatory') lpEnetLtFrmCmpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFrmCmpIndex.setStatus('mandatory') lpEnetLtFrmCmpTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 10), ) if mibBuilder.loadTexts: lpEnetLtFrmCmpTopTable.setStatus('mandatory') lpEnetLtFrmCmpTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFrmCmpIndex")) if mibBuilder.loadTexts: lpEnetLtFrmCmpTopEntry.setStatus('mandatory') lpEnetLtFrmCmpTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFrmCmpTData.setStatus('mandatory') lpEnetLtFrmCpy = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3)) lpEnetLtFrmCpyRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1), ) if mibBuilder.loadTexts: lpEnetLtFrmCpyRowStatusTable.setStatus('mandatory') lpEnetLtFrmCpyRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFrmCpyIndex")) if mibBuilder.loadTexts: lpEnetLtFrmCpyRowStatusEntry.setStatus('mandatory') lpEnetLtFrmCpyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFrmCpyRowStatus.setStatus('mandatory') lpEnetLtFrmCpyComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFrmCpyComponentName.setStatus('mandatory') lpEnetLtFrmCpyStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFrmCpyStorageType.setStatus('mandatory') lpEnetLtFrmCpyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFrmCpyIndex.setStatus('mandatory') lpEnetLtFrmCpyTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 10), ) if mibBuilder.loadTexts: lpEnetLtFrmCpyTopTable.setStatus('mandatory') lpEnetLtFrmCpyTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFrmCpyIndex")) if mibBuilder.loadTexts: lpEnetLtFrmCpyTopEntry.setStatus('mandatory') lpEnetLtFrmCpyTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFrmCpyTData.setStatus('mandatory') lpEnetLtPrtCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4)) lpEnetLtPrtCfgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1), ) if mibBuilder.loadTexts: lpEnetLtPrtCfgRowStatusTable.setStatus('mandatory') lpEnetLtPrtCfgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtPrtCfgIndex")) if mibBuilder.loadTexts: lpEnetLtPrtCfgRowStatusEntry.setStatus('mandatory') lpEnetLtPrtCfgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtPrtCfgRowStatus.setStatus('mandatory') lpEnetLtPrtCfgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtPrtCfgComponentName.setStatus('mandatory') lpEnetLtPrtCfgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtPrtCfgStorageType.setStatus('mandatory') lpEnetLtPrtCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtPrtCfgIndex.setStatus('mandatory') lpEnetLtPrtCfgTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 10), ) if mibBuilder.loadTexts: lpEnetLtPrtCfgTopTable.setStatus('mandatory') lpEnetLtPrtCfgTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtPrtCfgIndex")) if mibBuilder.loadTexts: lpEnetLtPrtCfgTopEntry.setStatus('mandatory') lpEnetLtPrtCfgTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtPrtCfgTData.setStatus('mandatory') lpEnetLtFb = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5)) lpEnetLtFbRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1), ) if mibBuilder.loadTexts: lpEnetLtFbRowStatusTable.setStatus('mandatory') lpEnetLtFbRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex")) if mibBuilder.loadTexts: lpEnetLtFbRowStatusEntry.setStatus('mandatory') lpEnetLtFbRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbRowStatus.setStatus('mandatory') lpEnetLtFbComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbComponentName.setStatus('mandatory') lpEnetLtFbStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbStorageType.setStatus('mandatory') lpEnetLtFbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbIndex.setStatus('mandatory') lpEnetLtFbTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 20), ) if mibBuilder.loadTexts: lpEnetLtFbTopTable.setStatus('mandatory') lpEnetLtFbTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex")) if mibBuilder.loadTexts: lpEnetLtFbTopEntry.setStatus('mandatory') lpEnetLtFbTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbTData.setStatus('mandatory') lpEnetLtFbTxInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2)) lpEnetLtFbTxInfoRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1), ) if mibBuilder.loadTexts: lpEnetLtFbTxInfoRowStatusTable.setStatus('mandatory') lpEnetLtFbTxInfoRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpEnetLtFbTxInfoRowStatusEntry.setStatus('mandatory') lpEnetLtFbTxInfoRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbTxInfoRowStatus.setStatus('mandatory') lpEnetLtFbTxInfoComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbTxInfoComponentName.setStatus('mandatory') lpEnetLtFbTxInfoStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbTxInfoStorageType.setStatus('mandatory') lpEnetLtFbTxInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbTxInfoIndex.setStatus('mandatory') lpEnetLtFbTxInfoTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 10), ) if mibBuilder.loadTexts: lpEnetLtFbTxInfoTopTable.setStatus('mandatory') lpEnetLtFbTxInfoTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpEnetLtFbTxInfoTopEntry.setStatus('mandatory') lpEnetLtFbTxInfoTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbTxInfoTData.setStatus('mandatory') lpEnetLtFbFddiMac = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3)) lpEnetLtFbFddiMacRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1), ) if mibBuilder.loadTexts: lpEnetLtFbFddiMacRowStatusTable.setStatus('mandatory') lpEnetLtFbFddiMacRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpEnetLtFbFddiMacRowStatusEntry.setStatus('mandatory') lpEnetLtFbFddiMacRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbFddiMacRowStatus.setStatus('mandatory') lpEnetLtFbFddiMacComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbFddiMacComponentName.setStatus('mandatory') lpEnetLtFbFddiMacStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbFddiMacStorageType.setStatus('mandatory') lpEnetLtFbFddiMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbFddiMacIndex.setStatus('mandatory') lpEnetLtFbFddiMacTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 10), ) if mibBuilder.loadTexts: lpEnetLtFbFddiMacTopTable.setStatus('mandatory') lpEnetLtFbFddiMacTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpEnetLtFbFddiMacTopEntry.setStatus('mandatory') lpEnetLtFbFddiMacTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbFddiMacTData.setStatus('mandatory') lpEnetLtFbMacEnet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4)) lpEnetLtFbMacEnetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1), ) if mibBuilder.loadTexts: lpEnetLtFbMacEnetRowStatusTable.setStatus('mandatory') lpEnetLtFbMacEnetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpEnetLtFbMacEnetRowStatusEntry.setStatus('mandatory') lpEnetLtFbMacEnetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbMacEnetRowStatus.setStatus('mandatory') lpEnetLtFbMacEnetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbMacEnetComponentName.setStatus('mandatory') lpEnetLtFbMacEnetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbMacEnetStorageType.setStatus('mandatory') lpEnetLtFbMacEnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbMacEnetIndex.setStatus('mandatory') lpEnetLtFbMacEnetTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 10), ) if mibBuilder.loadTexts: lpEnetLtFbMacEnetTopTable.setStatus('mandatory') lpEnetLtFbMacEnetTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpEnetLtFbMacEnetTopEntry.setStatus('mandatory') lpEnetLtFbMacEnetTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbMacEnetTData.setStatus('mandatory') lpEnetLtFbMacTr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5)) lpEnetLtFbMacTrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1), ) if mibBuilder.loadTexts: lpEnetLtFbMacTrRowStatusTable.setStatus('mandatory') lpEnetLtFbMacTrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbMacTrIndex")) if mibBuilder.loadTexts: lpEnetLtFbMacTrRowStatusEntry.setStatus('mandatory') lpEnetLtFbMacTrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbMacTrRowStatus.setStatus('mandatory') lpEnetLtFbMacTrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbMacTrComponentName.setStatus('mandatory') lpEnetLtFbMacTrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbMacTrStorageType.setStatus('mandatory') lpEnetLtFbMacTrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbMacTrIndex.setStatus('mandatory') lpEnetLtFbMacTrTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 10), ) if mibBuilder.loadTexts: lpEnetLtFbMacTrTopTable.setStatus('mandatory') lpEnetLtFbMacTrTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbMacTrIndex")) if mibBuilder.loadTexts: lpEnetLtFbMacTrTopEntry.setStatus('mandatory') lpEnetLtFbMacTrTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbMacTrTData.setStatus('mandatory') lpEnetLtFbData = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6)) lpEnetLtFbDataRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1), ) if mibBuilder.loadTexts: lpEnetLtFbDataRowStatusTable.setStatus('mandatory') lpEnetLtFbDataRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbDataIndex")) if mibBuilder.loadTexts: lpEnetLtFbDataRowStatusEntry.setStatus('mandatory') lpEnetLtFbDataRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbDataRowStatus.setStatus('mandatory') lpEnetLtFbDataComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbDataComponentName.setStatus('mandatory') lpEnetLtFbDataStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbDataStorageType.setStatus('mandatory') lpEnetLtFbDataIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbDataIndex.setStatus('mandatory') lpEnetLtFbDataTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 10), ) if mibBuilder.loadTexts: lpEnetLtFbDataTopTable.setStatus('mandatory') lpEnetLtFbDataTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbDataIndex")) if mibBuilder.loadTexts: lpEnetLtFbDataTopEntry.setStatus('mandatory') lpEnetLtFbDataTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbDataTData.setStatus('mandatory') lpEnetLtFbIpH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7)) lpEnetLtFbIpHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1), ) if mibBuilder.loadTexts: lpEnetLtFbIpHRowStatusTable.setStatus('mandatory') lpEnetLtFbIpHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIpHIndex")) if mibBuilder.loadTexts: lpEnetLtFbIpHRowStatusEntry.setStatus('mandatory') lpEnetLtFbIpHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbIpHRowStatus.setStatus('mandatory') lpEnetLtFbIpHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbIpHComponentName.setStatus('mandatory') lpEnetLtFbIpHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbIpHStorageType.setStatus('mandatory') lpEnetLtFbIpHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbIpHIndex.setStatus('mandatory') lpEnetLtFbIpHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 10), ) if mibBuilder.loadTexts: lpEnetLtFbIpHTopTable.setStatus('mandatory') lpEnetLtFbIpHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIpHIndex")) if mibBuilder.loadTexts: lpEnetLtFbIpHTopEntry.setStatus('mandatory') lpEnetLtFbIpHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbIpHTData.setStatus('mandatory') lpEnetLtFbLlch = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8)) lpEnetLtFbLlchRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1), ) if mibBuilder.loadTexts: lpEnetLtFbLlchRowStatusTable.setStatus('mandatory') lpEnetLtFbLlchRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbLlchIndex")) if mibBuilder.loadTexts: lpEnetLtFbLlchRowStatusEntry.setStatus('mandatory') lpEnetLtFbLlchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbLlchRowStatus.setStatus('mandatory') lpEnetLtFbLlchComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbLlchComponentName.setStatus('mandatory') lpEnetLtFbLlchStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbLlchStorageType.setStatus('mandatory') lpEnetLtFbLlchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbLlchIndex.setStatus('mandatory') lpEnetLtFbLlchTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 10), ) if mibBuilder.loadTexts: lpEnetLtFbLlchTopTable.setStatus('mandatory') lpEnetLtFbLlchTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbLlchIndex")) if mibBuilder.loadTexts: lpEnetLtFbLlchTopEntry.setStatus('mandatory') lpEnetLtFbLlchTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbLlchTData.setStatus('mandatory') lpEnetLtFbAppleH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9)) lpEnetLtFbAppleHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1), ) if mibBuilder.loadTexts: lpEnetLtFbAppleHRowStatusTable.setStatus('mandatory') lpEnetLtFbAppleHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbAppleHIndex")) if mibBuilder.loadTexts: lpEnetLtFbAppleHRowStatusEntry.setStatus('mandatory') lpEnetLtFbAppleHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbAppleHRowStatus.setStatus('mandatory') lpEnetLtFbAppleHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbAppleHComponentName.setStatus('mandatory') lpEnetLtFbAppleHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbAppleHStorageType.setStatus('mandatory') lpEnetLtFbAppleHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbAppleHIndex.setStatus('mandatory') lpEnetLtFbAppleHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 10), ) if mibBuilder.loadTexts: lpEnetLtFbAppleHTopTable.setStatus('mandatory') lpEnetLtFbAppleHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbAppleHIndex")) if mibBuilder.loadTexts: lpEnetLtFbAppleHTopEntry.setStatus('mandatory') lpEnetLtFbAppleHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbAppleHTData.setStatus('mandatory') lpEnetLtFbIpxH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10)) lpEnetLtFbIpxHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1), ) if mibBuilder.loadTexts: lpEnetLtFbIpxHRowStatusTable.setStatus('mandatory') lpEnetLtFbIpxHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIpxHIndex")) if mibBuilder.loadTexts: lpEnetLtFbIpxHRowStatusEntry.setStatus('mandatory') lpEnetLtFbIpxHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbIpxHRowStatus.setStatus('mandatory') lpEnetLtFbIpxHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbIpxHComponentName.setStatus('mandatory') lpEnetLtFbIpxHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtFbIpxHStorageType.setStatus('mandatory') lpEnetLtFbIpxHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtFbIpxHIndex.setStatus('mandatory') lpEnetLtFbIpxHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 10), ) if mibBuilder.loadTexts: lpEnetLtFbIpxHTopTable.setStatus('mandatory') lpEnetLtFbIpxHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtFbIpxHIndex")) if mibBuilder.loadTexts: lpEnetLtFbIpxHTopEntry.setStatus('mandatory') lpEnetLtFbIpxHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtFbIpxHTData.setStatus('mandatory') lpEnetLtCntl = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6)) lpEnetLtCntlRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1), ) if mibBuilder.loadTexts: lpEnetLtCntlRowStatusTable.setStatus('mandatory') lpEnetLtCntlRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtCntlIndex")) if mibBuilder.loadTexts: lpEnetLtCntlRowStatusEntry.setStatus('mandatory') lpEnetLtCntlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtCntlRowStatus.setStatus('mandatory') lpEnetLtCntlComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtCntlComponentName.setStatus('mandatory') lpEnetLtCntlStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetLtCntlStorageType.setStatus('mandatory') lpEnetLtCntlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetLtCntlIndex.setStatus('mandatory') lpEnetLtCntlTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 10), ) if mibBuilder.loadTexts: lpEnetLtCntlTopTable.setStatus('mandatory') lpEnetLtCntlTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetLtCntlIndex")) if mibBuilder.loadTexts: lpEnetLtCntlTopEntry.setStatus('mandatory') lpEnetLtCntlTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetLtCntlTData.setStatus('mandatory') lpEnetTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5)) lpEnetTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1), ) if mibBuilder.loadTexts: lpEnetTestRowStatusTable.setStatus('mandatory') lpEnetTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetTestIndex")) if mibBuilder.loadTexts: lpEnetTestRowStatusEntry.setStatus('mandatory') lpEnetTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestRowStatus.setStatus('mandatory') lpEnetTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestComponentName.setStatus('mandatory') lpEnetTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestStorageType.setStatus('mandatory') lpEnetTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEnetTestIndex.setStatus('mandatory') lpEnetTestPTOTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10), ) if mibBuilder.loadTexts: lpEnetTestPTOTable.setStatus('mandatory') lpEnetTestPTOEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetTestIndex")) if mibBuilder.loadTexts: lpEnetTestPTOEntry.setStatus('mandatory') lpEnetTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=NamedValues(("onCard", 0), ("normal", 1), ("wrapA", 257), ("wrapB", 258), ("thruA", 259), ("thruB", 260), ("extWrapA", 263), ("extWrapB", 264), ("extThruA", 265), ("extThruB", 266), ("extWrapAB", 267), ("extWrapBA", 268)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetTestType.setStatus('mandatory') lpEnetTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetTestFrmSize.setStatus('mandatory') lpEnetTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEnetTestDuration.setStatus('mandatory') lpEnetTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11), ) if mibBuilder.loadTexts: lpEnetTestResultsTable.setStatus('mandatory') lpEnetTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEnetTestIndex")) if mibBuilder.loadTexts: lpEnetTestResultsEntry.setStatus('mandatory') lpEnetTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestElapsedTime.setStatus('mandatory') lpEnetTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestTimeRemaining.setStatus('mandatory') lpEnetTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4))).clone('neverStarted')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestCauseOfTermination.setStatus('mandatory') lpEnetTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 7), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestFrmTx.setStatus('mandatory') lpEnetTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 8), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestBitsTx.setStatus('mandatory') lpEnetTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 9), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestFrmRx.setStatus('mandatory') lpEnetTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 10), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestBitsRx.setStatus('mandatory') lpEnetTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 11), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEnetTestErroredFrmRx.setStatus('mandatory') lpFi = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4)) lpFiRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1), ) if mibBuilder.loadTexts: lpFiRowStatusTable.setStatus('mandatory') lpFiRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiRowStatusEntry.setStatus('mandatory') lpFiRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiRowStatus.setStatus('mandatory') lpFiComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiComponentName.setStatus('mandatory') lpFiStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiStorageType.setStatus('mandatory') lpFiIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0))) if mibBuilder.loadTexts: lpFiIndex.setStatus('mandatory') lpFiCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 10), ) if mibBuilder.loadTexts: lpFiCidDataTable.setStatus('mandatory') lpFiCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiCidDataEntry.setStatus('mandatory') lpFiCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiCustomerIdentifier.setStatus('mandatory') lpFiIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11), ) if mibBuilder.loadTexts: lpFiIfEntryTable.setStatus('mandatory') lpFiIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiIfEntryEntry.setStatus('mandatory') lpFiIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11, 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: lpFiIfAdminStatus.setStatus('mandatory') lpFiIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiIfIndex.setStatus('mandatory') lpFiSmtProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12), ) if mibBuilder.loadTexts: lpFiSmtProvTable.setStatus('mandatory') lpFiSmtProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiSmtProvEntry.setStatus('mandatory') lpFiUserData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 32)).clone(hexValue="46444449")).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiUserData.setStatus('mandatory') lpFiAcceptAa = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiAcceptAa.setStatus('mandatory') lpFiAcceptBb = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiAcceptBb.setStatus('mandatory') lpFiAcceptAs = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiAcceptAs.setStatus('mandatory') lpFiAcceptBs = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiAcceptBs.setStatus('mandatory') lpFiAcceptAm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiAcceptAm.setStatus('mandatory') lpFiAcceptBm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiAcceptBm.setStatus('mandatory') lpFiUseThruBa = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiUseThruBa.setStatus('mandatory') lpFiNeighborNotifyInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(2, 30)).clone(30)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiNeighborNotifyInterval.setStatus('mandatory') lpFiStatusReportPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2))).clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiStatusReportPolicy.setStatus('mandatory') lpFiTraceMaxExpirationTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 12), FddiTimeMilli().subtype(subtypeSpec=ValueRangeConstraint(0, 1000000)).clone(7000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiTraceMaxExpirationTimer.setStatus('mandatory') lpFiApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 13), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiApplicationFramerName.setStatus('mandatory') lpFiMacProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13), ) if mibBuilder.loadTexts: lpFiMacProvTable.setStatus('mandatory') lpFiMacProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiMacProvEntry.setStatus('mandatory') lpFiTokenRequestTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1, 1), FddiTimeNano().subtype(subtypeSpec=ValueRangeConstraint(20480, 1340000000)).clone(165290000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiTokenRequestTimer.setStatus('mandatory') lpFiTokenMaxTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1, 2), FddiTimeNano().subtype(subtypeSpec=ValueRangeConstraint(40960, 1342200000)).clone(167770000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiTokenMaxTimer.setStatus('mandatory') lpFiValidTransmissionTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1, 3), FddiTimeNano().subtype(subtypeSpec=ValueRangeConstraint(40960, 1342200000)).clone(2621400)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiValidTransmissionTimer.setStatus('mandatory') lpFiAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14), ) if mibBuilder.loadTexts: lpFiAdminInfoTable.setStatus('mandatory') lpFiAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiAdminInfoEntry.setStatus('mandatory') lpFiVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiVendor.setStatus('mandatory') lpFiCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiCommentText.setStatus('mandatory') lpFiStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16), ) if mibBuilder.loadTexts: lpFiStateTable.setStatus('mandatory') lpFiStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiStateEntry.setStatus('mandatory') lpFiAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 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: lpFiAdminState.setStatus('mandatory') lpFiOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiOperationalState.setStatus('mandatory') lpFiUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 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: lpFiUsageState.setStatus('mandatory') lpFiOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 17), ) if mibBuilder.loadTexts: lpFiOperStatusTable.setStatus('mandatory') lpFiOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 17, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiOperStatusEntry.setStatus('mandatory') lpFiSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 17, 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: lpFiSnmpOperStatus.setStatus('mandatory') lpFiSmtOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18), ) if mibBuilder.loadTexts: lpFiSmtOperTable.setStatus('mandatory') lpFiSmtOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiSmtOperEntry.setStatus('mandatory') lpFiVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiVersion.setStatus('mandatory') lpFiBypassPresent = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiBypassPresent.setStatus('mandatory') lpFiEcmState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("out", 1), ("in", 2), ("trace", 3), ("leave", 4), ("pathTest", 5), ("insert", 6), ("check", 7), ("deinsert", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiEcmState.setStatus('mandatory') lpFiCfState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("isolated", 1), ("localA", 2), ("localB", 3), ("localAB", 4), ("localS", 5), ("wrapA", 6), ("wrapB", 7), ("wrapAB", 8), ("wrapS", 9), ("cWrapA", 10), ("cWrapB", 11), ("cWrapS", 12), ("thru", 13)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiCfState.setStatus('mandatory') lpFiMacOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19), ) if mibBuilder.loadTexts: lpFiMacOperTable.setStatus('mandatory') lpFiMacOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiMacOperEntry.setStatus('mandatory') lpFiRingLatency = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(1280, 1342000000))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiRingLatency.setStatus('mandatory') lpFiMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 10), FddiMACLongAddressType().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiMacAddress.setStatus('mandatory') lpFiUpstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 11), FddiMACLongAddressType().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiUpstreamNeighbor.setStatus('mandatory') lpFiDownstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 12), FddiMACLongAddressType().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiDownstreamNeighbor.setStatus('mandatory') lpFiOldUpstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 13), FddiMACLongAddressType().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiOldUpstreamNeighbor.setStatus('mandatory') lpFiOldDownstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 14), FddiMACLongAddressType().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiOldDownstreamNeighbor.setStatus('mandatory') lpFiDupAddressTest = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("notDone", 1), ("pass", 2), ("fail", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiDupAddressTest.setStatus('mandatory') lpFiTokenNegotiatedTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 18), FddiTimeNano().subtype(subtypeSpec=ValueRangeConstraint(80, 1340000000)).clone(167772000)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTokenNegotiatedTimer.setStatus('mandatory') lpFiFrameCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiFrameCounts.setStatus('mandatory') lpFiCopiedCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiCopiedCounts.setStatus('mandatory') lpFiTransmitCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTransmitCounts.setStatus('mandatory') lpFiErrorCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiErrorCounts.setStatus('mandatory') lpFiLostCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLostCounts.setStatus('mandatory') lpFiRmtState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("isolated", 1), ("nonOp", 2), ("ringOp", 3), ("detect", 4), ("nonOpDup", 5), ("ringOpDup", 6), ("directed", 7), ("trace", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiRmtState.setStatus('mandatory') lpFiFrameErrorFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiFrameErrorFlag.setStatus('mandatory') lpFiMacCOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20), ) if mibBuilder.loadTexts: lpFiMacCOperTable.setStatus('mandatory') lpFiMacCOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiMacCOperEntry.setStatus('mandatory') lpFiTokenCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTokenCounts.setStatus('mandatory') lpFiTvxExpiredCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTvxExpiredCounts.setStatus('mandatory') lpFiNotCopiedCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiNotCopiedCounts.setStatus('mandatory') lpFiLateCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLateCounts.setStatus('mandatory') lpFiRingOpCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiRingOpCounts.setStatus('mandatory') lpFiNcMacOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26), ) if mibBuilder.loadTexts: lpFiNcMacOperTable.setStatus('mandatory') lpFiNcMacOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex")) if mibBuilder.loadTexts: lpFiNcMacOperEntry.setStatus('mandatory') lpFiNcMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 1), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiNcMacAddress.setStatus('mandatory') lpFiNcUpstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 2), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiNcUpstreamNeighbor.setStatus('mandatory') lpFiNcDownstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 3), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiNcDownstreamNeighbor.setStatus('mandatory') lpFiNcOldUpstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 4), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiNcOldUpstreamNeighbor.setStatus('mandatory') lpFiNcOldDownstreamNeighbor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 5), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiNcOldDownstreamNeighbor.setStatus('mandatory') lpFiLt = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2)) lpFiLtRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1), ) if mibBuilder.loadTexts: lpFiLtRowStatusTable.setStatus('mandatory') lpFiLtRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex")) if mibBuilder.loadTexts: lpFiLtRowStatusEntry.setStatus('mandatory') lpFiLtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtRowStatus.setStatus('mandatory') lpFiLtComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtComponentName.setStatus('mandatory') lpFiLtStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtStorageType.setStatus('mandatory') lpFiLtIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtIndex.setStatus('mandatory') lpFiLtTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 20), ) if mibBuilder.loadTexts: lpFiLtTopTable.setStatus('mandatory') lpFiLtTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex")) if mibBuilder.loadTexts: lpFiLtTopEntry.setStatus('mandatory') lpFiLtTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtTData.setStatus('mandatory') lpFiLtFrmCmp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2)) lpFiLtFrmCmpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1), ) if mibBuilder.loadTexts: lpFiLtFrmCmpRowStatusTable.setStatus('mandatory') lpFiLtFrmCmpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFrmCmpIndex")) if mibBuilder.loadTexts: lpFiLtFrmCmpRowStatusEntry.setStatus('mandatory') lpFiLtFrmCmpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFrmCmpRowStatus.setStatus('mandatory') lpFiLtFrmCmpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFrmCmpComponentName.setStatus('mandatory') lpFiLtFrmCmpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFrmCmpStorageType.setStatus('mandatory') lpFiLtFrmCmpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFrmCmpIndex.setStatus('mandatory') lpFiLtFrmCmpTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 10), ) if mibBuilder.loadTexts: lpFiLtFrmCmpTopTable.setStatus('mandatory') lpFiLtFrmCmpTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFrmCmpIndex")) if mibBuilder.loadTexts: lpFiLtFrmCmpTopEntry.setStatus('mandatory') lpFiLtFrmCmpTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFrmCmpTData.setStatus('mandatory') lpFiLtFrmCpy = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3)) lpFiLtFrmCpyRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1), ) if mibBuilder.loadTexts: lpFiLtFrmCpyRowStatusTable.setStatus('mandatory') lpFiLtFrmCpyRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFrmCpyIndex")) if mibBuilder.loadTexts: lpFiLtFrmCpyRowStatusEntry.setStatus('mandatory') lpFiLtFrmCpyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFrmCpyRowStatus.setStatus('mandatory') lpFiLtFrmCpyComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFrmCpyComponentName.setStatus('mandatory') lpFiLtFrmCpyStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFrmCpyStorageType.setStatus('mandatory') lpFiLtFrmCpyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFrmCpyIndex.setStatus('mandatory') lpFiLtFrmCpyTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 10), ) if mibBuilder.loadTexts: lpFiLtFrmCpyTopTable.setStatus('mandatory') lpFiLtFrmCpyTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFrmCpyIndex")) if mibBuilder.loadTexts: lpFiLtFrmCpyTopEntry.setStatus('mandatory') lpFiLtFrmCpyTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFrmCpyTData.setStatus('mandatory') lpFiLtPrtCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4)) lpFiLtPrtCfgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1), ) if mibBuilder.loadTexts: lpFiLtPrtCfgRowStatusTable.setStatus('mandatory') lpFiLtPrtCfgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtPrtCfgIndex")) if mibBuilder.loadTexts: lpFiLtPrtCfgRowStatusEntry.setStatus('mandatory') lpFiLtPrtCfgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtPrtCfgRowStatus.setStatus('mandatory') lpFiLtPrtCfgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtPrtCfgComponentName.setStatus('mandatory') lpFiLtPrtCfgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtPrtCfgStorageType.setStatus('mandatory') lpFiLtPrtCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtPrtCfgIndex.setStatus('mandatory') lpFiLtPrtCfgTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 10), ) if mibBuilder.loadTexts: lpFiLtPrtCfgTopTable.setStatus('mandatory') lpFiLtPrtCfgTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtPrtCfgIndex")) if mibBuilder.loadTexts: lpFiLtPrtCfgTopEntry.setStatus('mandatory') lpFiLtPrtCfgTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtPrtCfgTData.setStatus('mandatory') lpFiLtFb = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5)) lpFiLtFbRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1), ) if mibBuilder.loadTexts: lpFiLtFbRowStatusTable.setStatus('mandatory') lpFiLtFbRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex")) if mibBuilder.loadTexts: lpFiLtFbRowStatusEntry.setStatus('mandatory') lpFiLtFbRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbRowStatus.setStatus('mandatory') lpFiLtFbComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbComponentName.setStatus('mandatory') lpFiLtFbStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbStorageType.setStatus('mandatory') lpFiLtFbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbIndex.setStatus('mandatory') lpFiLtFbTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 20), ) if mibBuilder.loadTexts: lpFiLtFbTopTable.setStatus('mandatory') lpFiLtFbTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex")) if mibBuilder.loadTexts: lpFiLtFbTopEntry.setStatus('mandatory') lpFiLtFbTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbTData.setStatus('mandatory') lpFiLtFbTxInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2)) lpFiLtFbTxInfoRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1), ) if mibBuilder.loadTexts: lpFiLtFbTxInfoRowStatusTable.setStatus('mandatory') lpFiLtFbTxInfoRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpFiLtFbTxInfoRowStatusEntry.setStatus('mandatory') lpFiLtFbTxInfoRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbTxInfoRowStatus.setStatus('mandatory') lpFiLtFbTxInfoComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbTxInfoComponentName.setStatus('mandatory') lpFiLtFbTxInfoStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbTxInfoStorageType.setStatus('mandatory') lpFiLtFbTxInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbTxInfoIndex.setStatus('mandatory') lpFiLtFbTxInfoTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 10), ) if mibBuilder.loadTexts: lpFiLtFbTxInfoTopTable.setStatus('mandatory') lpFiLtFbTxInfoTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpFiLtFbTxInfoTopEntry.setStatus('mandatory') lpFiLtFbTxInfoTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbTxInfoTData.setStatus('mandatory') lpFiLtFbFddiMac = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3)) lpFiLtFbFddiMacRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1), ) if mibBuilder.loadTexts: lpFiLtFbFddiMacRowStatusTable.setStatus('mandatory') lpFiLtFbFddiMacRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpFiLtFbFddiMacRowStatusEntry.setStatus('mandatory') lpFiLtFbFddiMacRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbFddiMacRowStatus.setStatus('mandatory') lpFiLtFbFddiMacComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbFddiMacComponentName.setStatus('mandatory') lpFiLtFbFddiMacStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbFddiMacStorageType.setStatus('mandatory') lpFiLtFbFddiMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbFddiMacIndex.setStatus('mandatory') lpFiLtFbFddiMacTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 10), ) if mibBuilder.loadTexts: lpFiLtFbFddiMacTopTable.setStatus('mandatory') lpFiLtFbFddiMacTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpFiLtFbFddiMacTopEntry.setStatus('mandatory') lpFiLtFbFddiMacTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbFddiMacTData.setStatus('mandatory') lpFiLtFbMacEnet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4)) lpFiLtFbMacEnetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1), ) if mibBuilder.loadTexts: lpFiLtFbMacEnetRowStatusTable.setStatus('mandatory') lpFiLtFbMacEnetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpFiLtFbMacEnetRowStatusEntry.setStatus('mandatory') lpFiLtFbMacEnetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbMacEnetRowStatus.setStatus('mandatory') lpFiLtFbMacEnetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbMacEnetComponentName.setStatus('mandatory') lpFiLtFbMacEnetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbMacEnetStorageType.setStatus('mandatory') lpFiLtFbMacEnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbMacEnetIndex.setStatus('mandatory') lpFiLtFbMacEnetTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 10), ) if mibBuilder.loadTexts: lpFiLtFbMacEnetTopTable.setStatus('mandatory') lpFiLtFbMacEnetTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpFiLtFbMacEnetTopEntry.setStatus('mandatory') lpFiLtFbMacEnetTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbMacEnetTData.setStatus('mandatory') lpFiLtFbMacTr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5)) lpFiLtFbMacTrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1), ) if mibBuilder.loadTexts: lpFiLtFbMacTrRowStatusTable.setStatus('mandatory') lpFiLtFbMacTrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbMacTrIndex")) if mibBuilder.loadTexts: lpFiLtFbMacTrRowStatusEntry.setStatus('mandatory') lpFiLtFbMacTrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbMacTrRowStatus.setStatus('mandatory') lpFiLtFbMacTrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbMacTrComponentName.setStatus('mandatory') lpFiLtFbMacTrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbMacTrStorageType.setStatus('mandatory') lpFiLtFbMacTrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbMacTrIndex.setStatus('mandatory') lpFiLtFbMacTrTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 10), ) if mibBuilder.loadTexts: lpFiLtFbMacTrTopTable.setStatus('mandatory') lpFiLtFbMacTrTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbMacTrIndex")) if mibBuilder.loadTexts: lpFiLtFbMacTrTopEntry.setStatus('mandatory') lpFiLtFbMacTrTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbMacTrTData.setStatus('mandatory') lpFiLtFbData = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6)) lpFiLtFbDataRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1), ) if mibBuilder.loadTexts: lpFiLtFbDataRowStatusTable.setStatus('mandatory') lpFiLtFbDataRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbDataIndex")) if mibBuilder.loadTexts: lpFiLtFbDataRowStatusEntry.setStatus('mandatory') lpFiLtFbDataRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbDataRowStatus.setStatus('mandatory') lpFiLtFbDataComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbDataComponentName.setStatus('mandatory') lpFiLtFbDataStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbDataStorageType.setStatus('mandatory') lpFiLtFbDataIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbDataIndex.setStatus('mandatory') lpFiLtFbDataTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 10), ) if mibBuilder.loadTexts: lpFiLtFbDataTopTable.setStatus('mandatory') lpFiLtFbDataTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbDataIndex")) if mibBuilder.loadTexts: lpFiLtFbDataTopEntry.setStatus('mandatory') lpFiLtFbDataTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbDataTData.setStatus('mandatory') lpFiLtFbIpH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7)) lpFiLtFbIpHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1), ) if mibBuilder.loadTexts: lpFiLtFbIpHRowStatusTable.setStatus('mandatory') lpFiLtFbIpHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIpHIndex")) if mibBuilder.loadTexts: lpFiLtFbIpHRowStatusEntry.setStatus('mandatory') lpFiLtFbIpHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbIpHRowStatus.setStatus('mandatory') lpFiLtFbIpHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbIpHComponentName.setStatus('mandatory') lpFiLtFbIpHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbIpHStorageType.setStatus('mandatory') lpFiLtFbIpHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbIpHIndex.setStatus('mandatory') lpFiLtFbIpHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 10), ) if mibBuilder.loadTexts: lpFiLtFbIpHTopTable.setStatus('mandatory') lpFiLtFbIpHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIpHIndex")) if mibBuilder.loadTexts: lpFiLtFbIpHTopEntry.setStatus('mandatory') lpFiLtFbIpHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbIpHTData.setStatus('mandatory') lpFiLtFbLlch = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8)) lpFiLtFbLlchRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1), ) if mibBuilder.loadTexts: lpFiLtFbLlchRowStatusTable.setStatus('mandatory') lpFiLtFbLlchRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbLlchIndex")) if mibBuilder.loadTexts: lpFiLtFbLlchRowStatusEntry.setStatus('mandatory') lpFiLtFbLlchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbLlchRowStatus.setStatus('mandatory') lpFiLtFbLlchComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbLlchComponentName.setStatus('mandatory') lpFiLtFbLlchStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbLlchStorageType.setStatus('mandatory') lpFiLtFbLlchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbLlchIndex.setStatus('mandatory') lpFiLtFbLlchTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 10), ) if mibBuilder.loadTexts: lpFiLtFbLlchTopTable.setStatus('mandatory') lpFiLtFbLlchTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbLlchIndex")) if mibBuilder.loadTexts: lpFiLtFbLlchTopEntry.setStatus('mandatory') lpFiLtFbLlchTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbLlchTData.setStatus('mandatory') lpFiLtFbAppleH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9)) lpFiLtFbAppleHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1), ) if mibBuilder.loadTexts: lpFiLtFbAppleHRowStatusTable.setStatus('mandatory') lpFiLtFbAppleHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbAppleHIndex")) if mibBuilder.loadTexts: lpFiLtFbAppleHRowStatusEntry.setStatus('mandatory') lpFiLtFbAppleHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbAppleHRowStatus.setStatus('mandatory') lpFiLtFbAppleHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbAppleHComponentName.setStatus('mandatory') lpFiLtFbAppleHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbAppleHStorageType.setStatus('mandatory') lpFiLtFbAppleHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbAppleHIndex.setStatus('mandatory') lpFiLtFbAppleHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 10), ) if mibBuilder.loadTexts: lpFiLtFbAppleHTopTable.setStatus('mandatory') lpFiLtFbAppleHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbAppleHIndex")) if mibBuilder.loadTexts: lpFiLtFbAppleHTopEntry.setStatus('mandatory') lpFiLtFbAppleHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbAppleHTData.setStatus('mandatory') lpFiLtFbIpxH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10)) lpFiLtFbIpxHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1), ) if mibBuilder.loadTexts: lpFiLtFbIpxHRowStatusTable.setStatus('mandatory') lpFiLtFbIpxHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIpxHIndex")) if mibBuilder.loadTexts: lpFiLtFbIpxHRowStatusEntry.setStatus('mandatory') lpFiLtFbIpxHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbIpxHRowStatus.setStatus('mandatory') lpFiLtFbIpxHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbIpxHComponentName.setStatus('mandatory') lpFiLtFbIpxHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtFbIpxHStorageType.setStatus('mandatory') lpFiLtFbIpxHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtFbIpxHIndex.setStatus('mandatory') lpFiLtFbIpxHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 10), ) if mibBuilder.loadTexts: lpFiLtFbIpxHTopTable.setStatus('mandatory') lpFiLtFbIpxHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtFbIpxHIndex")) if mibBuilder.loadTexts: lpFiLtFbIpxHTopEntry.setStatus('mandatory') lpFiLtFbIpxHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtFbIpxHTData.setStatus('mandatory') lpFiLtCntl = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6)) lpFiLtCntlRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1), ) if mibBuilder.loadTexts: lpFiLtCntlRowStatusTable.setStatus('mandatory') lpFiLtCntlRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtCntlIndex")) if mibBuilder.loadTexts: lpFiLtCntlRowStatusEntry.setStatus('mandatory') lpFiLtCntlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtCntlRowStatus.setStatus('mandatory') lpFiLtCntlComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtCntlComponentName.setStatus('mandatory') lpFiLtCntlStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiLtCntlStorageType.setStatus('mandatory') lpFiLtCntlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiLtCntlIndex.setStatus('mandatory') lpFiLtCntlTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 10), ) if mibBuilder.loadTexts: lpFiLtCntlTopTable.setStatus('mandatory') lpFiLtCntlTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiLtCntlIndex")) if mibBuilder.loadTexts: lpFiLtCntlTopEntry.setStatus('mandatory') lpFiLtCntlTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiLtCntlTData.setStatus('mandatory') lpFiPhy = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3)) lpFiPhyRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1), ) if mibBuilder.loadTexts: lpFiPhyRowStatusTable.setStatus('mandatory') lpFiPhyRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiPhyFddiPhyTypeIndex")) if mibBuilder.loadTexts: lpFiPhyRowStatusEntry.setStatus('mandatory') lpFiPhyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiPhyRowStatus.setStatus('mandatory') lpFiPhyComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyComponentName.setStatus('mandatory') lpFiPhyStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyStorageType.setStatus('mandatory') lpFiPhyFddiPhyTypeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("a", 0), ("b", 1)))) if mibBuilder.loadTexts: lpFiPhyFddiPhyTypeIndex.setStatus('mandatory') lpFiPhyProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10), ) if mibBuilder.loadTexts: lpFiPhyProvTable.setStatus('mandatory') lpFiPhyProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiPhyFddiPhyTypeIndex")) if mibBuilder.loadTexts: lpFiPhyProvEntry.setStatus('mandatory') lpFiPhyLerCutoff = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 15)).clone(7)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiPhyLerCutoff.setStatus('mandatory') lpFiPhyLerAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 15)).clone(8)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiPhyLerAlarm.setStatus('mandatory') lpFiPhyLinkErrorMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiPhyLinkErrorMonitor.setStatus('mandatory') lpFiPhyOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11), ) if mibBuilder.loadTexts: lpFiPhyOperTable.setStatus('mandatory') lpFiPhyOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiPhyFddiPhyTypeIndex")) if mibBuilder.loadTexts: lpFiPhyOperEntry.setStatus('mandatory') lpFiPhyNeighborType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("a", 1), ("b", 2), ("s", 3), ("m", 4), ("none", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyNeighborType.setStatus('mandatory') lpFiPhyLctFailCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyLctFailCounts.setStatus('mandatory') lpFiPhyLerEstimate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 14), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyLerEstimate.setStatus('mandatory') lpFiPhyLemRejectCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyLemRejectCounts.setStatus('mandatory') lpFiPhyLemCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyLemCounts.setStatus('mandatory') lpFiPhyPcmState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("off", 1), ("break", 2), ("trace", 3), ("connect", 4), ("next", 5), ("signal", 6), ("join", 7), ("verify", 8), ("active", 9), ("maint", 10)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyPcmState.setStatus('mandatory') lpFiPhyLerFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhyLerFlag.setStatus('mandatory') lpFiPhySignalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("escape", 0), ("phyTypeL", 1), ("phyTypeH", 2), ("accept", 3), ("lctLengthL", 4), ("lctLengthH", 5), ("macAvail", 6), ("lctResult", 7), ("macLoop", 8), ("macOnPhy", 9), ("signalingDone", 10)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhySignalState.setStatus('mandatory') lpFiPhySignalBitsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhySignalBitsRcvd.setStatus('mandatory') lpFiPhySignalBitsTxmt = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 25), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiPhySignalBitsTxmt.setStatus('mandatory') lpFiTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5)) lpFiTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1), ) if mibBuilder.loadTexts: lpFiTestRowStatusTable.setStatus('mandatory') lpFiTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiTestIndex")) if mibBuilder.loadTexts: lpFiTestRowStatusEntry.setStatus('mandatory') lpFiTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestRowStatus.setStatus('mandatory') lpFiTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestComponentName.setStatus('mandatory') lpFiTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestStorageType.setStatus('mandatory') lpFiTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpFiTestIndex.setStatus('mandatory') lpFiTestPTOTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10), ) if mibBuilder.loadTexts: lpFiTestPTOTable.setStatus('mandatory') lpFiTestPTOEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiTestIndex")) if mibBuilder.loadTexts: lpFiTestPTOEntry.setStatus('mandatory') lpFiTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=NamedValues(("onCard", 0), ("normal", 1), ("wrapA", 257), ("wrapB", 258), ("thruA", 259), ("thruB", 260), ("extWrapA", 263), ("extWrapB", 264), ("extThruA", 265), ("extThruB", 266), ("extWrapAB", 267), ("extWrapBA", 268)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiTestType.setStatus('mandatory') lpFiTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiTestFrmSize.setStatus('mandatory') lpFiTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpFiTestDuration.setStatus('mandatory') lpFiTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11), ) if mibBuilder.loadTexts: lpFiTestResultsTable.setStatus('mandatory') lpFiTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpFiTestIndex")) if mibBuilder.loadTexts: lpFiTestResultsEntry.setStatus('mandatory') lpFiTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestElapsedTime.setStatus('mandatory') lpFiTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestTimeRemaining.setStatus('mandatory') lpFiTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4))).clone('neverStarted')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestCauseOfTermination.setStatus('mandatory') lpFiTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 7), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestFrmTx.setStatus('mandatory') lpFiTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 8), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestBitsTx.setStatus('mandatory') lpFiTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 9), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestFrmRx.setStatus('mandatory') lpFiTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 10), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestBitsRx.setStatus('mandatory') lpFiTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 11), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpFiTestErroredFrmRx.setStatus('mandatory') lpTr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13)) lpTrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1), ) if mibBuilder.loadTexts: lpTrRowStatusTable.setStatus('mandatory') lpTrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrRowStatusEntry.setStatus('mandatory') lpTrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrRowStatus.setStatus('mandatory') lpTrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrComponentName.setStatus('mandatory') lpTrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrStorageType.setStatus('mandatory') lpTrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))) if mibBuilder.loadTexts: lpTrIndex.setStatus('mandatory') lpTrCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 10), ) if mibBuilder.loadTexts: lpTrCidDataTable.setStatus('mandatory') lpTrCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrCidDataEntry.setStatus('mandatory') lpTrCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrCustomerIdentifier.setStatus('mandatory') lpTrIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11), ) if mibBuilder.loadTexts: lpTrIfEntryTable.setStatus('mandatory') lpTrIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrIfEntryEntry.setStatus('mandatory') lpTrIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11, 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: lpTrIfAdminStatus.setStatus('mandatory') lpTrIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrIfIndex.setStatus('mandatory') lpTrProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12), ) if mibBuilder.loadTexts: lpTrProvTable.setStatus('mandatory') lpTrProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrProvEntry.setStatus('mandatory') lpTrRingSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3, 4))).clone(namedValues=NamedValues(("fourMegabit", 3), ("sixteenMegabit", 4))).clone('sixteenMegabit')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrRingSpeed.setStatus('mandatory') lpTrMonitorParticipate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2))).clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrMonitorParticipate.setStatus('mandatory') lpTrFunctionalAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 3), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6).clone(hexValue="0300feff8f01")).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrFunctionalAddress.setStatus('mandatory') lpTrNodeAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 4), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6).clone(hexValue="000000000000")).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrNodeAddress.setStatus('mandatory') lpTrGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 5), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6).clone(hexValue="030001000000")).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrGroupAddress.setStatus('mandatory') lpTrProductId = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 6), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 18)).clone(hexValue="4c414e20546f6b656e2052696e67")).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrProductId.setStatus('mandatory') lpTrApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 7), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrApplicationFramerName.setStatus('mandatory') lpTrAdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13), ) if mibBuilder.loadTexts: lpTrAdminInfoTable.setStatus('mandatory') lpTrAdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrAdminInfoEntry.setStatus('mandatory') lpTrVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrVendor.setStatus('mandatory') lpTrCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrCommentText.setStatus('mandatory') lpTrStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 15), ) if mibBuilder.loadTexts: lpTrStateTable.setStatus('mandatory') lpTrStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 15, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrStateEntry.setStatus('mandatory') lpTrAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 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: lpTrAdminState.setStatus('mandatory') lpTrOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrOperationalState.setStatus('mandatory') lpTrUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 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: lpTrUsageState.setStatus('mandatory') lpTrOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 16), ) if mibBuilder.loadTexts: lpTrOperStatusTable.setStatus('mandatory') lpTrOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 16, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrOperStatusEntry.setStatus('mandatory') lpTrSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 16, 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: lpTrSnmpOperStatus.setStatus('mandatory') lpTrOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17), ) if mibBuilder.loadTexts: lpTrOperTable.setStatus('mandatory') lpTrOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrOperEntry.setStatus('mandatory') lpTrMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 2), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6).clone(hexValue="000000000000")).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrMacAddress.setStatus('mandatory') lpTrRingState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("opened", 1), ("closed", 2), ("opening", 3), ("closing", 4), ("openFailure", 5), ("ringFailure", 6))).clone('ringFailure')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrRingState.setStatus('mandatory') lpTrRingStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(3, 3)).setFixedLength(3).clone(hexValue="000040")).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrRingStatus.setStatus('mandatory') lpTrRingOpenStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("noOpen", 1), ("badParam", 2), ("lobeFailed", 3), ("signalLoss", 4), ("insertionTimeout", 5), ("ringFailed", 6), ("beaconing", 7), ("duplicateMac", 8), ("requestFailed", 9), ("removeReceived", 10), ("open", 11))).clone('noOpen')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrRingOpenStatus.setStatus('mandatory') lpTrUpStream = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 7), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6).clone(hexValue="000000000000")).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrUpStream.setStatus('mandatory') lpTrChipSet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ibm16", 1), ("titms380", 2), ("titms380c16", 3), ("titms380c26", 4))).clone('titms380c16')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrChipSet.setStatus('mandatory') lpTrLastTimeBeaconSent = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 10), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLastTimeBeaconSent.setStatus('mandatory') lpTrStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18), ) if mibBuilder.loadTexts: lpTrStatsTable.setStatus('mandatory') lpTrStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrStatsEntry.setStatus('mandatory') lpTrLineErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLineErrors.setStatus('mandatory') lpTrBurstErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrBurstErrors.setStatus('mandatory') lpTrAcErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrAcErrors.setStatus('mandatory') lpTrAbortTransErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrAbortTransErrors.setStatus('mandatory') lpTrInternalErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrInternalErrors.setStatus('mandatory') lpTrLostFrameErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLostFrameErrors.setStatus('mandatory') lpTrReceiveCongestions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrReceiveCongestions.setStatus('mandatory') lpTrFrameCopiedErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrFrameCopiedErrors.setStatus('mandatory') lpTrTokenErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTokenErrors.setStatus('mandatory') lpTrSoftErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrSoftErrors.setStatus('mandatory') lpTrHardErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrHardErrors.setStatus('mandatory') lpTrSignalLoss = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrSignalLoss.setStatus('mandatory') lpTrTransmitBeacons = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTransmitBeacons.setStatus('mandatory') lpTrRingRecoverys = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrRingRecoverys.setStatus('mandatory') lpTrLobeWires = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLobeWires.setStatus('mandatory') lpTrRemoveRings = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrRemoveRings.setStatus('mandatory') lpTrSingleStation = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrSingleStation.setStatus('mandatory') lpTrFreqErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrFreqErrors.setStatus('mandatory') lpTrNcMacOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20), ) if mibBuilder.loadTexts: lpTrNcMacOperTable.setStatus('mandatory') lpTrNcMacOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex")) if mibBuilder.loadTexts: lpTrNcMacOperEntry.setStatus('mandatory') lpTrNcMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20, 1, 1), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrNcMacAddress.setStatus('mandatory') lpTrNcUpStream = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20, 1, 2), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrNcUpStream.setStatus('mandatory') lpTrLt = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2)) lpTrLtRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1), ) if mibBuilder.loadTexts: lpTrLtRowStatusTable.setStatus('mandatory') lpTrLtRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex")) if mibBuilder.loadTexts: lpTrLtRowStatusEntry.setStatus('mandatory') lpTrLtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtRowStatus.setStatus('mandatory') lpTrLtComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtComponentName.setStatus('mandatory') lpTrLtStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtStorageType.setStatus('mandatory') lpTrLtIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtIndex.setStatus('mandatory') lpTrLtTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 20), ) if mibBuilder.loadTexts: lpTrLtTopTable.setStatus('mandatory') lpTrLtTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex")) if mibBuilder.loadTexts: lpTrLtTopEntry.setStatus('mandatory') lpTrLtTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtTData.setStatus('mandatory') lpTrLtFrmCmp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2)) lpTrLtFrmCmpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1), ) if mibBuilder.loadTexts: lpTrLtFrmCmpRowStatusTable.setStatus('mandatory') lpTrLtFrmCmpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFrmCmpIndex")) if mibBuilder.loadTexts: lpTrLtFrmCmpRowStatusEntry.setStatus('mandatory') lpTrLtFrmCmpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFrmCmpRowStatus.setStatus('mandatory') lpTrLtFrmCmpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFrmCmpComponentName.setStatus('mandatory') lpTrLtFrmCmpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFrmCmpStorageType.setStatus('mandatory') lpTrLtFrmCmpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFrmCmpIndex.setStatus('mandatory') lpTrLtFrmCmpTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 10), ) if mibBuilder.loadTexts: lpTrLtFrmCmpTopTable.setStatus('mandatory') lpTrLtFrmCmpTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFrmCmpIndex")) if mibBuilder.loadTexts: lpTrLtFrmCmpTopEntry.setStatus('mandatory') lpTrLtFrmCmpTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFrmCmpTData.setStatus('mandatory') lpTrLtFrmCpy = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3)) lpTrLtFrmCpyRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1), ) if mibBuilder.loadTexts: lpTrLtFrmCpyRowStatusTable.setStatus('mandatory') lpTrLtFrmCpyRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFrmCpyIndex")) if mibBuilder.loadTexts: lpTrLtFrmCpyRowStatusEntry.setStatus('mandatory') lpTrLtFrmCpyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFrmCpyRowStatus.setStatus('mandatory') lpTrLtFrmCpyComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFrmCpyComponentName.setStatus('mandatory') lpTrLtFrmCpyStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFrmCpyStorageType.setStatus('mandatory') lpTrLtFrmCpyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFrmCpyIndex.setStatus('mandatory') lpTrLtFrmCpyTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 10), ) if mibBuilder.loadTexts: lpTrLtFrmCpyTopTable.setStatus('mandatory') lpTrLtFrmCpyTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFrmCpyIndex")) if mibBuilder.loadTexts: lpTrLtFrmCpyTopEntry.setStatus('mandatory') lpTrLtFrmCpyTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFrmCpyTData.setStatus('mandatory') lpTrLtPrtCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4)) lpTrLtPrtCfgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1), ) if mibBuilder.loadTexts: lpTrLtPrtCfgRowStatusTable.setStatus('mandatory') lpTrLtPrtCfgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtPrtCfgIndex")) if mibBuilder.loadTexts: lpTrLtPrtCfgRowStatusEntry.setStatus('mandatory') lpTrLtPrtCfgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtPrtCfgRowStatus.setStatus('mandatory') lpTrLtPrtCfgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtPrtCfgComponentName.setStatus('mandatory') lpTrLtPrtCfgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtPrtCfgStorageType.setStatus('mandatory') lpTrLtPrtCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtPrtCfgIndex.setStatus('mandatory') lpTrLtPrtCfgTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 10), ) if mibBuilder.loadTexts: lpTrLtPrtCfgTopTable.setStatus('mandatory') lpTrLtPrtCfgTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtPrtCfgIndex")) if mibBuilder.loadTexts: lpTrLtPrtCfgTopEntry.setStatus('mandatory') lpTrLtPrtCfgTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtPrtCfgTData.setStatus('mandatory') lpTrLtFb = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5)) lpTrLtFbRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1), ) if mibBuilder.loadTexts: lpTrLtFbRowStatusTable.setStatus('mandatory') lpTrLtFbRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex")) if mibBuilder.loadTexts: lpTrLtFbRowStatusEntry.setStatus('mandatory') lpTrLtFbRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbRowStatus.setStatus('mandatory') lpTrLtFbComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbComponentName.setStatus('mandatory') lpTrLtFbStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbStorageType.setStatus('mandatory') lpTrLtFbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbIndex.setStatus('mandatory') lpTrLtFbTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 20), ) if mibBuilder.loadTexts: lpTrLtFbTopTable.setStatus('mandatory') lpTrLtFbTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex")) if mibBuilder.loadTexts: lpTrLtFbTopEntry.setStatus('mandatory') lpTrLtFbTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbTData.setStatus('mandatory') lpTrLtFbTxInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2)) lpTrLtFbTxInfoRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1), ) if mibBuilder.loadTexts: lpTrLtFbTxInfoRowStatusTable.setStatus('mandatory') lpTrLtFbTxInfoRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpTrLtFbTxInfoRowStatusEntry.setStatus('mandatory') lpTrLtFbTxInfoRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbTxInfoRowStatus.setStatus('mandatory') lpTrLtFbTxInfoComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbTxInfoComponentName.setStatus('mandatory') lpTrLtFbTxInfoStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbTxInfoStorageType.setStatus('mandatory') lpTrLtFbTxInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbTxInfoIndex.setStatus('mandatory') lpTrLtFbTxInfoTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 10), ) if mibBuilder.loadTexts: lpTrLtFbTxInfoTopTable.setStatus('mandatory') lpTrLtFbTxInfoTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpTrLtFbTxInfoTopEntry.setStatus('mandatory') lpTrLtFbTxInfoTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbTxInfoTData.setStatus('mandatory') lpTrLtFbFddiMac = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3)) lpTrLtFbFddiMacRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1), ) if mibBuilder.loadTexts: lpTrLtFbFddiMacRowStatusTable.setStatus('mandatory') lpTrLtFbFddiMacRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpTrLtFbFddiMacRowStatusEntry.setStatus('mandatory') lpTrLtFbFddiMacRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbFddiMacRowStatus.setStatus('mandatory') lpTrLtFbFddiMacComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbFddiMacComponentName.setStatus('mandatory') lpTrLtFbFddiMacStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbFddiMacStorageType.setStatus('mandatory') lpTrLtFbFddiMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbFddiMacIndex.setStatus('mandatory') lpTrLtFbFddiMacTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 10), ) if mibBuilder.loadTexts: lpTrLtFbFddiMacTopTable.setStatus('mandatory') lpTrLtFbFddiMacTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpTrLtFbFddiMacTopEntry.setStatus('mandatory') lpTrLtFbFddiMacTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbFddiMacTData.setStatus('mandatory') lpTrLtFbMacEnet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4)) lpTrLtFbMacEnetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1), ) if mibBuilder.loadTexts: lpTrLtFbMacEnetRowStatusTable.setStatus('mandatory') lpTrLtFbMacEnetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpTrLtFbMacEnetRowStatusEntry.setStatus('mandatory') lpTrLtFbMacEnetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbMacEnetRowStatus.setStatus('mandatory') lpTrLtFbMacEnetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbMacEnetComponentName.setStatus('mandatory') lpTrLtFbMacEnetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbMacEnetStorageType.setStatus('mandatory') lpTrLtFbMacEnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbMacEnetIndex.setStatus('mandatory') lpTrLtFbMacEnetTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 10), ) if mibBuilder.loadTexts: lpTrLtFbMacEnetTopTable.setStatus('mandatory') lpTrLtFbMacEnetTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpTrLtFbMacEnetTopEntry.setStatus('mandatory') lpTrLtFbMacEnetTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbMacEnetTData.setStatus('mandatory') lpTrLtFbMacTr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5)) lpTrLtFbMacTrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1), ) if mibBuilder.loadTexts: lpTrLtFbMacTrRowStatusTable.setStatus('mandatory') lpTrLtFbMacTrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbMacTrIndex")) if mibBuilder.loadTexts: lpTrLtFbMacTrRowStatusEntry.setStatus('mandatory') lpTrLtFbMacTrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbMacTrRowStatus.setStatus('mandatory') lpTrLtFbMacTrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbMacTrComponentName.setStatus('mandatory') lpTrLtFbMacTrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbMacTrStorageType.setStatus('mandatory') lpTrLtFbMacTrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbMacTrIndex.setStatus('mandatory') lpTrLtFbMacTrTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 10), ) if mibBuilder.loadTexts: lpTrLtFbMacTrTopTable.setStatus('mandatory') lpTrLtFbMacTrTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbMacTrIndex")) if mibBuilder.loadTexts: lpTrLtFbMacTrTopEntry.setStatus('mandatory') lpTrLtFbMacTrTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbMacTrTData.setStatus('mandatory') lpTrLtFbData = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6)) lpTrLtFbDataRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1), ) if mibBuilder.loadTexts: lpTrLtFbDataRowStatusTable.setStatus('mandatory') lpTrLtFbDataRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbDataIndex")) if mibBuilder.loadTexts: lpTrLtFbDataRowStatusEntry.setStatus('mandatory') lpTrLtFbDataRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbDataRowStatus.setStatus('mandatory') lpTrLtFbDataComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbDataComponentName.setStatus('mandatory') lpTrLtFbDataStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbDataStorageType.setStatus('mandatory') lpTrLtFbDataIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbDataIndex.setStatus('mandatory') lpTrLtFbDataTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 10), ) if mibBuilder.loadTexts: lpTrLtFbDataTopTable.setStatus('mandatory') lpTrLtFbDataTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbDataIndex")) if mibBuilder.loadTexts: lpTrLtFbDataTopEntry.setStatus('mandatory') lpTrLtFbDataTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbDataTData.setStatus('mandatory') lpTrLtFbIpH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7)) lpTrLtFbIpHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1), ) if mibBuilder.loadTexts: lpTrLtFbIpHRowStatusTable.setStatus('mandatory') lpTrLtFbIpHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIpHIndex")) if mibBuilder.loadTexts: lpTrLtFbIpHRowStatusEntry.setStatus('mandatory') lpTrLtFbIpHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbIpHRowStatus.setStatus('mandatory') lpTrLtFbIpHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbIpHComponentName.setStatus('mandatory') lpTrLtFbIpHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbIpHStorageType.setStatus('mandatory') lpTrLtFbIpHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbIpHIndex.setStatus('mandatory') lpTrLtFbIpHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 10), ) if mibBuilder.loadTexts: lpTrLtFbIpHTopTable.setStatus('mandatory') lpTrLtFbIpHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIpHIndex")) if mibBuilder.loadTexts: lpTrLtFbIpHTopEntry.setStatus('mandatory') lpTrLtFbIpHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbIpHTData.setStatus('mandatory') lpTrLtFbLlch = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8)) lpTrLtFbLlchRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1), ) if mibBuilder.loadTexts: lpTrLtFbLlchRowStatusTable.setStatus('mandatory') lpTrLtFbLlchRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbLlchIndex")) if mibBuilder.loadTexts: lpTrLtFbLlchRowStatusEntry.setStatus('mandatory') lpTrLtFbLlchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbLlchRowStatus.setStatus('mandatory') lpTrLtFbLlchComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbLlchComponentName.setStatus('mandatory') lpTrLtFbLlchStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbLlchStorageType.setStatus('mandatory') lpTrLtFbLlchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbLlchIndex.setStatus('mandatory') lpTrLtFbLlchTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 10), ) if mibBuilder.loadTexts: lpTrLtFbLlchTopTable.setStatus('mandatory') lpTrLtFbLlchTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbLlchIndex")) if mibBuilder.loadTexts: lpTrLtFbLlchTopEntry.setStatus('mandatory') lpTrLtFbLlchTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbLlchTData.setStatus('mandatory') lpTrLtFbAppleH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9)) lpTrLtFbAppleHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1), ) if mibBuilder.loadTexts: lpTrLtFbAppleHRowStatusTable.setStatus('mandatory') lpTrLtFbAppleHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbAppleHIndex")) if mibBuilder.loadTexts: lpTrLtFbAppleHRowStatusEntry.setStatus('mandatory') lpTrLtFbAppleHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbAppleHRowStatus.setStatus('mandatory') lpTrLtFbAppleHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbAppleHComponentName.setStatus('mandatory') lpTrLtFbAppleHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbAppleHStorageType.setStatus('mandatory') lpTrLtFbAppleHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbAppleHIndex.setStatus('mandatory') lpTrLtFbAppleHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 10), ) if mibBuilder.loadTexts: lpTrLtFbAppleHTopTable.setStatus('mandatory') lpTrLtFbAppleHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbAppleHIndex")) if mibBuilder.loadTexts: lpTrLtFbAppleHTopEntry.setStatus('mandatory') lpTrLtFbAppleHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbAppleHTData.setStatus('mandatory') lpTrLtFbIpxH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10)) lpTrLtFbIpxHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1), ) if mibBuilder.loadTexts: lpTrLtFbIpxHRowStatusTable.setStatus('mandatory') lpTrLtFbIpxHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIpxHIndex")) if mibBuilder.loadTexts: lpTrLtFbIpxHRowStatusEntry.setStatus('mandatory') lpTrLtFbIpxHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbIpxHRowStatus.setStatus('mandatory') lpTrLtFbIpxHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbIpxHComponentName.setStatus('mandatory') lpTrLtFbIpxHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtFbIpxHStorageType.setStatus('mandatory') lpTrLtFbIpxHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtFbIpxHIndex.setStatus('mandatory') lpTrLtFbIpxHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 10), ) if mibBuilder.loadTexts: lpTrLtFbIpxHTopTable.setStatus('mandatory') lpTrLtFbIpxHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtFbIpxHIndex")) if mibBuilder.loadTexts: lpTrLtFbIpxHTopEntry.setStatus('mandatory') lpTrLtFbIpxHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtFbIpxHTData.setStatus('mandatory') lpTrLtCntl = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6)) lpTrLtCntlRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1), ) if mibBuilder.loadTexts: lpTrLtCntlRowStatusTable.setStatus('mandatory') lpTrLtCntlRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtCntlIndex")) if mibBuilder.loadTexts: lpTrLtCntlRowStatusEntry.setStatus('mandatory') lpTrLtCntlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtCntlRowStatus.setStatus('mandatory') lpTrLtCntlComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtCntlComponentName.setStatus('mandatory') lpTrLtCntlStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrLtCntlStorageType.setStatus('mandatory') lpTrLtCntlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrLtCntlIndex.setStatus('mandatory') lpTrLtCntlTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 10), ) if mibBuilder.loadTexts: lpTrLtCntlTopTable.setStatus('mandatory') lpTrLtCntlTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrLtCntlIndex")) if mibBuilder.loadTexts: lpTrLtCntlTopEntry.setStatus('mandatory') lpTrLtCntlTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrLtCntlTData.setStatus('mandatory') lpTrTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5)) lpTrTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1), ) if mibBuilder.loadTexts: lpTrTestRowStatusTable.setStatus('mandatory') lpTrTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrTestIndex")) if mibBuilder.loadTexts: lpTrTestRowStatusEntry.setStatus('mandatory') lpTrTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestRowStatus.setStatus('mandatory') lpTrTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestComponentName.setStatus('mandatory') lpTrTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestStorageType.setStatus('mandatory') lpTrTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpTrTestIndex.setStatus('mandatory') lpTrTestPTOTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10), ) if mibBuilder.loadTexts: lpTrTestPTOTable.setStatus('mandatory') lpTrTestPTOEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrTestIndex")) if mibBuilder.loadTexts: lpTrTestPTOEntry.setStatus('mandatory') lpTrTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=NamedValues(("onCard", 0), ("normal", 1), ("wrapA", 257), ("wrapB", 258), ("thruA", 259), ("thruB", 260), ("extWrapA", 263), ("extWrapB", 264), ("extThruA", 265), ("extThruB", 266), ("extWrapAB", 267), ("extWrapBA", 268)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrTestType.setStatus('mandatory') lpTrTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrTestFrmSize.setStatus('mandatory') lpTrTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpTrTestDuration.setStatus('mandatory') lpTrTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11), ) if mibBuilder.loadTexts: lpTrTestResultsTable.setStatus('mandatory') lpTrTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpTrTestIndex")) if mibBuilder.loadTexts: lpTrTestResultsEntry.setStatus('mandatory') lpTrTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestElapsedTime.setStatus('mandatory') lpTrTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestTimeRemaining.setStatus('mandatory') lpTrTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4))).clone('neverStarted')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestCauseOfTermination.setStatus('mandatory') lpTrTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 7), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestFrmTx.setStatus('mandatory') lpTrTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 8), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestBitsTx.setStatus('mandatory') lpTrTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 9), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestFrmRx.setStatus('mandatory') lpTrTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 10), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestBitsRx.setStatus('mandatory') lpTrTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 11), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpTrTestErroredFrmRx.setStatus('mandatory') lpIlsFwdr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21)) lpIlsFwdrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1), ) if mibBuilder.loadTexts: lpIlsFwdrRowStatusTable.setStatus('mandatory') lpIlsFwdrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex")) if mibBuilder.loadTexts: lpIlsFwdrRowStatusEntry.setStatus('mandatory') lpIlsFwdrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrRowStatus.setStatus('mandatory') lpIlsFwdrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrComponentName.setStatus('mandatory') lpIlsFwdrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrStorageType.setStatus('mandatory') lpIlsFwdrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0))) if mibBuilder.loadTexts: lpIlsFwdrIndex.setStatus('mandatory') lpIlsFwdrIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11), ) if mibBuilder.loadTexts: lpIlsFwdrIfEntryTable.setStatus('mandatory') lpIlsFwdrIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex")) if mibBuilder.loadTexts: lpIlsFwdrIfEntryEntry.setStatus('mandatory') lpIlsFwdrIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11, 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: lpIlsFwdrIfAdminStatus.setStatus('mandatory') lpIlsFwdrIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrIfIndex.setStatus('mandatory') lpIlsFwdrStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 12), ) if mibBuilder.loadTexts: lpIlsFwdrStateTable.setStatus('mandatory') lpIlsFwdrStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex")) if mibBuilder.loadTexts: lpIlsFwdrStateEntry.setStatus('mandatory') lpIlsFwdrAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrAdminState.setStatus('mandatory') lpIlsFwdrOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrOperationalState.setStatus('mandatory') lpIlsFwdrUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrUsageState.setStatus('mandatory') lpIlsFwdrOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 13), ) if mibBuilder.loadTexts: lpIlsFwdrOperStatusTable.setStatus('mandatory') lpIlsFwdrOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex")) if mibBuilder.loadTexts: lpIlsFwdrOperStatusEntry.setStatus('mandatory') lpIlsFwdrSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrSnmpOperStatus.setStatus('mandatory') lpIlsFwdrStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14), ) if mibBuilder.loadTexts: lpIlsFwdrStatsTable.setStatus('mandatory') lpIlsFwdrStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex")) if mibBuilder.loadTexts: lpIlsFwdrStatsEntry.setStatus('mandatory') lpIlsFwdrFramesReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 1), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrFramesReceived.setStatus('mandatory') lpIlsFwdrProcessedCount = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 2), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrProcessedCount.setStatus('mandatory') lpIlsFwdrErrorCount = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 3), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrErrorCount.setStatus('mandatory') lpIlsFwdrFramesDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 4), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrFramesDiscarded.setStatus('mandatory') lpIlsFwdrLinkToTrafficSourceTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 312), ) if mibBuilder.loadTexts: lpIlsFwdrLinkToTrafficSourceTable.setStatus('mandatory') lpIlsFwdrLinkToTrafficSourceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 312, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLinkToTrafficSourceValue")) if mibBuilder.loadTexts: lpIlsFwdrLinkToTrafficSourceEntry.setStatus('mandatory') lpIlsFwdrLinkToTrafficSourceValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 312, 1, 1), Link()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLinkToTrafficSourceValue.setStatus('mandatory') lpIlsFwdrLt = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2)) lpIlsFwdrLtRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtRowStatusTable.setStatus('mandatory') lpIlsFwdrLtRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtRowStatus.setStatus('mandatory') lpIlsFwdrLtComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtComponentName.setStatus('mandatory') lpIlsFwdrLtStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtStorageType.setStatus('mandatory') lpIlsFwdrLtIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtIndex.setStatus('mandatory') lpIlsFwdrLtTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 20), ) if mibBuilder.loadTexts: lpIlsFwdrLtTopTable.setStatus('mandatory') lpIlsFwdrLtTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtTopEntry.setStatus('mandatory') lpIlsFwdrLtTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtTData.setStatus('mandatory') lpIlsFwdrLtFrmCmp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2)) lpIlsFwdrLtFrmCmpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFrmCmpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFrmCmpIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFrmCmpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpRowStatus.setStatus('mandatory') lpIlsFwdrLtFrmCmpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpComponentName.setStatus('mandatory') lpIlsFwdrLtFrmCmpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpStorageType.setStatus('mandatory') lpIlsFwdrLtFrmCmpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpIndex.setStatus('mandatory') lpIlsFwdrLtFrmCmpTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpTopTable.setStatus('mandatory') lpIlsFwdrLtFrmCmpTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFrmCmpIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpTopEntry.setStatus('mandatory') lpIlsFwdrLtFrmCmpTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpTData.setStatus('mandatory') lpIlsFwdrLtFrmCpy = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3)) lpIlsFwdrLtFrmCpyRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFrmCpyRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFrmCpyIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFrmCpyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyRowStatus.setStatus('mandatory') lpIlsFwdrLtFrmCpyComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyComponentName.setStatus('mandatory') lpIlsFwdrLtFrmCpyStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyStorageType.setStatus('mandatory') lpIlsFwdrLtFrmCpyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyIndex.setStatus('mandatory') lpIlsFwdrLtFrmCpyTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyTopTable.setStatus('mandatory') lpIlsFwdrLtFrmCpyTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFrmCpyIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyTopEntry.setStatus('mandatory') lpIlsFwdrLtFrmCpyTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyTData.setStatus('mandatory') lpIlsFwdrLtPrtCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4)) lpIlsFwdrLtPrtCfgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgRowStatusTable.setStatus('mandatory') lpIlsFwdrLtPrtCfgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtPrtCfgIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtPrtCfgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgRowStatus.setStatus('mandatory') lpIlsFwdrLtPrtCfgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgComponentName.setStatus('mandatory') lpIlsFwdrLtPrtCfgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgStorageType.setStatus('mandatory') lpIlsFwdrLtPrtCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgIndex.setStatus('mandatory') lpIlsFwdrLtPrtCfgTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgTopTable.setStatus('mandatory') lpIlsFwdrLtPrtCfgTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtPrtCfgIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgTopEntry.setStatus('mandatory') lpIlsFwdrLtPrtCfgTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgTData.setStatus('mandatory') lpIlsFwdrLtFb = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5)) lpIlsFwdrLtFbRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbRowStatus.setStatus('mandatory') lpIlsFwdrLtFbComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbComponentName.setStatus('mandatory') lpIlsFwdrLtFbStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbStorageType.setStatus('mandatory') lpIlsFwdrLtFbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbIndex.setStatus('mandatory') lpIlsFwdrLtFbTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 20), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbTopTable.setStatus('mandatory') lpIlsFwdrLtFbTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbTopEntry.setStatus('mandatory') lpIlsFwdrLtFbTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbTData.setStatus('mandatory') lpIlsFwdrLtFbTxInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2)) lpIlsFwdrLtFbTxInfoRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbTxInfoRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbTxInfoRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoRowStatus.setStatus('mandatory') lpIlsFwdrLtFbTxInfoComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoComponentName.setStatus('mandatory') lpIlsFwdrLtFbTxInfoStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoStorageType.setStatus('mandatory') lpIlsFwdrLtFbTxInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoIndex.setStatus('mandatory') lpIlsFwdrLtFbTxInfoTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoTopTable.setStatus('mandatory') lpIlsFwdrLtFbTxInfoTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbTxInfoIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoTopEntry.setStatus('mandatory') lpIlsFwdrLtFbTxInfoTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoTData.setStatus('mandatory') lpIlsFwdrLtFbFddiMac = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3)) lpIlsFwdrLtFbFddiMacRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbFddiMacRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbFddiMacRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacRowStatus.setStatus('mandatory') lpIlsFwdrLtFbFddiMacComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacComponentName.setStatus('mandatory') lpIlsFwdrLtFbFddiMacStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacStorageType.setStatus('mandatory') lpIlsFwdrLtFbFddiMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacIndex.setStatus('mandatory') lpIlsFwdrLtFbFddiMacTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacTopTable.setStatus('mandatory') lpIlsFwdrLtFbFddiMacTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbFddiMacIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacTopEntry.setStatus('mandatory') lpIlsFwdrLtFbFddiMacTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacTData.setStatus('mandatory') lpIlsFwdrLtFbMacEnet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4)) lpIlsFwdrLtFbMacEnetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbMacEnetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbMacEnetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetRowStatus.setStatus('mandatory') lpIlsFwdrLtFbMacEnetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetComponentName.setStatus('mandatory') lpIlsFwdrLtFbMacEnetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetStorageType.setStatus('mandatory') lpIlsFwdrLtFbMacEnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetIndex.setStatus('mandatory') lpIlsFwdrLtFbMacEnetTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetTopTable.setStatus('mandatory') lpIlsFwdrLtFbMacEnetTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbMacEnetIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetTopEntry.setStatus('mandatory') lpIlsFwdrLtFbMacEnetTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetTData.setStatus('mandatory') lpIlsFwdrLtFbMacTr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5)) lpIlsFwdrLtFbMacTrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbMacTrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbMacTrIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbMacTrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrRowStatus.setStatus('mandatory') lpIlsFwdrLtFbMacTrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrComponentName.setStatus('mandatory') lpIlsFwdrLtFbMacTrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrStorageType.setStatus('mandatory') lpIlsFwdrLtFbMacTrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrIndex.setStatus('mandatory') lpIlsFwdrLtFbMacTrTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrTopTable.setStatus('mandatory') lpIlsFwdrLtFbMacTrTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbMacTrIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrTopEntry.setStatus('mandatory') lpIlsFwdrLtFbMacTrTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrTData.setStatus('mandatory') lpIlsFwdrLtFbData = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6)) lpIlsFwdrLtFbDataRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbDataRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbDataIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbDataRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbDataRowStatus.setStatus('mandatory') lpIlsFwdrLtFbDataComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbDataComponentName.setStatus('mandatory') lpIlsFwdrLtFbDataStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbDataStorageType.setStatus('mandatory') lpIlsFwdrLtFbDataIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataIndex.setStatus('mandatory') lpIlsFwdrLtFbDataTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataTopTable.setStatus('mandatory') lpIlsFwdrLtFbDataTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbDataIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataTopEntry.setStatus('mandatory') lpIlsFwdrLtFbDataTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbDataTData.setStatus('mandatory') lpIlsFwdrLtFbIpH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7)) lpIlsFwdrLtFbIpHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbIpHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIpHIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbIpHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHRowStatus.setStatus('mandatory') lpIlsFwdrLtFbIpHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHComponentName.setStatus('mandatory') lpIlsFwdrLtFbIpHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHStorageType.setStatus('mandatory') lpIlsFwdrLtFbIpHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHIndex.setStatus('mandatory') lpIlsFwdrLtFbIpHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHTopTable.setStatus('mandatory') lpIlsFwdrLtFbIpHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIpHIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHTopEntry.setStatus('mandatory') lpIlsFwdrLtFbIpHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHTData.setStatus('mandatory') lpIlsFwdrLtFbLlch = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8)) lpIlsFwdrLtFbLlchRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbLlchRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbLlchIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbLlchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchRowStatus.setStatus('mandatory') lpIlsFwdrLtFbLlchComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchComponentName.setStatus('mandatory') lpIlsFwdrLtFbLlchStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchStorageType.setStatus('mandatory') lpIlsFwdrLtFbLlchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchIndex.setStatus('mandatory') lpIlsFwdrLtFbLlchTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchTopTable.setStatus('mandatory') lpIlsFwdrLtFbLlchTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbLlchIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchTopEntry.setStatus('mandatory') lpIlsFwdrLtFbLlchTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchTData.setStatus('mandatory') lpIlsFwdrLtFbAppleH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9)) lpIlsFwdrLtFbAppleHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbAppleHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbAppleHIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbAppleHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHRowStatus.setStatus('mandatory') lpIlsFwdrLtFbAppleHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHComponentName.setStatus('mandatory') lpIlsFwdrLtFbAppleHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHStorageType.setStatus('mandatory') lpIlsFwdrLtFbAppleHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHIndex.setStatus('mandatory') lpIlsFwdrLtFbAppleHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHTopTable.setStatus('mandatory') lpIlsFwdrLtFbAppleHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbAppleHIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHTopEntry.setStatus('mandatory') lpIlsFwdrLtFbAppleHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHTData.setStatus('mandatory') lpIlsFwdrLtFbIpxH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10)) lpIlsFwdrLtFbIpxHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHRowStatusTable.setStatus('mandatory') lpIlsFwdrLtFbIpxHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIpxHIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtFbIpxHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHRowStatus.setStatus('mandatory') lpIlsFwdrLtFbIpxHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHComponentName.setStatus('mandatory') lpIlsFwdrLtFbIpxHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHStorageType.setStatus('mandatory') lpIlsFwdrLtFbIpxHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHIndex.setStatus('mandatory') lpIlsFwdrLtFbIpxHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHTopTable.setStatus('mandatory') lpIlsFwdrLtFbIpxHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtFbIpxHIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHTopEntry.setStatus('mandatory') lpIlsFwdrLtFbIpxHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHTData.setStatus('mandatory') lpIlsFwdrLtCntl = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6)) lpIlsFwdrLtCntlRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1), ) if mibBuilder.loadTexts: lpIlsFwdrLtCntlRowStatusTable.setStatus('mandatory') lpIlsFwdrLtCntlRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtCntlIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtCntlRowStatusEntry.setStatus('mandatory') lpIlsFwdrLtCntlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtCntlRowStatus.setStatus('mandatory') lpIlsFwdrLtCntlComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtCntlComponentName.setStatus('mandatory') lpIlsFwdrLtCntlStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrLtCntlStorageType.setStatus('mandatory') lpIlsFwdrLtCntlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrLtCntlIndex.setStatus('mandatory') lpIlsFwdrLtCntlTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 10), ) if mibBuilder.loadTexts: lpIlsFwdrLtCntlTopTable.setStatus('mandatory') lpIlsFwdrLtCntlTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrLtCntlIndex")) if mibBuilder.loadTexts: lpIlsFwdrLtCntlTopEntry.setStatus('mandatory') lpIlsFwdrLtCntlTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrLtCntlTData.setStatus('mandatory') lpIlsFwdrTest = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5)) lpIlsFwdrTestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1), ) if mibBuilder.loadTexts: lpIlsFwdrTestRowStatusTable.setStatus('mandatory') lpIlsFwdrTestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrTestIndex")) if mibBuilder.loadTexts: lpIlsFwdrTestRowStatusEntry.setStatus('mandatory') lpIlsFwdrTestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestRowStatus.setStatus('mandatory') lpIlsFwdrTestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestComponentName.setStatus('mandatory') lpIlsFwdrTestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestStorageType.setStatus('mandatory') lpIlsFwdrTestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpIlsFwdrTestIndex.setStatus('mandatory') lpIlsFwdrTestPTOTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10), ) if mibBuilder.loadTexts: lpIlsFwdrTestPTOTable.setStatus('mandatory') lpIlsFwdrTestPTOEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrTestIndex")) if mibBuilder.loadTexts: lpIlsFwdrTestPTOEntry.setStatus('mandatory') lpIlsFwdrTestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=NamedValues(("onCard", 0), ("normal", 1), ("wrapA", 257), ("wrapB", 258), ("thruA", 259), ("thruB", 260), ("extWrapA", 263), ("extWrapB", 264), ("extThruA", 265), ("extThruB", 266), ("extWrapAB", 267), ("extWrapBA", 268)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrTestType.setStatus('mandatory') lpIlsFwdrTestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrTestFrmSize.setStatus('mandatory') lpIlsFwdrTestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpIlsFwdrTestDuration.setStatus('mandatory') lpIlsFwdrTestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11), ) if mibBuilder.loadTexts: lpIlsFwdrTestResultsTable.setStatus('mandatory') lpIlsFwdrTestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpIlsFwdrTestIndex")) if mibBuilder.loadTexts: lpIlsFwdrTestResultsEntry.setStatus('mandatory') lpIlsFwdrTestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestElapsedTime.setStatus('mandatory') lpIlsFwdrTestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestTimeRemaining.setStatus('mandatory') lpIlsFwdrTestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4))).clone('neverStarted')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestCauseOfTermination.setStatus('mandatory') lpIlsFwdrTestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 7), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestFrmTx.setStatus('mandatory') lpIlsFwdrTestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 8), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestBitsTx.setStatus('mandatory') lpIlsFwdrTestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 9), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestFrmRx.setStatus('mandatory') lpIlsFwdrTestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 10), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestBitsRx.setStatus('mandatory') lpIlsFwdrTestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 11), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpIlsFwdrTestErroredFrmRx.setStatus('mandatory') lpEth100 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25)) lpEth100RowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1), ) if mibBuilder.loadTexts: lpEth100RowStatusTable.setStatus('mandatory') lpEth100RowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100RowStatusEntry.setStatus('mandatory') lpEth100RowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100RowStatus.setStatus('mandatory') lpEth100ComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100ComponentName.setStatus('mandatory') lpEth100StorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100StorageType.setStatus('mandatory') lpEth100Index = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))) if mibBuilder.loadTexts: lpEth100Index.setStatus('mandatory') lpEth100CidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 10), ) if mibBuilder.loadTexts: lpEth100CidDataTable.setStatus('mandatory') lpEth100CidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100CidDataEntry.setStatus('mandatory') lpEth100CustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100CustomerIdentifier.setStatus('mandatory') lpEth100IfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11), ) if mibBuilder.loadTexts: lpEth100IfEntryTable.setStatus('mandatory') lpEth100IfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100IfEntryEntry.setStatus('mandatory') lpEth100IfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11, 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: lpEth100IfAdminStatus.setStatus('mandatory') lpEth100IfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100IfIndex.setStatus('mandatory') lpEth100ProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12), ) if mibBuilder.loadTexts: lpEth100ProvTable.setStatus('mandatory') lpEth100ProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100ProvEntry.setStatus('mandatory') lpEth100DuplexMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("half", 1), ("full", 2))).clone('half')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100DuplexMode.setStatus('mandatory') lpEth100LineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(10, 10), ValueRangeConstraint(100, 100), )).clone(100)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LineSpeed.setStatus('mandatory') lpEth100AutoNegotiation = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100AutoNegotiation.setStatus('mandatory') lpEth100ApplicationFramerName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 4), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100ApplicationFramerName.setStatus('mandatory') lpEth100AdminInfoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13), ) if mibBuilder.loadTexts: lpEth100AdminInfoTable.setStatus('mandatory') lpEth100AdminInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100AdminInfoEntry.setStatus('mandatory') lpEth100Vendor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100Vendor.setStatus('mandatory') lpEth100CommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13, 1, 2), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100CommentText.setStatus('mandatory') lpEth100StateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 15), ) if mibBuilder.loadTexts: lpEth100StateTable.setStatus('mandatory') lpEth100StateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 15, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100StateEntry.setStatus('mandatory') lpEth100AdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 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: lpEth100AdminState.setStatus('mandatory') lpEth100OperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100OperationalState.setStatus('mandatory') lpEth100UsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 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: lpEth100UsageState.setStatus('mandatory') lpEth100OperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 16), ) if mibBuilder.loadTexts: lpEth100OperStatusTable.setStatus('mandatory') lpEth100OperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 16, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100OperStatusEntry.setStatus('mandatory') lpEth100SnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 16, 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: lpEth100SnmpOperStatus.setStatus('mandatory') lpEth100OperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17), ) if mibBuilder.loadTexts: lpEth100OperTable.setStatus('mandatory') lpEth100OperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100OperEntry.setStatus('mandatory') lpEth100MacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 1), MacAddress().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100MacAddress.setStatus('mandatory') lpEth100AutoNegStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("succeeded", 1), ("failed", 2), ("disabled", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100AutoNegStatus.setStatus('mandatory') lpEth100ActualLineSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 5), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(10, 10), ValueRangeConstraint(100, 100), ))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100ActualLineSpeed.setStatus('mandatory') lpEth100ActualDuplexMode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("half", 1), ("full", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100ActualDuplexMode.setStatus('mandatory') lpEth100Eth100StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18), ) if mibBuilder.loadTexts: lpEth100Eth100StatsTable.setStatus('mandatory') lpEth100Eth100StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100Eth100StatsEntry.setStatus('mandatory') lpEth100FramesTransmittedOk = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100FramesTransmittedOk.setStatus('mandatory') lpEth100FramesReceivedOk = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100FramesReceivedOk.setStatus('mandatory') lpEth100OctetsTransmittedOk = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100OctetsTransmittedOk.setStatus('mandatory') lpEth100OctetsReceivedOk = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100OctetsReceivedOk.setStatus('mandatory') lpEth100UndersizeFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100UndersizeFrames.setStatus('mandatory') lpEth100ReceivedOctetsIntoRouterBr = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100ReceivedOctetsIntoRouterBr.setStatus('mandatory') lpEth100ReceivedFramesIntoRouterBr = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100ReceivedFramesIntoRouterBr.setStatus('mandatory') lpEth100StatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19), ) if mibBuilder.loadTexts: lpEth100StatsTable.setStatus('mandatory') lpEth100StatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index")) if mibBuilder.loadTexts: lpEth100StatsEntry.setStatus('mandatory') lpEth100AlignmentErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100AlignmentErrors.setStatus('mandatory') lpEth100FcsErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100FcsErrors.setStatus('mandatory') lpEth100SingleCollisionFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100SingleCollisionFrames.setStatus('mandatory') lpEth100MultipleCollisionFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100MultipleCollisionFrames.setStatus('mandatory') lpEth100SqeTestErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100SqeTestErrors.setStatus('mandatory') lpEth100DeferredTransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100DeferredTransmissions.setStatus('mandatory') lpEth100LateCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LateCollisions.setStatus('mandatory') lpEth100ExcessiveCollisions = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100ExcessiveCollisions.setStatus('mandatory') lpEth100MacTransmitErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100MacTransmitErrors.setStatus('mandatory') lpEth100CarrierSenseErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100CarrierSenseErrors.setStatus('mandatory') lpEth100FrameTooLongs = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100FrameTooLongs.setStatus('mandatory') lpEth100MacReceiveErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100MacReceiveErrors.setStatus('mandatory') lpEth100Lt = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2)) lpEth100LtRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1), ) if mibBuilder.loadTexts: lpEth100LtRowStatusTable.setStatus('mandatory') lpEth100LtRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex")) if mibBuilder.loadTexts: lpEth100LtRowStatusEntry.setStatus('mandatory') lpEth100LtRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtRowStatus.setStatus('mandatory') lpEth100LtComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtComponentName.setStatus('mandatory') lpEth100LtStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtStorageType.setStatus('mandatory') lpEth100LtIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtIndex.setStatus('mandatory') lpEth100LtTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 20), ) if mibBuilder.loadTexts: lpEth100LtTopTable.setStatus('mandatory') lpEth100LtTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex")) if mibBuilder.loadTexts: lpEth100LtTopEntry.setStatus('mandatory') lpEth100LtTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtTData.setStatus('mandatory') lpEth100LtFrmCmp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2)) lpEth100LtFrmCmpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1), ) if mibBuilder.loadTexts: lpEth100LtFrmCmpRowStatusTable.setStatus('mandatory') lpEth100LtFrmCmpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFrmCmpIndex")) if mibBuilder.loadTexts: lpEth100LtFrmCmpRowStatusEntry.setStatus('mandatory') lpEth100LtFrmCmpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFrmCmpRowStatus.setStatus('mandatory') lpEth100LtFrmCmpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFrmCmpComponentName.setStatus('mandatory') lpEth100LtFrmCmpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFrmCmpStorageType.setStatus('mandatory') lpEth100LtFrmCmpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFrmCmpIndex.setStatus('mandatory') lpEth100LtFrmCmpTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 10), ) if mibBuilder.loadTexts: lpEth100LtFrmCmpTopTable.setStatus('mandatory') lpEth100LtFrmCmpTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFrmCmpIndex")) if mibBuilder.loadTexts: lpEth100LtFrmCmpTopEntry.setStatus('mandatory') lpEth100LtFrmCmpTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFrmCmpTData.setStatus('mandatory') lpEth100LtFrmCpy = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3)) lpEth100LtFrmCpyRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1), ) if mibBuilder.loadTexts: lpEth100LtFrmCpyRowStatusTable.setStatus('mandatory') lpEth100LtFrmCpyRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFrmCpyIndex")) if mibBuilder.loadTexts: lpEth100LtFrmCpyRowStatusEntry.setStatus('mandatory') lpEth100LtFrmCpyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFrmCpyRowStatus.setStatus('mandatory') lpEth100LtFrmCpyComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFrmCpyComponentName.setStatus('mandatory') lpEth100LtFrmCpyStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFrmCpyStorageType.setStatus('mandatory') lpEth100LtFrmCpyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFrmCpyIndex.setStatus('mandatory') lpEth100LtFrmCpyTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 10), ) if mibBuilder.loadTexts: lpEth100LtFrmCpyTopTable.setStatus('mandatory') lpEth100LtFrmCpyTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFrmCpyIndex")) if mibBuilder.loadTexts: lpEth100LtFrmCpyTopEntry.setStatus('mandatory') lpEth100LtFrmCpyTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFrmCpyTData.setStatus('mandatory') lpEth100LtPrtCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4)) lpEth100LtPrtCfgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1), ) if mibBuilder.loadTexts: lpEth100LtPrtCfgRowStatusTable.setStatus('mandatory') lpEth100LtPrtCfgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtPrtCfgIndex")) if mibBuilder.loadTexts: lpEth100LtPrtCfgRowStatusEntry.setStatus('mandatory') lpEth100LtPrtCfgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtPrtCfgRowStatus.setStatus('mandatory') lpEth100LtPrtCfgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtPrtCfgComponentName.setStatus('mandatory') lpEth100LtPrtCfgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtPrtCfgStorageType.setStatus('mandatory') lpEth100LtPrtCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtPrtCfgIndex.setStatus('mandatory') lpEth100LtPrtCfgTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 10), ) if mibBuilder.loadTexts: lpEth100LtPrtCfgTopTable.setStatus('mandatory') lpEth100LtPrtCfgTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtPrtCfgIndex")) if mibBuilder.loadTexts: lpEth100LtPrtCfgTopEntry.setStatus('mandatory') lpEth100LtPrtCfgTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtPrtCfgTData.setStatus('mandatory') lpEth100LtFb = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5)) lpEth100LtFbRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1), ) if mibBuilder.loadTexts: lpEth100LtFbRowStatusTable.setStatus('mandatory') lpEth100LtFbRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex")) if mibBuilder.loadTexts: lpEth100LtFbRowStatusEntry.setStatus('mandatory') lpEth100LtFbRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbRowStatus.setStatus('mandatory') lpEth100LtFbComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbComponentName.setStatus('mandatory') lpEth100LtFbStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbStorageType.setStatus('mandatory') lpEth100LtFbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbIndex.setStatus('mandatory') lpEth100LtFbTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 20), ) if mibBuilder.loadTexts: lpEth100LtFbTopTable.setStatus('mandatory') lpEth100LtFbTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 20, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex")) if mibBuilder.loadTexts: lpEth100LtFbTopEntry.setStatus('mandatory') lpEth100LtFbTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 20, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbTData.setStatus('mandatory') lpEth100LtFbTxInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2)) lpEth100LtFbTxInfoRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1), ) if mibBuilder.loadTexts: lpEth100LtFbTxInfoRowStatusTable.setStatus('mandatory') lpEth100LtFbTxInfoRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbTxInfoIndex")) if mibBuilder.loadTexts: lpEth100LtFbTxInfoRowStatusEntry.setStatus('mandatory') lpEth100LtFbTxInfoRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbTxInfoRowStatus.setStatus('mandatory') lpEth100LtFbTxInfoComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbTxInfoComponentName.setStatus('mandatory') lpEth100LtFbTxInfoStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbTxInfoStorageType.setStatus('mandatory') lpEth100LtFbTxInfoIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbTxInfoIndex.setStatus('mandatory') lpEth100LtFbTxInfoTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 10), ) if mibBuilder.loadTexts: lpEth100LtFbTxInfoTopTable.setStatus('mandatory') lpEth100LtFbTxInfoTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbTxInfoIndex")) if mibBuilder.loadTexts: lpEth100LtFbTxInfoTopEntry.setStatus('mandatory') lpEth100LtFbTxInfoTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbTxInfoTData.setStatus('mandatory') lpEth100LtFbFddiMac = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3)) lpEth100LtFbFddiMacRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1), ) if mibBuilder.loadTexts: lpEth100LtFbFddiMacRowStatusTable.setStatus('mandatory') lpEth100LtFbFddiMacRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbFddiMacIndex")) if mibBuilder.loadTexts: lpEth100LtFbFddiMacRowStatusEntry.setStatus('mandatory') lpEth100LtFbFddiMacRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbFddiMacRowStatus.setStatus('mandatory') lpEth100LtFbFddiMacComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbFddiMacComponentName.setStatus('mandatory') lpEth100LtFbFddiMacStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbFddiMacStorageType.setStatus('mandatory') lpEth100LtFbFddiMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbFddiMacIndex.setStatus('mandatory') lpEth100LtFbFddiMacTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 10), ) if mibBuilder.loadTexts: lpEth100LtFbFddiMacTopTable.setStatus('mandatory') lpEth100LtFbFddiMacTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbFddiMacIndex")) if mibBuilder.loadTexts: lpEth100LtFbFddiMacTopEntry.setStatus('mandatory') lpEth100LtFbFddiMacTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbFddiMacTData.setStatus('mandatory') lpEth100LtFbMacEnet = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4)) lpEth100LtFbMacEnetRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1), ) if mibBuilder.loadTexts: lpEth100LtFbMacEnetRowStatusTable.setStatus('mandatory') lpEth100LtFbMacEnetRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbMacEnetIndex")) if mibBuilder.loadTexts: lpEth100LtFbMacEnetRowStatusEntry.setStatus('mandatory') lpEth100LtFbMacEnetRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbMacEnetRowStatus.setStatus('mandatory') lpEth100LtFbMacEnetComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbMacEnetComponentName.setStatus('mandatory') lpEth100LtFbMacEnetStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbMacEnetStorageType.setStatus('mandatory') lpEth100LtFbMacEnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbMacEnetIndex.setStatus('mandatory') lpEth100LtFbMacEnetTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 10), ) if mibBuilder.loadTexts: lpEth100LtFbMacEnetTopTable.setStatus('mandatory') lpEth100LtFbMacEnetTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbMacEnetIndex")) if mibBuilder.loadTexts: lpEth100LtFbMacEnetTopEntry.setStatus('mandatory') lpEth100LtFbMacEnetTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbMacEnetTData.setStatus('mandatory') lpEth100LtFbMacTr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5)) lpEth100LtFbMacTrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1), ) if mibBuilder.loadTexts: lpEth100LtFbMacTrRowStatusTable.setStatus('mandatory') lpEth100LtFbMacTrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbMacTrIndex")) if mibBuilder.loadTexts: lpEth100LtFbMacTrRowStatusEntry.setStatus('mandatory') lpEth100LtFbMacTrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbMacTrRowStatus.setStatus('mandatory') lpEth100LtFbMacTrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbMacTrComponentName.setStatus('mandatory') lpEth100LtFbMacTrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbMacTrStorageType.setStatus('mandatory') lpEth100LtFbMacTrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbMacTrIndex.setStatus('mandatory') lpEth100LtFbMacTrTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 10), ) if mibBuilder.loadTexts: lpEth100LtFbMacTrTopTable.setStatus('mandatory') lpEth100LtFbMacTrTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbMacTrIndex")) if mibBuilder.loadTexts: lpEth100LtFbMacTrTopEntry.setStatus('mandatory') lpEth100LtFbMacTrTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbMacTrTData.setStatus('mandatory') lpEth100LtFbData = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6)) lpEth100LtFbDataRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1), ) if mibBuilder.loadTexts: lpEth100LtFbDataRowStatusTable.setStatus('mandatory') lpEth100LtFbDataRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbDataIndex")) if mibBuilder.loadTexts: lpEth100LtFbDataRowStatusEntry.setStatus('mandatory') lpEth100LtFbDataRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbDataRowStatus.setStatus('mandatory') lpEth100LtFbDataComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbDataComponentName.setStatus('mandatory') lpEth100LtFbDataStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbDataStorageType.setStatus('mandatory') lpEth100LtFbDataIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbDataIndex.setStatus('mandatory') lpEth100LtFbDataTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 10), ) if mibBuilder.loadTexts: lpEth100LtFbDataTopTable.setStatus('mandatory') lpEth100LtFbDataTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbDataIndex")) if mibBuilder.loadTexts: lpEth100LtFbDataTopEntry.setStatus('mandatory') lpEth100LtFbDataTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbDataTData.setStatus('mandatory') lpEth100LtFbIpH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7)) lpEth100LtFbIpHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1), ) if mibBuilder.loadTexts: lpEth100LtFbIpHRowStatusTable.setStatus('mandatory') lpEth100LtFbIpHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIpHIndex")) if mibBuilder.loadTexts: lpEth100LtFbIpHRowStatusEntry.setStatus('mandatory') lpEth100LtFbIpHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbIpHRowStatus.setStatus('mandatory') lpEth100LtFbIpHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbIpHComponentName.setStatus('mandatory') lpEth100LtFbIpHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbIpHStorageType.setStatus('mandatory') lpEth100LtFbIpHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbIpHIndex.setStatus('mandatory') lpEth100LtFbIpHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 10), ) if mibBuilder.loadTexts: lpEth100LtFbIpHTopTable.setStatus('mandatory') lpEth100LtFbIpHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIpHIndex")) if mibBuilder.loadTexts: lpEth100LtFbIpHTopEntry.setStatus('mandatory') lpEth100LtFbIpHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbIpHTData.setStatus('mandatory') lpEth100LtFbLlch = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8)) lpEth100LtFbLlchRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1), ) if mibBuilder.loadTexts: lpEth100LtFbLlchRowStatusTable.setStatus('mandatory') lpEth100LtFbLlchRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbLlchIndex")) if mibBuilder.loadTexts: lpEth100LtFbLlchRowStatusEntry.setStatus('mandatory') lpEth100LtFbLlchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbLlchRowStatus.setStatus('mandatory') lpEth100LtFbLlchComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbLlchComponentName.setStatus('mandatory') lpEth100LtFbLlchStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbLlchStorageType.setStatus('mandatory') lpEth100LtFbLlchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbLlchIndex.setStatus('mandatory') lpEth100LtFbLlchTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 10), ) if mibBuilder.loadTexts: lpEth100LtFbLlchTopTable.setStatus('mandatory') lpEth100LtFbLlchTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbLlchIndex")) if mibBuilder.loadTexts: lpEth100LtFbLlchTopEntry.setStatus('mandatory') lpEth100LtFbLlchTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbLlchTData.setStatus('mandatory') lpEth100LtFbAppleH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9)) lpEth100LtFbAppleHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1), ) if mibBuilder.loadTexts: lpEth100LtFbAppleHRowStatusTable.setStatus('mandatory') lpEth100LtFbAppleHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbAppleHIndex")) if mibBuilder.loadTexts: lpEth100LtFbAppleHRowStatusEntry.setStatus('mandatory') lpEth100LtFbAppleHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbAppleHRowStatus.setStatus('mandatory') lpEth100LtFbAppleHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbAppleHComponentName.setStatus('mandatory') lpEth100LtFbAppleHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbAppleHStorageType.setStatus('mandatory') lpEth100LtFbAppleHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbAppleHIndex.setStatus('mandatory') lpEth100LtFbAppleHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 10), ) if mibBuilder.loadTexts: lpEth100LtFbAppleHTopTable.setStatus('mandatory') lpEth100LtFbAppleHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbAppleHIndex")) if mibBuilder.loadTexts: lpEth100LtFbAppleHTopEntry.setStatus('mandatory') lpEth100LtFbAppleHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbAppleHTData.setStatus('mandatory') lpEth100LtFbIpxH = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10)) lpEth100LtFbIpxHRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1), ) if mibBuilder.loadTexts: lpEth100LtFbIpxHRowStatusTable.setStatus('mandatory') lpEth100LtFbIpxHRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIpxHIndex")) if mibBuilder.loadTexts: lpEth100LtFbIpxHRowStatusEntry.setStatus('mandatory') lpEth100LtFbIpxHRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbIpxHRowStatus.setStatus('mandatory') lpEth100LtFbIpxHComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbIpxHComponentName.setStatus('mandatory') lpEth100LtFbIpxHStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtFbIpxHStorageType.setStatus('mandatory') lpEth100LtFbIpxHIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtFbIpxHIndex.setStatus('mandatory') lpEth100LtFbIpxHTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 10), ) if mibBuilder.loadTexts: lpEth100LtFbIpxHTopTable.setStatus('mandatory') lpEth100LtFbIpxHTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtFbIpxHIndex")) if mibBuilder.loadTexts: lpEth100LtFbIpxHTopEntry.setStatus('mandatory') lpEth100LtFbIpxHTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtFbIpxHTData.setStatus('mandatory') lpEth100LtCntl = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6)) lpEth100LtCntlRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1), ) if mibBuilder.loadTexts: lpEth100LtCntlRowStatusTable.setStatus('mandatory') lpEth100LtCntlRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtCntlIndex")) if mibBuilder.loadTexts: lpEth100LtCntlRowStatusEntry.setStatus('mandatory') lpEth100LtCntlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtCntlRowStatus.setStatus('mandatory') lpEth100LtCntlComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtCntlComponentName.setStatus('mandatory') lpEth100LtCntlStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100LtCntlStorageType.setStatus('mandatory') lpEth100LtCntlIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100LtCntlIndex.setStatus('mandatory') lpEth100LtCntlTopTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 10), ) if mibBuilder.loadTexts: lpEth100LtCntlTopTable.setStatus('mandatory') lpEth100LtCntlTopEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100LtCntlIndex")) if mibBuilder.loadTexts: lpEth100LtCntlTopEntry.setStatus('mandatory') lpEth100LtCntlTData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100LtCntlTData.setStatus('mandatory') lpEth100Test = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3)) lpEth100TestRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1), ) if mibBuilder.loadTexts: lpEth100TestRowStatusTable.setStatus('mandatory') lpEth100TestRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100TestIndex")) if mibBuilder.loadTexts: lpEth100TestRowStatusEntry.setStatus('mandatory') lpEth100TestRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestRowStatus.setStatus('mandatory') lpEth100TestComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestComponentName.setStatus('mandatory') lpEth100TestStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestStorageType.setStatus('mandatory') lpEth100TestIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: lpEth100TestIndex.setStatus('mandatory') lpEth100TestPTOTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10), ) if mibBuilder.loadTexts: lpEth100TestPTOTable.setStatus('mandatory') lpEth100TestPTOEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100TestIndex")) if mibBuilder.loadTexts: lpEth100TestPTOEntry.setStatus('mandatory') lpEth100TestType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=NamedValues(("onCard", 0), ("normal", 1), ("wrapA", 257), ("wrapB", 258), ("thruA", 259), ("thruB", 260), ("extWrapA", 263), ("extWrapB", 264), ("extThruA", 265), ("extThruB", 266), ("extWrapAB", 267), ("extWrapBA", 268)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100TestType.setStatus('mandatory') lpEth100TestFrmSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 4096)).clone(1024)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100TestFrmSize.setStatus('mandatory') lpEth100TestDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30240)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: lpEth100TestDuration.setStatus('mandatory') lpEth100TestResultsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11), ) if mibBuilder.loadTexts: lpEth100TestResultsTable.setStatus('mandatory') lpEth100TestResultsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LogicalProcessorMIB", "lpIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100Index"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "lpEth100TestIndex")) if mibBuilder.loadTexts: lpEth100TestResultsEntry.setStatus('mandatory') lpEth100TestElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestElapsedTime.setStatus('mandatory') lpEth100TestTimeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestTimeRemaining.setStatus('mandatory') lpEth100TestCauseOfTermination = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("testTimeExpired", 0), ("stoppedByOperator", 1), ("unknown", 2), ("neverStarted", 3), ("testRunning", 4))).clone('neverStarted')).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestCauseOfTermination.setStatus('mandatory') lpEth100TestFrmTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 7), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestFrmTx.setStatus('mandatory') lpEth100TestBitsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 8), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestBitsTx.setStatus('mandatory') lpEth100TestFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 9), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestFrmRx.setStatus('mandatory') lpEth100TestBitsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 10), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestBitsRx.setStatus('mandatory') lpEth100TestErroredFrmRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 11), PassportCounter64()).setMaxAccess("readonly") if mibBuilder.loadTexts: lpEth100TestErroredFrmRx.setStatus('mandatory') la = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105)) laRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1), ) if mibBuilder.loadTexts: laRowStatusTable.setStatus('mandatory') laRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex")) if mibBuilder.loadTexts: laRowStatusEntry.setStatus('mandatory') laRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: laRowStatus.setStatus('mandatory') laComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: laComponentName.setStatus('mandatory') laStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: laStorageType.setStatus('mandatory') laIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))) if mibBuilder.loadTexts: laIndex.setStatus('mandatory') laCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 10), ) if mibBuilder.loadTexts: laCidDataTable.setStatus('mandatory') laCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex")) if mibBuilder.loadTexts: laCidDataEntry.setStatus('mandatory') laCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: laCustomerIdentifier.setStatus('mandatory') laMediaProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 11), ) if mibBuilder.loadTexts: laMediaProvTable.setStatus('mandatory') laMediaProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex")) if mibBuilder.loadTexts: laMediaProvEntry.setStatus('mandatory') laLinkToProtocolPort = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 11, 1, 1), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: laLinkToProtocolPort.setStatus('mandatory') laIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 12), ) if mibBuilder.loadTexts: laIfEntryTable.setStatus('mandatory') laIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex")) if mibBuilder.loadTexts: laIfEntryEntry.setStatus('mandatory') laIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 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: laIfAdminStatus.setStatus('mandatory') laIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 12, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: laIfIndex.setStatus('mandatory') laStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13), ) if mibBuilder.loadTexts: laStateTable.setStatus('mandatory') laStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex")) if mibBuilder.loadTexts: laStateEntry.setStatus('mandatory') laAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 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: laAdminState.setStatus('mandatory') laOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: laOperationalState.setStatus('mandatory') laUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 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: laUsageState.setStatus('mandatory') laOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 14), ) if mibBuilder.loadTexts: laOperStatusTable.setStatus('mandatory') laOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 14, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex")) if mibBuilder.loadTexts: laOperStatusEntry.setStatus('mandatory') laSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 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: laSnmpOperStatus.setStatus('mandatory') laFramer = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2)) laFramerRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1), ) if mibBuilder.loadTexts: laFramerRowStatusTable.setStatus('mandatory') laFramerRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "laFramerIndex")) if mibBuilder.loadTexts: laFramerRowStatusEntry.setStatus('mandatory') laFramerRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: laFramerRowStatus.setStatus('mandatory') laFramerComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: laFramerComponentName.setStatus('mandatory') laFramerStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: laFramerStorageType.setStatus('mandatory') laFramerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: laFramerIndex.setStatus('mandatory') laFramerProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 10), ) if mibBuilder.loadTexts: laFramerProvTable.setStatus('mandatory') laFramerProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "laFramerIndex")) if mibBuilder.loadTexts: laFramerProvEntry.setStatus('mandatory') laFramerInterfaceName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 10, 1, 1), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: laFramerInterfaceName.setStatus('obsolete') laFramerInterfaceNamesTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431), ) if mibBuilder.loadTexts: laFramerInterfaceNamesTable.setStatus('mandatory') laFramerInterfaceNamesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-LanDriversMIB", "laIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "laFramerIndex"), (0, "Nortel-Magellan-Passport-LanDriversMIB", "laFramerInterfaceNamesValue")) if mibBuilder.loadTexts: laFramerInterfaceNamesEntry.setStatus('mandatory') laFramerInterfaceNamesValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431, 1, 1), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: laFramerInterfaceNamesValue.setStatus('mandatory') laFramerInterfaceNamesRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431, 1, 2), RowStatus()).setMaxAccess("writeonly") if mibBuilder.loadTexts: laFramerInterfaceNamesRowStatus.setStatus('mandatory') lanDriversGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1)) lanDriversGroupBE = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1, 5)) lanDriversGroupBE01 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1, 5, 2)) lanDriversGroupBE01A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1, 5, 2, 2)) lanDriversCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3)) lanDriversCapabilitiesBE = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3, 5)) lanDriversCapabilitiesBE01 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3, 5, 2)) lanDriversCapabilitiesBE01A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3, 5, 2, 2)) mibBuilder.exportSymbols("Nortel-Magellan-Passport-LanDriversMIB", lpTrRingRecoverys=lpTrRingRecoverys, lpFiLtFbMacEnetIndex=lpFiLtFbMacEnetIndex, lpIlsFwdrLtPrtCfgRowStatusEntry=lpIlsFwdrLtPrtCfgRowStatusEntry, lpIlsFwdrLtFbAppleHTData=lpIlsFwdrLtFbAppleHTData, lpEth100LineSpeed=lpEth100LineSpeed, lpEth100LtFrmCmpRowStatusEntry=lpEth100LtFrmCmpRowStatusEntry, lpEth100LtFbTxInfoRowStatusTable=lpEth100LtFbTxInfoRowStatusTable, lpIlsFwdrLtFbMacTrTopTable=lpIlsFwdrLtFbMacTrTopTable, lpFiLtFbLlch=lpFiLtFbLlch, laIfAdminStatus=laIfAdminStatus, lpEnetLtFbIndex=lpEnetLtFbIndex, lpEth100LtFbTxInfoTopTable=lpEth100LtFbTxInfoTopTable, lpIlsFwdrLtFbMacEnet=lpIlsFwdrLtFbMacEnet, lpEnetLtFbMacEnetRowStatusEntry=lpEnetLtFbMacEnetRowStatusEntry, lpEth100CustomerIdentifier=lpEth100CustomerIdentifier, lpEth100IfEntryEntry=lpEth100IfEntryEntry, lpTrLtFbDataRowStatusEntry=lpTrLtFbDataRowStatusEntry, lpTrLtFbLlchRowStatus=lpTrLtFbLlchRowStatus, lpIlsFwdrLtFbLlchRowStatus=lpIlsFwdrLtFbLlchRowStatus, lpIlsFwdrLtFrmCmpComponentName=lpIlsFwdrLtFrmCmpComponentName, lpEnetHeartbeatPacket=lpEnetHeartbeatPacket, lpFiOperStatusTable=lpFiOperStatusTable, lpEnetLtFbAppleHTopTable=lpEnetLtFbAppleHTopTable, lpIlsFwdrLtFrmCpyIndex=lpIlsFwdrLtFrmCpyIndex, lpIlsFwdrTestDuration=lpIlsFwdrTestDuration, lpEth100LtFbTopTable=lpEth100LtFbTopTable, lpEth100TestTimeRemaining=lpEth100TestTimeRemaining, lpFiNcMacAddress=lpFiNcMacAddress, lpTrFreqErrors=lpTrFreqErrors, lpEth100LtFbIpxH=lpEth100LtFbIpxH, lpEnetSnmpOperStatus=lpEnetSnmpOperStatus, lpEnetLtPrtCfgTopEntry=lpEnetLtPrtCfgTopEntry, lpFiLateCounts=lpFiLateCounts, lpEth100LtFbIpxHRowStatus=lpEth100LtFbIpxHRowStatus, laFramerRowStatus=laFramerRowStatus, lpIlsFwdrLtFbDataIndex=lpIlsFwdrLtFbDataIndex, lpTrUpStream=lpTrUpStream, lpFiPhyLerAlarm=lpFiPhyLerAlarm, lpIlsFwdrIfAdminStatus=lpIlsFwdrIfAdminStatus, lpEth100LtCntlRowStatusEntry=lpEth100LtCntlRowStatusEntry, lpIlsFwdrRowStatus=lpIlsFwdrRowStatus, lpEnetLtFbFddiMacTopEntry=lpEnetLtFbFddiMacTopEntry, lpIlsFwdrLtFbTData=lpIlsFwdrLtFbTData, lpFiNcOldDownstreamNeighbor=lpFiNcOldDownstreamNeighbor, lpEth100LtFbMacTrRowStatusEntry=lpEth100LtFbMacTrRowStatusEntry, lpFiLtFbFddiMacTData=lpFiLtFbFddiMacTData, lpTrRowStatusEntry=lpTrRowStatusEntry, lpEnetIfIndex=lpEnetIfIndex, lpFiNcDownstreamNeighbor=lpFiNcDownstreamNeighbor, lpTrLtPrtCfgComponentName=lpTrLtPrtCfgComponentName, lpEth100LtFbMacEnetTData=lpEth100LtFbMacEnetTData, laStateEntry=laStateEntry, lpEnetIfEntryTable=lpEnetIfEntryTable, lpEnetUsageState=lpEnetUsageState, lpEnetLtFrmCmpTopEntry=lpEnetLtFrmCmpTopEntry, lpFiLtFbDataRowStatusTable=lpFiLtFbDataRowStatusTable, lpEth100LtFbMacEnetTopEntry=lpEth100LtFbMacEnetTopEntry, lpEnetLtFbMacEnetTopEntry=lpEnetLtFbMacEnetTopEntry, lpEth100LtFrmCmpTopTable=lpEth100LtFrmCmpTopTable, lpFiTransmitCounts=lpFiTransmitCounts, lpFiNotCopiedCounts=lpFiNotCopiedCounts, lpFiNcOldUpstreamNeighbor=lpFiNcOldUpstreamNeighbor, lpEth100LtFbIpxHRowStatusEntry=lpEth100LtFbIpxHRowStatusEntry, lpFiLtFbIpxHRowStatusEntry=lpFiLtFbIpxHRowStatusEntry, lpEth100LtFbIpxHTopTable=lpEth100LtFbIpxHTopTable, lpEth100LtStorageType=lpEth100LtStorageType, lpTrLtFbDataStorageType=lpTrLtFbDataStorageType, lpEnetLtFbDataRowStatusEntry=lpEnetLtFbDataRowStatusEntry, lpFiLtFbIpxHTopEntry=lpFiLtFbIpxHTopEntry, lpIlsFwdrComponentName=lpIlsFwdrComponentName, lpTrLtFrmCpyStorageType=lpTrLtFrmCpyStorageType, lpIlsFwdrLtFrmCpy=lpIlsFwdrLtFrmCpy, laIfIndex=laIfIndex, lpFiFrameCounts=lpFiFrameCounts, lpTrTestPTOTable=lpTrTestPTOTable, lpIlsFwdrLtTopTable=lpIlsFwdrLtTopTable, lpEth100TestDuration=lpEth100TestDuration, lpFiStateEntry=lpFiStateEntry, lpTrOperEntry=lpTrOperEntry, lpEnetLtFbLlchComponentName=lpEnetLtFbLlchComponentName, lpFiCustomerIdentifier=lpFiCustomerIdentifier, lpFiTestFrmTx=lpFiTestFrmTx, lpEnetRowStatusEntry=lpEnetRowStatusEntry, lpFiLtFbAppleH=lpFiLtFbAppleH, lpEnetLtFrmCmpIndex=lpEnetLtFrmCmpIndex, lpTrLtFbRowStatusTable=lpTrLtFbRowStatusTable, lpEth100LtFbFddiMacComponentName=lpEth100LtFbFddiMacComponentName, lpTrCustomerIdentifier=lpTrCustomerIdentifier, lpEth100LtFbIpxHIndex=lpEth100LtFbIpxHIndex, lpFiLtFrmCmpRowStatusEntry=lpFiLtFrmCmpRowStatusEntry, lpFiTestResultsEntry=lpFiTestResultsEntry, lpEth100LtCntlTopTable=lpEth100LtCntlTopTable, lpEth100Eth100StatsTable=lpEth100Eth100StatsTable, lpEnetLtFbFddiMacStorageType=lpEnetLtFbFddiMacStorageType, lpEnetLtFbIpxHComponentName=lpEnetLtFbIpxHComponentName, lpTrLtCntlRowStatusEntry=lpTrLtCntlRowStatusEntry, lpEth100LtFbDataRowStatus=lpEth100LtFbDataRowStatus, lpFiTestIndex=lpFiTestIndex, lpEnetStatsTable=lpEnetStatsTable, lpFiRowStatus=lpFiRowStatus, lpTrLtFbMacTrComponentName=lpTrLtFbMacTrComponentName, lpFiUpstreamNeighbor=lpFiUpstreamNeighbor, lpFiLtFbIpHRowStatusTable=lpFiLtFbIpHRowStatusTable, lpEnetLtFbTxInfoComponentName=lpEnetLtFbTxInfoComponentName, lpFiLtCntlStorageType=lpFiLtCntlStorageType, laComponentName=laComponentName, lpFiLtFbFddiMacTopEntry=lpFiLtFbFddiMacTopEntry, lpFiLtFbFddiMacRowStatusEntry=lpFiLtFbFddiMacRowStatusEntry, lpFiLtFbTxInfoComponentName=lpFiLtFbTxInfoComponentName, lpTrLtFrmCpyRowStatus=lpTrLtFrmCpyRowStatus, lpFiStatusReportPolicy=lpFiStatusReportPolicy, lpTrLtFbLlchComponentName=lpTrLtFbLlchComponentName, lpEth100FcsErrors=lpEth100FcsErrors, lpEnetLtFbIpHTData=lpEnetLtFbIpHTData, lpTrLtPrtCfgIndex=lpTrLtPrtCfgIndex, lpEth100LtPrtCfgTopEntry=lpEth100LtPrtCfgTopEntry, lpIlsFwdrLtFbTxInfoRowStatusEntry=lpIlsFwdrLtFbTxInfoRowStatusEntry, lpEnetLtFbMacEnetStorageType=lpEnetLtFbMacEnetStorageType, lpEnetLtFbFddiMacTData=lpEnetLtFbFddiMacTData, lpEth100LtFrmCpyComponentName=lpEth100LtFrmCpyComponentName, lpIlsFwdrLtFbAppleHRowStatus=lpIlsFwdrLtFbAppleHRowStatus, lpIlsFwdrFramesReceived=lpIlsFwdrFramesReceived, lpEth100OperEntry=lpEth100OperEntry, lpTrTestRowStatusEntry=lpTrTestRowStatusEntry, lpIlsFwdrStateEntry=lpIlsFwdrStateEntry, lpFiMacAddress=lpFiMacAddress, lanDriversGroupBE01A=lanDriversGroupBE01A, lpFiVersion=lpFiVersion, lpTrLtFbLlchRowStatusTable=lpTrLtFbLlchRowStatusTable, lpFiLtFbMacTrTopEntry=lpFiLtFbMacTrTopEntry, lpEth100LtFbDataTopEntry=lpEth100LtFbDataTopEntry, lpEth100LtFbIpxHRowStatusTable=lpEth100LtFbIpxHRowStatusTable, lpIlsFwdrLtFbAppleHTopTable=lpIlsFwdrLtFbAppleHTopTable, lpEnetLtFrmCmpStorageType=lpEnetLtFrmCmpStorageType, lpFiApplicationFramerName=lpFiApplicationFramerName, lpEth100UsageState=lpEth100UsageState, lpEnetTestRowStatus=lpEnetTestRowStatus, lpFiLtFbComponentName=lpFiLtFbComponentName, lpEnetLtTopTable=lpEnetLtTopTable, lpIlsFwdrTestResultsTable=lpIlsFwdrTestResultsTable, lpEnetExcessiveCollisions=lpEnetExcessiveCollisions, lpFiPhyNeighborType=lpFiPhyNeighborType, lpTrRemoveRings=lpTrRemoveRings, lpFiLtTopEntry=lpFiLtTopEntry, lpFiOldDownstreamNeighbor=lpFiOldDownstreamNeighbor, lpIlsFwdrLtFbComponentName=lpIlsFwdrLtFbComponentName, lpEth100LtCntlIndex=lpEth100LtCntlIndex, lpTrLtCntlIndex=lpTrLtCntlIndex, lpIlsFwdrLtFb=lpIlsFwdrLtFb, lpEnetLtFbStorageType=lpEnetLtFbStorageType, lpIlsFwdrLtFbIpxHRowStatus=lpIlsFwdrLtFbIpxHRowStatus, lpEth100LtFbComponentName=lpEth100LtFbComponentName, lpEth100TestFrmRx=lpEth100TestFrmRx, lpFiRingLatency=lpFiRingLatency, lpEth100LtTopEntry=lpEth100LtTopEntry, lpEth100LtFbMacEnetRowStatusEntry=lpEth100LtFbMacEnetRowStatusEntry, lpEth100AdminState=lpEth100AdminState, lpFiLtFbTxInfoTopTable=lpFiLtFbTxInfoTopTable, lpIlsFwdrLtFbMacTrTData=lpIlsFwdrLtFbMacTrTData, lpEnetLtFbLlchRowStatusEntry=lpEnetLtFbLlchRowStatusEntry, lpIlsFwdrLtFbMacTrStorageType=lpIlsFwdrLtFbMacTrStorageType, lpEnetLtFbTxInfoRowStatus=lpEnetLtFbTxInfoRowStatus, lpEth100LtPrtCfgRowStatusEntry=lpEth100LtPrtCfgRowStatusEntry, lpFiLtFrmCpyRowStatusTable=lpFiLtFrmCpyRowStatusTable, lpEnetTestBitsRx=lpEnetTestBitsRx, lpFiCidDataEntry=lpFiCidDataEntry, lpTrTestFrmSize=lpTrTestFrmSize, lpTrTestCauseOfTermination=lpTrTestCauseOfTermination, lpEth100Vendor=lpEth100Vendor, lpEth100Test=lpEth100Test, lpTrLtFbLlchTopTable=lpTrLtFbLlchTopTable, lpFiAdminInfoEntry=lpFiAdminInfoEntry, lpFiLtFbAppleHRowStatusEntry=lpFiLtFbAppleHRowStatusEntry, lpEnetLtFbLlchRowStatusTable=lpEnetLtFbLlchRowStatusTable, lpFiAcceptAm=lpFiAcceptAm, lpFiPhyPcmState=lpFiPhyPcmState, lpTrInternalErrors=lpTrInternalErrors, lpTrLtFbMacEnetTopTable=lpTrLtFbMacEnetTopTable, lpIlsFwdrStatsEntry=lpIlsFwdrStatsEntry, lpEth100FrameTooLongs=lpEth100FrameTooLongs, lpEth100LtFbAppleH=lpEth100LtFbAppleH, lpFiTestElapsedTime=lpFiTestElapsedTime, lpIlsFwdrUsageState=lpIlsFwdrUsageState, lpEnetLtFbAppleHStorageType=lpEnetLtFbAppleHStorageType, lpTrLtFrmCmpRowStatusEntry=lpTrLtFrmCmpRowStatusEntry, lpEnetLtFbTxInfoTopEntry=lpEnetLtFbTxInfoTopEntry, lpIlsFwdrTestRowStatus=lpIlsFwdrTestRowStatus, lpEnetCommentText=lpEnetCommentText, lpIlsFwdrLtFbMacTrComponentName=lpIlsFwdrLtFbMacTrComponentName, lpFiLtFbTopEntry=lpFiLtFbTopEntry, lpFiLtCntl=lpFiLtCntl, lpTrLtFbLlchStorageType=lpTrLtFbLlchStorageType, lpEth100LtFbAppleHRowStatusTable=lpEth100LtFbAppleHRowStatusTable, lpFiLtFbFddiMacIndex=lpFiLtFbFddiMacIndex, lpEnetLtFrmCmpRowStatus=lpEnetLtFrmCmpRowStatus, lpFiTraceMaxExpirationTimer=lpFiTraceMaxExpirationTimer, lpIlsFwdrLtTData=lpIlsFwdrLtTData, lpEth100LtFbLlchComponentName=lpEth100LtFbLlchComponentName, lpIlsFwdrLtFbIpxHRowStatusTable=lpIlsFwdrLtFbIpxHRowStatusTable, lanDriversCapabilitiesBE=lanDriversCapabilitiesBE, lpTrLtFbTxInfoIndex=lpTrLtFbTxInfoIndex, lpIlsFwdrLtFbFddiMac=lpIlsFwdrLtFbFddiMac, lpFiLtFbMacEnetTopEntry=lpFiLtFbMacEnetTopEntry, lpFiSnmpOperStatus=lpFiSnmpOperStatus, lpFiLtPrtCfgIndex=lpFiLtPrtCfgIndex, lpIlsFwdrLtFbIpHIndex=lpIlsFwdrLtFbIpHIndex, lpFiLtFb=lpFiLtFb, lpFiOperationalState=lpFiOperationalState, lpTrLtPrtCfgTData=lpTrLtPrtCfgTData, lpFiMacProvEntry=lpFiMacProvEntry, lpEth100LtFbDataTData=lpEth100LtFbDataTData, lpTrProvTable=lpTrProvTable, lpTrLtFbMacEnetTopEntry=lpTrLtFbMacEnetTopEntry, lpIlsFwdrLtFrmCpyRowStatusTable=lpIlsFwdrLtFrmCpyRowStatusTable, lpTrLobeWires=lpTrLobeWires, lpFiLtFbFddiMac=lpFiLtFbFddiMac, lpIlsFwdrLtFbMacEnetTopEntry=lpIlsFwdrLtFbMacEnetTopEntry, lpIlsFwdrTestFrmTx=lpIlsFwdrTestFrmTx, lpEth100LtFbFddiMacTopTable=lpEth100LtFbFddiMacTopTable, lpEnetCustomerIdentifier=lpEnetCustomerIdentifier, lpEth100LtPrtCfgTopTable=lpEth100LtPrtCfgTopTable, lpEnetLtFbIpHTopEntry=lpEnetLtFbIpHTopEntry, lpEth100LtFbLlchTopTable=lpEth100LtFbLlchTopTable, lpEth100LtFbIpHRowStatusTable=lpEth100LtFbIpHRowStatusTable, lpFiIfAdminStatus=lpFiIfAdminStatus, lpFiLtFrmCmpStorageType=lpFiLtFrmCmpStorageType, lpFiLtPrtCfgRowStatusTable=lpFiLtPrtCfgRowStatusTable, lpEth100FramesReceivedOk=lpEth100FramesReceivedOk, lpFiLtFbAppleHTData=lpFiLtFbAppleHTData, lpEnetSingleCollisionFrames=lpEnetSingleCollisionFrames, lpTrLtFbDataComponentName=lpTrLtFbDataComponentName, lpFiLtFbLlchTopTable=lpFiLtFbLlchTopTable, lpEth100LtFrmCpy=lpEth100LtFrmCpy, lpEth100LtPrtCfgRowStatus=lpEth100LtPrtCfgRowStatus, lpTrLtFbTxInfo=lpTrLtFbTxInfo, lpFiLtFbIpxHRowStatusTable=lpFiLtFbIpxHRowStatusTable, lpIlsFwdrLtFbAppleHRowStatusTable=lpIlsFwdrLtFbAppleHRowStatusTable, lpEth100LtCntlStorageType=lpEth100LtCntlStorageType, lpEnetFrameTooLongs=lpEnetFrameTooLongs, lpTrLtFbDataTopEntry=lpTrLtFbDataTopEntry, lpEnetLtStorageType=lpEnetLtStorageType, lpEnetLtFbFddiMacTopTable=lpEnetLtFbFddiMacTopTable, lpFiPhyRowStatusEntry=lpFiPhyRowStatusEntry, lpEth100LtFbFddiMacTData=lpEth100LtFbFddiMacTData, lpEth100OperTable=lpEth100OperTable, lpEth100LtFbTxInfoComponentName=lpEth100LtFbTxInfoComponentName, lpIlsFwdrLtFbFddiMacRowStatus=lpIlsFwdrLtFbFddiMacRowStatus, lpTrVendor=lpTrVendor, lpFiAcceptBs=lpFiAcceptBs, lpFiLtCntlTData=lpFiLtCntlTData, lpFiLtPrtCfgTopEntry=lpFiLtPrtCfgTopEntry, lpFiRingOpCounts=lpFiRingOpCounts, lpTrLtFbIpxH=lpTrLtFbIpxH, lpTrLtFbFddiMacRowStatus=lpTrLtFbFddiMacRowStatus) mibBuilder.exportSymbols("Nortel-Magellan-Passport-LanDriversMIB", lpFiLtPrtCfgTopTable=lpFiLtPrtCfgTopTable, lpTrLtFbDataRowStatus=lpTrLtFbDataRowStatus, lpIlsFwdrTestResultsEntry=lpIlsFwdrTestResultsEntry, lpIlsFwdrLtStorageType=lpIlsFwdrLtStorageType, lpFiUserData=lpFiUserData, lpEth100LtFbTxInfoTData=lpEth100LtFbTxInfoTData, lpEnetLtFrmCpyTopEntry=lpEnetLtFrmCpyTopEntry, lpIlsFwdrLtCntlStorageType=lpIlsFwdrLtCntlStorageType, lpEnetLtFbMacTrTopTable=lpEnetLtFbMacTrTopTable, lpTrLtFbMacTrIndex=lpTrLtFbMacTrIndex, lpTrStatsTable=lpTrStatsTable, lpTrUsageState=lpTrUsageState, lpFiTestRowStatusEntry=lpFiTestRowStatusEntry, lpTrTestFrmTx=lpTrTestFrmTx, lpTrLtFbMacTrTopTable=lpTrLtFbMacTrTopTable, lpFiLtCntlRowStatus=lpFiLtCntlRowStatus, lpTrLtFbIpxHStorageType=lpTrLtFbIpxHStorageType, lpIlsFwdrLtFbMacTrRowStatus=lpIlsFwdrLtFbMacTrRowStatus, lpIlsFwdrLtFbIpxHTopEntry=lpIlsFwdrLtFbIpxHTopEntry, lpIlsFwdrLinkToTrafficSourceTable=lpIlsFwdrLinkToTrafficSourceTable, lpEth100LtFbAppleHTopTable=lpEth100LtFbAppleHTopTable, lpEnetLtFbMacEnetTData=lpEnetLtFbMacEnetTData, lpFiTestPTOTable=lpFiTestPTOTable, lpIlsFwdrLtFrmCmpTopTable=lpIlsFwdrLtFrmCmpTopTable, lpFiLtFbLlchTData=lpFiLtFbLlchTData, lpEth100LtFbMacEnetStorageType=lpEth100LtFbMacEnetStorageType, lpFiLtFbAppleHTopTable=lpFiLtFbAppleHTopTable, laFramerComponentName=laFramerComponentName, lpEnetLtFrmCpyComponentName=lpEnetLtFrmCpyComponentName, lpIlsFwdrLtPrtCfgTopTable=lpIlsFwdrLtPrtCfgTopTable, lpEnetLtFbAppleHComponentName=lpEnetLtFbAppleHComponentName, lpFiPhyStorageType=lpFiPhyStorageType, lpFiMacCOperTable=lpFiMacCOperTable, lpTrRowStatus=lpTrRowStatus, lpIlsFwdrLtFbStorageType=lpIlsFwdrLtFbStorageType, lpFiVendor=lpFiVendor, lpFiLtCntlComponentName=lpFiLtCntlComponentName, lpFiLtFbRowStatusTable=lpFiLtFbRowStatusTable, lpTrAcErrors=lpTrAcErrors, lpEnetMacReceiveErrors=lpEnetMacReceiveErrors, lpTrCidDataEntry=lpTrCidDataEntry, lpTrLostFrameErrors=lpTrLostFrameErrors, lpFiTokenNegotiatedTimer=lpFiTokenNegotiatedTimer, lpTrLtFbMacTr=lpTrLtFbMacTr, lpEnetLtFbIpHIndex=lpEnetLtFbIpHIndex, lpEth100MacReceiveErrors=lpEth100MacReceiveErrors, lpIlsFwdrLtFbTxInfoTopEntry=lpIlsFwdrLtFbTxInfoTopEntry, lpTrLtFbMacEnetTData=lpTrLtFbMacEnetTData, lpTrLtFbTxInfoTopTable=lpTrLtFbTxInfoTopTable, lpEth100LtFbMacTrComponentName=lpEth100LtFbMacTrComponentName, lpEnetLtRowStatus=lpEnetLtRowStatus, lpIlsFwdrLtFbLlch=lpIlsFwdrLtFbLlch, lpTrFunctionalAddress=lpTrFunctionalAddress, laMediaProvEntry=laMediaProvEntry, lpEnetLtFbIpxH=lpEnetLtFbIpxH, lpFiLtFbDataComponentName=lpFiLtFbDataComponentName, lpTrLtFbIpxHRowStatusEntry=lpTrLtFbIpxHRowStatusEntry, lpEnetLtFbDataTopEntry=lpEnetLtFbDataTopEntry, lpIlsFwdrLtFbAppleH=lpIlsFwdrLtFbAppleH, lpFiLtIndex=lpFiLtIndex, lpIlsFwdrLtCntlRowStatus=lpIlsFwdrLtCntlRowStatus, lpEth100LtIndex=lpEth100LtIndex, lpEnetFcsErrors=lpEnetFcsErrors, lpIlsFwdrLtPrtCfgComponentName=lpIlsFwdrLtPrtCfgComponentName, lpFiLtFbIpxH=lpFiLtFbIpxH, lpIlsFwdrLtFbTopTable=lpIlsFwdrLtFbTopTable, lpEnetTestPTOTable=lpEnetTestPTOTable, lpEnetProvTable=lpEnetProvTable, lpFiIfEntryEntry=lpFiIfEntryEntry, lpTrLineErrors=lpTrLineErrors, lpEth100LtFbLlchTData=lpEth100LtFbLlchTData, lpEnetLtFbIpxHRowStatusTable=lpEnetLtFbIpxHRowStatusTable, lpFiLtFbTxInfoStorageType=lpFiLtFbTxInfoStorageType, lpTrLtFbIpxHTopTable=lpTrLtFbIpxHTopTable, lpEth100LtRowStatusTable=lpEth100LtRowStatusTable, lpTrLtFbAppleHTData=lpTrLtFbAppleHTData, lpEnetLtFbLlchStorageType=lpEnetLtFbLlchStorageType, lpEth100OctetsTransmittedOk=lpEth100OctetsTransmittedOk, lpEnetCidDataEntry=lpEnetCidDataEntry, lpEth100ReceivedOctetsIntoRouterBr=lpEth100ReceivedOctetsIntoRouterBr, lpIlsFwdrStatsTable=lpIlsFwdrStatsTable, lpEnetLtFbIpH=lpEnetLtFbIpH, lpIlsFwdrErrorCount=lpIlsFwdrErrorCount, laRowStatusTable=laRowStatusTable, lpEnetLtFbIpHComponentName=lpEnetLtFbIpHComponentName, lpFiLtFbDataTopEntry=lpFiLtFbDataTopEntry, lpIlsFwdrLtFbDataRowStatus=lpIlsFwdrLtFbDataRowStatus, laFramerInterfaceNamesValue=laFramerInterfaceNamesValue, lpTrTest=lpTrTest, lanDriversCapabilitiesBE01=lanDriversCapabilitiesBE01, lpTrSignalLoss=lpTrSignalLoss, lpEth100OperStatusEntry=lpEth100OperStatusEntry, lpTrTestErroredFrmRx=lpTrTestErroredFrmRx, laFramerProvTable=laFramerProvTable, lpIlsFwdrLtFrmCmpStorageType=lpIlsFwdrLtFrmCmpStorageType, lpFiLtFbMacTrIndex=lpFiLtFbMacTrIndex, lpEnetTestResultsTable=lpEnetTestResultsTable, lpTrReceiveCongestions=lpTrReceiveCongestions, lpTrLtFbAppleHRowStatusTable=lpTrLtFbAppleHRowStatusTable, laFramerInterfaceNamesTable=laFramerInterfaceNamesTable, lpFiLtFbMacEnetRowStatus=lpFiLtFbMacEnetRowStatus, lpTrLtCntlTData=lpTrLtCntlTData, lpEth100LtFrmCmpTopEntry=lpEth100LtFrmCmpTopEntry, lpIlsFwdrLtFrmCmpRowStatusTable=lpIlsFwdrLtFrmCmpRowStatusTable, lpTrLtFbIpxHRowStatus=lpTrLtFbIpxHRowStatus, lpEth100OctetsReceivedOk=lpEth100OctetsReceivedOk, lpTrIfIndex=lpTrIfIndex, lpEnetLtFbAppleH=lpEnetLtFbAppleH, lpIlsFwdrLtFbTxInfo=lpIlsFwdrLtFbTxInfo, lpFiPhyProvTable=lpFiPhyProvTable, laCidDataTable=laCidDataTable, lpFiCidDataTable=lpFiCidDataTable, lpIlsFwdrLtFrmCmpRowStatusEntry=lpIlsFwdrLtFrmCmpRowStatusEntry, lpTrLtFbComponentName=lpTrLtFbComponentName, lpFiLtFbMacEnetTData=lpFiLtFbMacEnetTData, lpTrLtFbMacEnetRowStatusTable=lpTrLtFbMacEnetRowStatusTable, lpTrLtFrmCpyRowStatusTable=lpTrLtFrmCpyRowStatusTable, lpEth100ProvEntry=lpEth100ProvEntry, lpTrGroupAddress=lpTrGroupAddress, lpIlsFwdrLtFrmCmp=lpIlsFwdrLtFrmCmp, lpEnetTestIndex=lpEnetTestIndex, lanDriversGroupBE=lanDriversGroupBE, lpEth100LtFbData=lpEth100LtFbData, lanDriversCapabilities=lanDriversCapabilities, lpIlsFwdrTestType=lpIlsFwdrTestType, lpFiLtFbDataRowStatusEntry=lpFiLtFbDataRowStatusEntry, lpTrIfEntryTable=lpTrIfEntryTable, lpIlsFwdrLtFbIpxHComponentName=lpIlsFwdrLtFbIpxHComponentName, lpEnetLtFbTxInfoTData=lpEnetLtFbTxInfoTData, lpEnetLtFbMacTrTData=lpEnetLtFbMacTrTData, lpFiPhy=lpFiPhy, lpEth100LtFbTxInfoTopEntry=lpEth100LtFbTxInfoTopEntry, lpEnetStateTable=lpEnetStateTable, lpEnetLtFbTxInfoStorageType=lpEnetLtFbTxInfoStorageType, lpFiPhyOperEntry=lpFiPhyOperEntry, lpEnetTestResultsEntry=lpEnetTestResultsEntry, lpIlsFwdrLtFbRowStatus=lpIlsFwdrLtFbRowStatus, lpEnetLtFbMacEnetComponentName=lpEnetLtFbMacEnetComponentName, lpEth100LtFbFddiMacIndex=lpEth100LtFbFddiMacIndex, lpEth100LtFbFddiMacRowStatusTable=lpEth100LtFbFddiMacRowStatusTable, lpIlsFwdrLt=lpIlsFwdrLt, lpFiPhyFddiPhyTypeIndex=lpFiPhyFddiPhyTypeIndex, lpEnetLtFbAppleHIndex=lpEnetLtFbAppleHIndex, lpEnetDeferredTransmissions=lpEnetDeferredTransmissions, lpFiLtFbMacEnetTopTable=lpFiLtFbMacEnetTopTable, lpIlsFwdrLtFbFddiMacRowStatusEntry=lpIlsFwdrLtFbFddiMacRowStatusEntry, lpFiTokenMaxTimer=lpFiTokenMaxTimer, lpIlsFwdrAdminState=lpIlsFwdrAdminState, lpFiLtFbMacEnetRowStatusEntry=lpFiLtFbMacEnetRowStatusEntry, lpTrLtFbMacTrTopEntry=lpTrLtFbMacTrTopEntry, lpEnetLtFbAppleHRowStatusEntry=lpEnetLtFbAppleHRowStatusEntry, lpIlsFwdrLtFbMacEnetRowStatusTable=lpIlsFwdrLtFbMacEnetRowStatusTable, lpFiLtFbDataIndex=lpFiLtFbDataIndex, lpIlsFwdrLtFbIndex=lpIlsFwdrLtFbIndex, lpEth100TestRowStatus=lpEth100TestRowStatus, lpEth100LtFbIpHStorageType=lpEth100LtFbIpHStorageType, lpTrLtFrmCmpTopEntry=lpTrLtFrmCmpTopEntry, lpTrLtFbTxInfoRowStatus=lpTrLtFbTxInfoRowStatus, lpIlsFwdrLtPrtCfgRowStatus=lpIlsFwdrLtPrtCfgRowStatus, lpEnetLtFbLlch=lpEnetLtFbLlch, lpIlsFwdrOperationalState=lpIlsFwdrOperationalState, lpFiLtFbRowStatus=lpFiLtFbRowStatus, lpIlsFwdrLtFbIpHRowStatusTable=lpIlsFwdrLtFbIpHRowStatusTable, lpIlsFwdrOperStatusEntry=lpIlsFwdrOperStatusEntry, lpEth100LtFbDataRowStatusTable=lpEth100LtFbDataRowStatusTable, laLinkToProtocolPort=laLinkToProtocolPort, lpFiLtFrmCpy=lpFiLtFrmCpy, lpFiSmtOperTable=lpFiSmtOperTable, lpFiTestTimeRemaining=lpFiTestTimeRemaining, lpEth100TestIndex=lpEth100TestIndex, lpIlsFwdrLtPrtCfgTopEntry=lpIlsFwdrLtPrtCfgTopEntry, lpFiLtRowStatusTable=lpFiLtRowStatusTable, lpFiPhyLctFailCounts=lpFiPhyLctFailCounts, lpEth100LtFbFddiMacTopEntry=lpEth100LtFbFddiMacTopEntry, lpTrLtFbData=lpTrLtFbData, lpTrLtFbIpHTData=lpTrLtFbIpHTData, lpFiLtFbMacTrComponentName=lpFiLtFbMacTrComponentName, lpEth100LtFbLlchRowStatusTable=lpEth100LtFbLlchRowStatusTable, lpIlsFwdrLtFbFddiMacRowStatusTable=lpIlsFwdrLtFbFddiMacRowStatusTable, lpEnetLtFbDataRowStatusTable=lpEnetLtFbDataRowStatusTable, lpEnetLtFbRowStatusTable=lpEnetLtFbRowStatusTable, lpFiOperStatusEntry=lpFiOperStatusEntry, lpEnetLtFrmCpyTData=lpEnetLtFrmCpyTData, lpFiLtFbMacTrTData=lpFiLtFbMacTrTData, lpTrLtFrmCpyTopEntry=lpTrLtFrmCpyTopEntry, lpTrLtFbIpxHRowStatusTable=lpTrLtFbIpxHRowStatusTable, lpIlsFwdrLtFbLlchIndex=lpIlsFwdrLtFbLlchIndex, lpIlsFwdrLtCntlTopEntry=lpIlsFwdrLtCntlTopEntry, lpTrMonitorParticipate=lpTrMonitorParticipate, lpEth100LtFbMacEnetComponentName=lpEth100LtFbMacEnetComponentName, lpEth100LtFbLlch=lpEth100LtFbLlch, lpEnetLtFrmCmpComponentName=lpEnetLtFrmCmpComponentName, lpIlsFwdrLtFrmCmpIndex=lpIlsFwdrLtFrmCmpIndex, lpTrTestPTOEntry=lpTrTestPTOEntry, lpIlsFwdrLtFbTxInfoRowStatusTable=lpIlsFwdrLtFbTxInfoRowStatusTable, lpIlsFwdrTestBitsRx=lpIlsFwdrTestBitsRx, lpEnetLtCntl=lpEnetLtCntl, lpFiLtFbIpxHIndex=lpFiLtFbIpxHIndex, lpTrLtCntlTopTable=lpTrLtCntlTopTable, lpFiLtTopTable=lpFiLtTopTable, lpFiIndex=lpFiIndex, lpTrLtPrtCfgRowStatusTable=lpTrLtPrtCfgRowStatusTable, laRowStatus=laRowStatus, lpFiLtFbDataTData=lpFiLtFbDataTData, lpFiLtFbLlchIndex=lpFiLtFbLlchIndex, lpIlsFwdrLtFbDataRowStatusEntry=lpIlsFwdrLtFbDataRowStatusEntry, lpIlsFwdrLtFbAppleHComponentName=lpIlsFwdrLtFbAppleHComponentName, lpEth100LtFrmCmpComponentName=lpEth100LtFrmCmpComponentName, lpEth100LtFbRowStatusTable=lpEth100LtFbRowStatusTable, lpIlsFwdrLtFbDataTData=lpIlsFwdrLtFbDataTData, lpEth100LtPrtCfgTData=lpEth100LtPrtCfgTData, lpEth100LtFbIpHTopEntry=lpEth100LtFbIpHTopEntry, laOperStatusEntry=laOperStatusEntry, laCustomerIdentifier=laCustomerIdentifier, lpTrLtFbLlch=lpTrLtFbLlch, lpTrStatsEntry=lpTrStatsEntry, laRowStatusEntry=laRowStatusEntry, lpEth100LtFrmCpyRowStatusTable=lpEth100LtFrmCpyRowStatusTable, lpTrLtPrtCfgTopTable=lpTrLtPrtCfgTopTable, lpIlsFwdrLtFbFddiMacIndex=lpIlsFwdrLtFbFddiMacIndex, lpFiLtCntlTopTable=lpFiLtCntlTopTable, lpEnetLtFbLlchTopTable=lpEnetLtFbLlchTopTable, lpFiSmtProvEntry=lpFiSmtProvEntry, lpFiLtFrmCpyTopTable=lpFiLtFrmCpyTopTable, lpTrLtFbAppleHComponentName=lpTrLtFbAppleHComponentName, lpEnetOperStatusEntry=lpEnetOperStatusEntry, lpEth100ProvTable=lpEth100ProvTable, lpIlsFwdrLtRowStatusEntry=lpIlsFwdrLtRowStatusEntry, lpIlsFwdrLtFrmCpyRowStatusEntry=lpIlsFwdrLtFrmCpyRowStatusEntry, lpIlsFwdrRowStatusEntry=lpIlsFwdrRowStatusEntry, lpIlsFwdrLtFrmCpyComponentName=lpIlsFwdrLtFrmCpyComponentName, lpTrMacAddress=lpTrMacAddress, lpEnetLtFbMacTrStorageType=lpEnetLtFbMacTrStorageType, lpIlsFwdrLtFbIpHTData=lpIlsFwdrLtFbIpHTData, lpFiLtFbMacTrRowStatusTable=lpFiLtFbMacTrRowStatusTable, lpFiLtFbIpxHTData=lpFiLtFbIpxHTData, lpEnetAdminInfoEntry=lpEnetAdminInfoEntry, lpEth100LtPrtCfgComponentName=lpEth100LtPrtCfgComponentName, lpEth100LtFbAppleHStorageType=lpEth100LtFbAppleHStorageType, lpEth100LtFrmCmp=lpEth100LtFrmCmp, lpEth100LtFbAppleHTopEntry=lpEth100LtFbAppleHTopEntry, lpFiTokenRequestTimer=lpFiTokenRequestTimer, lpTrLt=lpTrLt, lpTrChipSet=lpTrChipSet, lpEnetLtFbTopTable=lpEnetLtFbTopTable, lpEnetLtFbMacEnetRowStatus=lpEnetLtFbMacEnetRowStatus, lpEnetTestFrmRx=lpEnetTestFrmRx, lpFiLtStorageType=lpFiLtStorageType, lpEnetIndex=lpEnetIndex, lpFiLtFbDataStorageType=lpFiLtFbDataStorageType, lpIlsFwdrLtFbData=lpIlsFwdrLtFbData, lpEth100CarrierSenseErrors=lpEth100CarrierSenseErrors, lpEnetLtRowStatusEntry=lpEnetLtRowStatusEntry, lpEnetLtFbDataIndex=lpEnetLtFbDataIndex) mibBuilder.exportSymbols("Nortel-Magellan-Passport-LanDriversMIB", lpFiLtFbLlchRowStatusEntry=lpFiLtFbLlchRowStatusEntry, lpTrRingState=lpTrRingState, lpTrLtFbMacTrTData=lpTrLtFbMacTrTData, lpEth100TestBitsRx=lpEth100TestBitsRx, lpEth100LtFbLlchIndex=lpEth100LtFbLlchIndex, lpTrLtFrmCpyComponentName=lpTrLtFrmCpyComponentName, lpTrLtCntl=lpTrLtCntl, lpEth100LtComponentName=lpEth100LtComponentName, lpFiMacOperEntry=lpFiMacOperEntry, lpFiLtFbTxInfoTopEntry=lpFiLtFbTxInfoTopEntry, lpIlsFwdrLtCntlComponentName=lpIlsFwdrLtCntlComponentName, lpFiLtFbIpHTData=lpFiLtFbIpHTData, lpFiTestBitsRx=lpFiTestBitsRx, lpTrLtFbFddiMacRowStatusEntry=lpTrLtFbFddiMacRowStatusEntry, lpFiLtFrmCpyRowStatus=lpFiLtFrmCpyRowStatus, lpFiLtFbAppleHRowStatus=lpFiLtFbAppleHRowStatus, lpTrLtFbMacTrRowStatusTable=lpTrLtFbMacTrRowStatusTable, la=la, lpFiTestDuration=lpFiTestDuration, laOperationalState=laOperationalState, lpFiTestFrmRx=lpFiTestFrmRx, lpIlsFwdrLtCntlRowStatusTable=lpIlsFwdrLtCntlRowStatusTable, lpFiLtTData=lpFiLtTData, lpTrLtFrmCmpRowStatusTable=lpTrLtFrmCmpRowStatusTable, lpFiLtFrmCmpRowStatusTable=lpFiLtFrmCmpRowStatusTable, lpIlsFwdrLtFbLlchRowStatusTable=lpIlsFwdrLtFbLlchRowStatusTable, lpEth100LtCntlTData=lpEth100LtCntlTData, lpEnetLtFbTxInfoRowStatusTable=lpEnetLtFbTxInfoRowStatusTable, lpTrLtFbTxInfoComponentName=lpTrLtFbTxInfoComponentName, lpFiDownstreamNeighbor=lpFiDownstreamNeighbor, lpEnetOperEntry=lpEnetOperEntry, lpFiFrameErrorFlag=lpFiFrameErrorFlag, lpTrRowStatusTable=lpTrRowStatusTable, lpTrTestComponentName=lpTrTestComponentName, lpTrIndex=lpTrIndex, lpEth100SnmpOperStatus=lpEth100SnmpOperStatus, lpTrLtFbFddiMacStorageType=lpTrLtFbFddiMacStorageType, lpTrLtFbDataTData=lpTrLtFbDataTData, lpTrLtFbLlchTData=lpTrLtFbLlchTData, lpTrLtFrmCmpComponentName=lpTrLtFrmCmpComponentName, lpEnetTestDuration=lpEnetTestDuration, lpIlsFwdrLtIndex=lpIlsFwdrLtIndex, lpEth100UndersizeFrames=lpEth100UndersizeFrames, lpFiLt=lpFiLt, lpFiLtFbTxInfoRowStatusTable=lpFiLtFbTxInfoRowStatusTable, lpIlsFwdrLtFbIpxHRowStatusEntry=lpIlsFwdrLtFbIpxHRowStatusEntry, laIfEntryTable=laIfEntryTable, lpEth100LtFbRowStatusEntry=lpEth100LtFbRowStatusEntry, lpEnetLateCollisions=lpEnetLateCollisions, lpIlsFwdrLtCntlTData=lpIlsFwdrLtCntlTData, lpEnetLtFbLlchTData=lpEnetLtFbLlchTData, lpIlsFwdrTestCauseOfTermination=lpIlsFwdrTestCauseOfTermination, lpIlsFwdrLtFbMacEnetTopTable=lpIlsFwdrLtFbMacEnetTopTable, lpTrLtFrmCmpTData=lpTrLtFrmCmpTData, lpEnetLtFbIpHTopTable=lpEnetLtFbIpHTopTable, lpEth100LtFrmCmpStorageType=lpEth100LtFrmCmpStorageType, lpEth100LtPrtCfgRowStatusTable=lpEth100LtPrtCfgRowStatusTable, lpEnetTestComponentName=lpEnetTestComponentName, lpFiTestCauseOfTermination=lpFiTestCauseOfTermination, lpEnetSqeTestErrors=lpEnetSqeTestErrors, lpTrAdminInfoEntry=lpTrAdminInfoEntry, lpIlsFwdrLtFbDataStorageType=lpIlsFwdrLtFbDataStorageType, lpTrLtFbMacEnetRowStatus=lpTrLtFbMacEnetRowStatus, laFramerInterfaceNamesEntry=laFramerInterfaceNamesEntry, lpTrLtFbIpxHIndex=lpTrLtFbIpxHIndex, lpEnetLtFbRowStatusEntry=lpEnetLtFbRowStatusEntry, lpIlsFwdrLtCntlRowStatusEntry=lpIlsFwdrLtCntlRowStatusEntry, lpFiTestFrmSize=lpFiTestFrmSize, lpTrLtFbIpHTopEntry=lpTrLtFbIpHTopEntry, lpEth100LtFbDataTopTable=lpEth100LtFbDataTopTable, lpEth100LtFbAppleHRowStatus=lpEth100LtFbAppleHRowStatus, lpFiUsageState=lpFiUsageState, lpEnetLtFbDataComponentName=lpEnetLtFbDataComponentName, lpFiLtFbLlchTopEntry=lpFiLtFbLlchTopEntry, lpEth100SingleCollisionFrames=lpEth100SingleCollisionFrames, lpEth100LtFbTxInfoRowStatusEntry=lpEth100LtFbTxInfoRowStatusEntry, lpEnetTestType=lpEnetTestType, lpTrLtTopEntry=lpTrLtTopEntry, lpIlsFwdrLtFbMacTrRowStatusEntry=lpIlsFwdrLtFbMacTrRowStatusEntry, lpEnetLtFbMacTrRowStatusTable=lpEnetLtFbMacTrRowStatusTable, lpTrIfEntryEntry=lpTrIfEntryEntry, lpEth100AutoNegStatus=lpEth100AutoNegStatus, lpIlsFwdrLtFbAppleHIndex=lpIlsFwdrLtFbAppleHIndex, lpFiAcceptAs=lpFiAcceptAs, lpFiPhySignalBitsRcvd=lpFiPhySignalBitsRcvd, lpEnetLtFbDataTopTable=lpEnetLtFbDataTopTable, lpFiNeighborNotifyInterval=lpFiNeighborNotifyInterval, lpEnetLtFbIpHStorageType=lpEnetLtFbIpHStorageType, lpFiLtFbData=lpFiLtFbData, lpIlsFwdrLtFrmCpyRowStatus=lpIlsFwdrLtFrmCpyRowStatus, laFramerRowStatusEntry=laFramerRowStatusEntry, lpEth100LtFbFddiMacRowStatusEntry=lpEth100LtFbFddiMacRowStatusEntry, lpEnetLtFrmCpyRowStatusEntry=lpEnetLtFrmCpyRowStatusEntry, lpTrTestType=lpTrTestType, lpIlsFwdrLinkToTrafficSourceEntry=lpIlsFwdrLinkToTrafficSourceEntry, lpTrLtFbIndex=lpTrLtFbIndex, lpEnetLtFbMacTrIndex=lpEnetLtFbMacTrIndex, lpFiLtFbIpxHStorageType=lpFiLtFbIpxHStorageType, lpTrStateEntry=lpTrStateEntry, lpFiTestRowStatusTable=lpFiTestRowStatusTable, lpFiTestType=lpFiTestType, lpEth100TestComponentName=lpEth100TestComponentName, lpTrTestBitsTx=lpTrTestBitsTx, lpEth100LtFbIpxHTopEntry=lpEth100LtFbIpxHTopEntry, lpIlsFwdrLtRowStatus=lpIlsFwdrLtRowStatus, lpFiTokenCounts=lpFiTokenCounts, lpEnetTestFrmTx=lpEnetTestFrmTx, lpTrLtCntlComponentName=lpTrLtCntlComponentName, lpEnetLtFbComponentName=lpEnetLtFbComponentName, lpTrLtPrtCfgStorageType=lpTrLtPrtCfgStorageType, lpFiLtFbFddiMacTopTable=lpFiLtFbFddiMacTopTable, lpIlsFwdrLtFrmCmpTopEntry=lpIlsFwdrLtFrmCmpTopEntry, lpIlsFwdrLtFbRowStatusEntry=lpIlsFwdrLtFbRowStatusEntry, lpFiLtCntlRowStatusTable=lpFiLtCntlRowStatusTable, lpTrLtIndex=lpTrLtIndex, lpTrLtFbMacEnetStorageType=lpTrLtFbMacEnetStorageType, lpFiTestComponentName=lpFiTestComponentName, lpTrLtPrtCfg=lpTrLtPrtCfg, lpTrLtFbRowStatus=lpTrLtFbRowStatus, lpEnetLtFbIpxHTopEntry=lpEnetLtFbIpxHTopEntry, lpFiLtFbAppleHStorageType=lpFiLtFbAppleHStorageType, lpEnetLtTopEntry=lpEnetLtTopEntry, lpTrAdminState=lpTrAdminState, lpEnetLtFrmCpyStorageType=lpEnetLtFrmCpyStorageType, lpTrSnmpOperStatus=lpTrSnmpOperStatus, lpEth100LtFbIpHRowStatusEntry=lpEth100LtFbIpHRowStatusEntry, lpIlsFwdrLtFrmCpyTopTable=lpIlsFwdrLtFrmCpyTopTable, lpEnetVendor=lpEnetVendor, lpTrComponentName=lpTrComponentName, lpEnetTestPTOEntry=lpEnetTestPTOEntry, lpFiLtCntlIndex=lpFiLtCntlIndex, lpFiLtFrmCpyTData=lpFiLtFrmCpyTData, lpFiTestErroredFrmRx=lpFiTestErroredFrmRx, lpEth100LtFbMacEnetRowStatusTable=lpEth100LtFbMacEnetRowStatusTable, lpFiLtFbTxInfoTData=lpFiLtFbTxInfoTData, lpFiLtFbIpH=lpFiLtFbIpH, lpFiLtFbDataRowStatus=lpFiLtFbDataRowStatus, lpIlsFwdrLtFbIpxHTopTable=lpIlsFwdrLtFbIpxHTopTable, lpEth100LtFbMacTrStorageType=lpEth100LtFbMacTrStorageType, lpEnetLtPrtCfgRowStatus=lpEnetLtPrtCfgRowStatus, lpFiPhySignalState=lpFiPhySignalState, lpTrLtFbTxInfoRowStatusEntry=lpTrLtFbTxInfoRowStatusEntry, lpEnetLtFbTxInfoRowStatusEntry=lpEnetLtFbTxInfoRowStatusEntry, lpEnetLtFbDataStorageType=lpEnetLtFbDataStorageType, lpEnetAdminInfoTable=lpEnetAdminInfoTable, lpEnetLtFb=lpEnetLtFb, lpFiLtPrtCfgRowStatusEntry=lpFiLtPrtCfgRowStatusEntry, lpFiLtFbTxInfo=lpFiLtFbTxInfo, lpFiLtFbMacTrTopTable=lpFiLtFbMacTrTopTable, lpIlsFwdrStorageType=lpIlsFwdrStorageType, lpIlsFwdrLtPrtCfgStorageType=lpIlsFwdrLtPrtCfgStorageType, lpIlsFwdrLtFbDataComponentName=lpIlsFwdrLtFbDataComponentName, lpIlsFwdrLtFbIpHRowStatusEntry=lpIlsFwdrLtFbIpHRowStatusEntry, lpEth100LtFbIpHIndex=lpEth100LtFbIpHIndex, lpIlsFwdrLtFbTxInfoComponentName=lpIlsFwdrLtFbTxInfoComponentName, lpEnetLtFbAppleHTopEntry=lpEnetLtFbAppleHTopEntry, lpFiLtFbIpHIndex=lpFiLtFbIpHIndex, lpFiLtFbRowStatusEntry=lpFiLtFbRowStatusEntry, lpFiTestPTOEntry=lpFiTestPTOEntry, lpEnetProvEntry=lpEnetProvEntry, lpEth100LtFbTxInfoRowStatus=lpEth100LtFbTxInfoRowStatus, lpEth100LtFbMacEnet=lpEth100LtFbMacEnet, lpEth100LtFbIpxHTData=lpEth100LtFbIpxHTData, lpTrRingOpenStatus=lpTrRingOpenStatus, lpTrLtFbDataIndex=lpTrLtFbDataIndex, lpTrLtRowStatusEntry=lpTrLtRowStatusEntry, lpIlsFwdrLtFbAppleHStorageType=lpIlsFwdrLtFbAppleHStorageType, lpIlsFwdrRowStatusTable=lpIlsFwdrRowStatusTable, lpTrLtTData=lpTrLtTData, lpEth100FramesTransmittedOk=lpEth100FramesTransmittedOk, lpTrLtFrmCmpRowStatus=lpTrLtFrmCmpRowStatus, lpTrLtPrtCfgRowStatus=lpTrLtPrtCfgRowStatus, lpEnetLtTData=lpEnetLtTData, lpEth100LtFbDataIndex=lpEth100LtFbDataIndex, lpEth100Lt=lpEth100Lt, lpEnetOperStatusTable=lpEnetOperStatusTable, lpFiLtFbIpxHComponentName=lpFiLtFbIpxHComponentName, lpFiLtFbLlchComponentName=lpFiLtFbLlchComponentName, lpFiNcMacOperTable=lpFiNcMacOperTable, lpIlsFwdrTestBitsTx=lpIlsFwdrTestBitsTx, lpEth100LtFbAppleHRowStatusEntry=lpEth100LtFbAppleHRowStatusEntry, lpIlsFwdrLtCntl=lpIlsFwdrLtCntl, lpEth100LtFbDataComponentName=lpEth100LtFbDataComponentName, lpEnetLtFbTxInfo=lpEnetLtFbTxInfo, lpEnetLtFbTxInfoTopTable=lpEnetLtFbTxInfoTopTable, lpFiLtFbLlchRowStatusTable=lpFiLtFbLlchRowStatusTable, lpEth100LtTData=lpEth100LtTData, lpIlsFwdrLtFbFddiMacTopTable=lpIlsFwdrLtFbFddiMacTopTable, lpFi=lpFi, lpTrLtFb=lpTrLtFb, lpIlsFwdrFramesDiscarded=lpIlsFwdrFramesDiscarded, lpTrLtFrmCmpStorageType=lpTrLtFrmCmpStorageType, lpIlsFwdrLtFbLlchComponentName=lpIlsFwdrLtFbLlchComponentName, lpIlsFwdrTest=lpIlsFwdrTest, lpEth100CidDataTable=lpEth100CidDataTable, lpEth100LateCollisions=lpEth100LateCollisions, lpEth100LtFbIpxHStorageType=lpEth100LtFbIpxHStorageType, lpFiLtFbIpHStorageType=lpFiLtFbIpHStorageType, lpEnetLtFbIpHRowStatusTable=lpEnetLtFbIpHRowStatusTable, lpIlsFwdr=lpIlsFwdr, lpFiLtFrmCmpIndex=lpFiLtFrmCmpIndex, lpFiNcMacOperEntry=lpFiNcMacOperEntry, lpIlsFwdrOperStatusTable=lpIlsFwdrOperStatusTable, lpIlsFwdrLtFrmCpyTData=lpIlsFwdrLtFrmCpyTData, lpEth100MultipleCollisionFrames=lpEth100MultipleCollisionFrames, lpEth100LtFrmCpyTData=lpEth100LtFrmCpyTData, lpTrTestIndex=lpTrTestIndex, lpEnetLtFbTopEntry=lpEnetLtFbTopEntry, lpEnetMultipleCollisionFrames=lpEnetMultipleCollisionFrames, lpEnetComponentName=lpEnetComponentName, lpEth100OperationalState=lpEth100OperationalState, lpIlsFwdrLtFrmCmpRowStatus=lpIlsFwdrLtFrmCmpRowStatus, lpFiTestStorageType=lpFiTestStorageType, lpEnetLtFbFddiMac=lpEnetLtFbFddiMac, lpIlsFwdrLtComponentName=lpIlsFwdrLtComponentName, lpEth100AutoNegotiation=lpEth100AutoNegotiation, lpEth100SqeTestErrors=lpEth100SqeTestErrors, lpEth100TestRowStatusEntry=lpEth100TestRowStatusEntry, lpTrLtFbAppleHRowStatusEntry=lpTrLtFbAppleHRowStatusEntry, lpEth100Index=lpEth100Index, lpEth100AdminInfoTable=lpEth100AdminInfoTable, lpIlsFwdrLtRowStatusTable=lpIlsFwdrLtRowStatusTable, lpEnetOperTable=lpEnetOperTable, lpFiLtCntlRowStatusEntry=lpFiLtCntlRowStatusEntry, lpFiLtFrmCmpTopTable=lpFiLtFrmCmpTopTable, lpEnetLtFbIpxHTData=lpEnetLtFbIpxHTData, lpTrLtFbDataTopTable=lpTrLtFbDataTopTable, lpTrProductId=lpTrProductId, lpIlsFwdrLtPrtCfgRowStatusTable=lpIlsFwdrLtPrtCfgRowStatusTable, lpTrLtFrmCmpIndex=lpTrLtFrmCmpIndex, lpEth100LtFbMacEnetTopTable=lpEth100LtFbMacEnetTopTable, lpFiOldUpstreamNeighbor=lpFiOldUpstreamNeighbor, lpTrLtFrmCpyTData=lpTrLtFrmCpyTData, lanDriversGroupBE01=lanDriversGroupBE01, lpIlsFwdrLtFbIpH=lpIlsFwdrLtFbIpH, lpTrLtFbFddiMacTopEntry=lpTrLtFbFddiMacTopEntry, lpEth100OperStatusTable=lpEth100OperStatusTable, lpEth100TestPTOTable=lpEth100TestPTOTable, lpFiLtFbLlchRowStatus=lpFiLtFbLlchRowStatus, lpEth100LtFbIpxHComponentName=lpEth100LtFbIpxHComponentName, lpEnetLtFbRowStatus=lpEnetLtFbRowStatus, lpFiTestRowStatus=lpFiTestRowStatus, lpEnetLtPrtCfgComponentName=lpEnetLtPrtCfgComponentName, lpTrCommentText=lpTrCommentText, lpTrLtFbTData=lpTrLtFbTData, lpEth100RowStatusTable=lpEth100RowStatusTable, lpEth100LtFrmCmpRowStatus=lpEth100LtFrmCmpRowStatus, lpEth100LtFbMacEnetRowStatus=lpEth100LtFbMacEnetRowStatus, lpEth100TestRowStatusTable=lpEth100TestRowStatusTable, laSnmpOperStatus=laSnmpOperStatus, lpEth100TestCauseOfTermination=lpEth100TestCauseOfTermination, lpTrLtFbFddiMac=lpTrLtFbFddiMac, lpFiPhyRowStatus=lpFiPhyRowStatus, lpTrTestFrmRx=lpTrTestFrmRx) mibBuilder.exportSymbols("Nortel-Magellan-Passport-LanDriversMIB", lpTrLtFbIpxHComponentName=lpTrLtFbIpxHComponentName, lpFiCopiedCounts=lpFiCopiedCounts, lpTrLtFbIpHRowStatusEntry=lpTrLtFbIpHRowStatusEntry, lpEth100TestResultsTable=lpEth100TestResultsTable, lpTrLtFbLlchIndex=lpTrLtFbLlchIndex, lpIlsFwdrTestIndex=lpIlsFwdrTestIndex, lpEth100CommentText=lpEth100CommentText, lpEnetTestRowStatusTable=lpEnetTestRowStatusTable, lpTrRingSpeed=lpTrRingSpeed, lpEnetLtFbMacTrComponentName=lpEnetLtFbMacTrComponentName, lpFiLtFbIpHRowStatus=lpFiLtFbIpHRowStatus, lpEnet=lpEnet, lpIlsFwdrLtFbIpxH=lpIlsFwdrLtFbIpxH, lpEth100DuplexMode=lpEth100DuplexMode, lpTrNodeAddress=lpTrNodeAddress, lpEth100LtFbIpHComponentName=lpEth100LtFbIpHComponentName, lpIlsFwdrLtFbIpHTopEntry=lpIlsFwdrLtFbIpHTopEntry, lpIlsFwdrLtFbLlchRowStatusEntry=lpIlsFwdrLtFbLlchRowStatusEntry, lpIlsFwdrLtFbFddiMacTData=lpIlsFwdrLtFbFddiMacTData, lpIlsFwdrLtFbTxInfoTData=lpIlsFwdrLtFbTxInfoTData, lpTrLtFbIpxHTopEntry=lpTrLtFbIpxHTopEntry, lpEnetOperationalState=lpEnetOperationalState, lpFiLtFrmCmpComponentName=lpFiLtFrmCmpComponentName, lpTrLastTimeBeaconSent=lpTrLastTimeBeaconSent, lpTrLtCntlRowStatusTable=lpTrLtCntlRowStatusTable, lpEnetLtPrtCfgIndex=lpEnetLtPrtCfgIndex, lpIlsFwdrLtFbFddiMacComponentName=lpIlsFwdrLtFbFddiMacComponentName, lpFiLtPrtCfgRowStatus=lpFiLtPrtCfgRowStatus, lpTrLtFbAppleHIndex=lpTrLtFbAppleHIndex, lpFiLtFbMacEnetStorageType=lpFiLtFbMacEnetStorageType, lpFiRowStatusTable=lpFiRowStatusTable, lpIlsFwdrLtFbMacTrRowStatusTable=lpIlsFwdrLtFbMacTrRowStatusTable, lpTrBurstErrors=lpTrBurstErrors, lpEnetLtFbFddiMacRowStatusEntry=lpEnetLtFbFddiMacRowStatusEntry, lpEnetLtFbMacTr=lpEnetLtFbMacTr, lpFiMacProvTable=lpFiMacProvTable, lpTrTestDuration=lpTrTestDuration, lpIlsFwdrLtFbIpHComponentName=lpIlsFwdrLtFbIpHComponentName, lpEnetLtPrtCfgStorageType=lpEnetLtPrtCfgStorageType, lpFiComponentName=lpFiComponentName, lpFiLtFbMacTrStorageType=lpFiLtFbMacTrStorageType, lpTrAbortTransErrors=lpTrAbortTransErrors, lpEth100LtPrtCfgIndex=lpEth100LtPrtCfgIndex, lpTrLtFbAppleHTopTable=lpTrLtFbAppleHTopTable, lpFiLostCounts=lpFiLostCounts, lpIlsFwdrIfEntryTable=lpIlsFwdrIfEntryTable, lpFiMacOperTable=lpFiMacOperTable, lpIlsFwdrLtFbDataRowStatusTable=lpIlsFwdrLtFbDataRowStatusTable, lpIlsFwdrLtFbIpHTopTable=lpIlsFwdrLtFbIpHTopTable, lpEnetLtPrtCfgTData=lpEnetLtPrtCfgTData, lpEnetLtFbMacTrRowStatus=lpEnetLtFbMacTrRowStatus, lpEnetLtFbIpxHTopTable=lpEnetLtFbIpxHTopTable, lpTrLtFbAppleH=lpTrLtFbAppleH, lpEnetLtFbData=lpEnetLtFbData, lpFiPhyLerEstimate=lpFiPhyLerEstimate, lpTrLtFbIpHTopTable=lpTrLtFbIpHTopTable, lpIlsFwdrTestComponentName=lpIlsFwdrTestComponentName, lpIlsFwdrTestFrmRx=lpIlsFwdrTestFrmRx, lpEth100LtRowStatus=lpEth100LtRowStatus, lpEth100LtFrmCpyRowStatus=lpEth100LtFrmCpyRowStatus, lpFiLtFbIndex=lpFiLtFbIndex, lpTrLtFbTxInfoTopEntry=lpTrLtFbTxInfoTopEntry, lpIlsFwdrLtFbLlchTData=lpIlsFwdrLtFbLlchTData, lpEth100LtFrmCpyStorageType=lpEth100LtFrmCpyStorageType, lpEth100LtFrmCpyTopEntry=lpEth100LtFrmCpyTopEntry, lpIlsFwdrTestTimeRemaining=lpIlsFwdrTestTimeRemaining, lpIlsFwdrLtFbLlchTopEntry=lpIlsFwdrLtFbLlchTopEntry, lpEth100LtFrmCmpTData=lpEth100LtFrmCmpTData, lpIlsFwdrLtFbDataTopTable=lpIlsFwdrLtFbDataTopTable, lpEnetLtCntlRowStatus=lpEnetLtCntlRowStatus, lpFiPhySignalBitsTxmt=lpFiPhySignalBitsTxmt, lpFiLtFbAppleHComponentName=lpFiLtFbAppleHComponentName, lpTrTransmitBeacons=lpTrTransmitBeacons, lpTrLtFrmCpyTopTable=lpTrLtFrmCpyTopTable, lpFiIfIndex=lpFiIfIndex, lpTrLtFbMacEnetComponentName=lpTrLtFbMacEnetComponentName, lpFiRmtState=lpFiRmtState, lpTrLtFbMacEnetIndex=lpTrLtFbMacEnetIndex, lpEnetLtCntlStorageType=lpEnetLtCntlStorageType, lpIlsFwdrLtFbMacTrIndex=lpIlsFwdrLtFbMacTrIndex, lpEnetLtCntlRowStatusTable=lpEnetLtCntlRowStatusTable, lpFiLtFbTxInfoRowStatus=lpFiLtFbTxInfoRowStatus, lpEnetTestBitsTx=lpEnetTestBitsTx, lpEth100LtFbFddiMacRowStatus=lpEth100LtFbFddiMacRowStatus, lpTrProvEntry=lpTrProvEntry, lpIlsFwdrTestPTOTable=lpIlsFwdrTestPTOTable, lpEnetAdminState=lpEnetAdminState, lpTrTestTimeRemaining=lpTrTestTimeRemaining, lpEth100LtFbMacTrTData=lpEth100LtFbMacTrTData, lpEth100LtFbLlchRowStatusEntry=lpEth100LtFbLlchRowStatusEntry, lpEnetAlignmentErrors=lpEnetAlignmentErrors, lpIlsFwdrLtFbAppleHTopEntry=lpIlsFwdrLtFbAppleHTopEntry, lpFiBypassPresent=lpFiBypassPresent, lpEnetLtFbAppleHTData=lpEnetLtFbAppleHTData, lpEnetLtFbMacEnetTopTable=lpEnetLtFbMacEnetTopTable, lpIlsFwdrLtFbFddiMacStorageType=lpIlsFwdrLtFbFddiMacStorageType, lpIlsFwdrLtFbIpHRowStatus=lpIlsFwdrLtFbIpHRowStatus, lpFiLtRowStatusEntry=lpFiLtRowStatusEntry, lpEth100LtFrmCpyIndex=lpEth100LtFrmCpyIndex, laUsageState=laUsageState, lpEnetLtFbTxInfoIndex=lpEnetLtFbTxInfoIndex, lpEth100LtFbStorageType=lpEth100LtFbStorageType, lpFiLtFbMacEnetComponentName=lpFiLtFbMacEnetComponentName, lpIlsFwdrLinkToTrafficSourceValue=lpIlsFwdrLinkToTrafficSourceValue, lpTrNcMacAddress=lpTrNcMacAddress, lpTrTestBitsRx=lpTrTestBitsRx, lpIlsFwdrTestErroredFrmRx=lpIlsFwdrTestErroredFrmRx, lpEnetCidDataTable=lpEnetCidDataTable, lpEnetLtFrmCpyRowStatusTable=lpEnetLtFrmCpyRowStatusTable, lpFiCommentText=lpFiCommentText, lpFiPhyRowStatusTable=lpFiPhyRowStatusTable, laIndex=laIndex, lpEth100IfIndex=lpEth100IfIndex, lpEnetLtCntlComponentName=lpEnetLtCntlComponentName, laStateTable=laStateTable, lpEnetLtRowStatusTable=lpEnetLtRowStatusTable, lpFiLtFbTopTable=lpFiLtFbTopTable, lpIlsFwdrLtFbMacEnetIndex=lpIlsFwdrLtFbMacEnetIndex, lpIlsFwdrLtFbIpxHStorageType=lpIlsFwdrLtFbIpxHStorageType, lpFiLtCntlTopEntry=lpFiLtCntlTopEntry, lpEth100Eth100StatsEntry=lpEth100Eth100StatsEntry, lpEnetLtFbIpHRowStatusEntry=lpEnetLtFbIpHRowStatusEntry, lpTrTokenErrors=lpTrTokenErrors, lpEnetLtFbMacEnetIndex=lpEnetLtFbMacEnetIndex, lpFiPhyLerCutoff=lpFiPhyLerCutoff, lpTrLtPrtCfgRowStatusEntry=lpTrLtPrtCfgRowStatusEntry, lpFiLtFbMacEnetRowStatusTable=lpFiLtFbMacEnetRowStatusTable, lpIlsFwdrIndex=lpIlsFwdrIndex, lpIlsFwdrLtFbFddiMacTopEntry=lpIlsFwdrLtFbFddiMacTopEntry, lpTrTestResultsEntry=lpTrTestResultsEntry, lpEth100AdminInfoEntry=lpEth100AdminInfoEntry, lpTrNcMacOperTable=lpTrNcMacOperTable, lpFiLtFrmCpyComponentName=lpFiLtFrmCpyComponentName, lpFiAcceptAa=lpFiAcceptAa, lpTrLtFbMacTrRowStatus=lpTrLtFbMacTrRowStatus, lpEth100TestElapsedTime=lpEth100TestElapsedTime, lpTrTestStorageType=lpTrTestStorageType, lpTrSoftErrors=lpTrSoftErrors, lpFiLtFbAppleHIndex=lpFiLtFbAppleHIndex, lpTrFrameCopiedErrors=lpTrFrameCopiedErrors, lpFiLtFbStorageType=lpFiLtFbStorageType, lpTrLtFbIpHRowStatus=lpTrLtFbIpHRowStatus, lpIlsFwdrLtFbTxInfoStorageType=lpIlsFwdrLtFbTxInfoStorageType, lpEth100StorageType=lpEth100StorageType, laAdminState=laAdminState, lpTrLtFrmCpyRowStatusEntry=lpTrLtFrmCpyRowStatusEntry, lpEth100LtRowStatusEntry=lpEth100LtRowStatusEntry, lpFiLtRowStatus=lpFiLtRowStatus, lpEth100TestErroredFrmRx=lpEth100TestErroredFrmRx, lpIlsFwdrLtFbTxInfoRowStatus=lpIlsFwdrLtFbTxInfoRowStatus, lpEnetLtFbMacEnet=lpEnetLtFbMacEnet, lpEnetStorageType=lpEnetStorageType, lpEnetLtFbFddiMacIndex=lpEnetLtFbFddiMacIndex, laFramerInterfaceNamesRowStatus=laFramerInterfaceNamesRowStatus, lpEnetTestStorageType=lpEnetTestStorageType, lpFiIfEntryTable=lpFiIfEntryTable, lpTrLtFbFddiMacIndex=lpTrLtFbFddiMacIndex, lpEth100IfEntryTable=lpEth100IfEntryTable, laFramerRowStatusTable=laFramerRowStatusTable, lpFiLtFrmCpyTopEntry=lpFiLtFrmCpyTopEntry, lpEnetLtFbIpxHRowStatus=lpEnetLtFbIpxHRowStatus, lpTrIfAdminStatus=lpTrIfAdminStatus, lpIlsFwdrTestStorageType=lpIlsFwdrTestStorageType, lpEth100LtFbAppleHIndex=lpEth100LtFbAppleHIndex, lpEnetTestErroredFrmRx=lpEnetTestErroredFrmRx, lpEth100LtFbMacTrTopTable=lpEth100LtFbMacTrTopTable, lanDriversMIB=lanDriversMIB, lpIlsFwdrLtCntlTopTable=lpIlsFwdrLtCntlTopTable, lpEnetLtCntlRowStatusEntry=lpEnetLtCntlRowStatusEntry, lpEth100LtCntlComponentName=lpEth100LtCntlComponentName, lpEth100TestType=lpEth100TestType, lpTrLtFbAppleHStorageType=lpTrLtFbAppleHStorageType, lpEnetRowStatusTable=lpEnetRowStatusTable, lpEnetLtFbFddiMacRowStatusTable=lpEnetLtFbFddiMacRowStatusTable, lpEnetLtFbMacTrRowStatusEntry=lpEnetLtFbMacTrRowStatusEntry, laOperStatusTable=laOperStatusTable, lpEnetLtFrmCpyRowStatus=lpEnetLtFrmCpyRowStatus, lpTrLtFbFddiMacRowStatusTable=lpTrLtFbFddiMacRowStatusTable, lpTrLtFbLlchTopEntry=lpTrLtFbLlchTopEntry, lpEth100MacTransmitErrors=lpEth100MacTransmitErrors, lpEth100LtFrmCmpRowStatusTable=lpEth100LtFrmCmpRowStatusTable, lpEth100LtFb=lpEth100LtFb, lpTrNcMacOperEntry=lpTrNcMacOperEntry, lpIlsFwdrLtFbIpxHTData=lpIlsFwdrLtFbIpxHTData, lpFiTest=lpFiTest, lpEnetLtFrmCmpTopTable=lpEnetLtFrmCmpTopTable, lpEnetLtFbLlchIndex=lpEnetLtFbLlchIndex, lpEnetLtPrtCfgRowStatusTable=lpEnetLtPrtCfgRowStatusTable, lpEth100LtFbMacTrRowStatus=lpEth100LtFbMacTrRowStatus, lpFiLtFbIpHTopEntry=lpFiLtFbIpHTopEntry, lpEth100LtFbMacTrIndex=lpEth100LtFbMacTrIndex, lpFiLtFrmCmpRowStatus=lpFiLtFrmCmpRowStatus, lpEth100LtFbAppleHTData=lpEth100LtFbAppleHTData, lpTrAdminInfoTable=lpTrAdminInfoTable, lpTrLtFbMacEnetRowStatusEntry=lpTrLtFbMacEnetRowStatusEntry, lpFiSmtOperEntry=lpFiSmtOperEntry, laFramerInterfaceName=laFramerInterfaceName, lpEth100ApplicationFramerName=lpEth100ApplicationFramerName, lpFiNcUpstreamNeighbor=lpFiNcUpstreamNeighbor, lpEth100LtFbTopEntry=lpEth100LtFbTopEntry, lpEnetLtFbIpxHIndex=lpEnetLtFbIpxHIndex, lpEnetLtPrtCfg=lpEnetLtPrtCfg, lpEth100TestPTOEntry=lpEth100TestPTOEntry, lpTrLtCntlRowStatus=lpTrLtCntlRowStatus, lpIlsFwdrLtPrtCfgIndex=lpIlsFwdrLtPrtCfgIndex, lpTrLtFbTxInfoTData=lpTrLtFbTxInfoTData, lpIlsFwdrLtPrtCfgTData=lpIlsFwdrLtPrtCfgTData, lpEth100=lpEth100, laMediaProvTable=laMediaProvTable, lpTrStateTable=lpTrStateTable, lpFiValidTransmissionTimer=lpFiValidTransmissionTimer, lpEth100LtFbIndex=lpEth100LtFbIndex, lpIlsFwdrSnmpOperStatus=lpIlsFwdrSnmpOperStatus, lpEnetLtFbIpHRowStatus=lpEnetLtFbIpHRowStatus, lpTrTestResultsTable=lpTrTestResultsTable, lpEnetLtFrmCmp=lpEnetLtFrmCmp, lpIlsFwdrLtFbTxInfoIndex=lpIlsFwdrLtFbTxInfoIndex, lpEth100StatsEntry=lpEth100StatsEntry, lpFiLtFbTxInfoIndex=lpFiLtFbTxInfoIndex, lpTrHardErrors=lpTrHardErrors, lpIlsFwdrIfEntryEntry=lpIlsFwdrIfEntryEntry, lpEth100RowStatus=lpEth100RowStatus, lpEnetLtFrmCmpRowStatusTable=lpEnetLtFrmCmpRowStatusTable, lpEth100ActualDuplexMode=lpEth100ActualDuplexMode, lpEth100LtFbLlchTopEntry=lpEth100LtFbLlchTopEntry, lpEth100ExcessiveCollisions=lpEth100ExcessiveCollisions, lpTrLtCntlStorageType=lpTrLtCntlStorageType, lpTrLtRowStatusTable=lpTrLtRowStatusTable, lpTrRingStatus=lpTrRingStatus, lpIlsFwdrLtFrmCpyStorageType=lpIlsFwdrLtFrmCpyStorageType, lpTrLtTopTable=lpTrLtTopTable, lpTrLtFbIpHComponentName=lpTrLtFbIpHComponentName, lpTrLtFbTxInfoRowStatusTable=lpTrLtFbTxInfoRowStatusTable, lpIlsFwdrLtFbMacEnetRowStatusEntry=lpIlsFwdrLtFbMacEnetRowStatusEntry, laStorageType=laStorageType, lpFiLtFrmCmpTopEntry=lpFiLtFrmCmpTopEntry, lpTrLtFbLlchRowStatusEntry=lpTrLtFbLlchRowStatusEntry, lpTrApplicationFramerName=lpTrApplicationFramerName, lpEnetRowStatus=lpEnetRowStatus, lpEnetTestCauseOfTermination=lpEnetTestCauseOfTermination, lpEnetLt=lpEnetLt, lpTrOperationalState=lpTrOperationalState, lpEnetLtFbMacEnetRowStatusTable=lpEnetLtFbMacEnetRowStatusTable, lpIlsFwdrLtFrmCmpTData=lpIlsFwdrLtFrmCmpTData, lpTrTestElapsedTime=lpTrTestElapsedTime, lpFiPhyLerFlag=lpFiPhyLerFlag, lpIlsFwdrLtFbMacEnetRowStatus=lpIlsFwdrLtFbMacEnetRowStatus, lpIlsFwdrLtFbMacTrTopEntry=lpIlsFwdrLtFbMacTrTopEntry, lpFiLtFbMacTrRowStatus=lpFiLtFbMacTrRowStatus, lpEnetLtFbMacTrTopEntry=lpEnetLtFbMacTrTopEntry, lpFiLtPrtCfgComponentName=lpFiLtPrtCfgComponentName, lpFiLtFrmCmp=lpFiLtFrmCmp, lpFiLtFbMacTrRowStatusEntry=lpFiLtFbMacTrRowStatusEntry, lpFiLtFbIpHTopTable=lpFiLtFbIpHTopTable) mibBuilder.exportSymbols("Nortel-Magellan-Passport-LanDriversMIB", lpEth100LtFbIpHTData=lpEth100LtFbIpHTData, lpEth100TestResultsEntry=lpEth100TestResultsEntry, lpEnetLtFrmCmpTData=lpEnetLtFrmCmpTData, lpEnetLtFbAppleHRowStatusTable=lpEnetLtFbAppleHRowStatusTable, lpFiLtFbTData=lpFiLtFbTData, lpEth100TestFrmTx=lpEth100TestFrmTx, lpTrLtFbFddiMacTData=lpTrLtFbFddiMacTData, lpIlsFwdrLtFbDataTopEntry=lpIlsFwdrLtFbDataTopEntry, lpIlsFwdrLtPrtCfg=lpIlsFwdrLtPrtCfg, lpEnetLtPrtCfgTopTable=lpEnetLtPrtCfgTopTable, lpEnetLtFrmCpyIndex=lpEnetLtFrmCpyIndex, lpEth100TestFrmSize=lpEth100TestFrmSize, lpEnetLtFbLlchRowStatus=lpEnetLtFbLlchRowStatus, laFramerIndex=laFramerIndex, lpFiPhyProvEntry=lpFiPhyProvEntry, lpFiLtFbLlchStorageType=lpFiLtFbLlchStorageType, lpEth100LtFbDataStorageType=lpEth100LtFbDataStorageType, lpFiLtFrmCpyIndex=lpFiLtFrmCpyIndex, lpTrLtFbTopEntry=lpTrLtFbTopEntry, lpTrOperStatusEntry=lpTrOperStatusEntry, lpIlsFwdrTestPTOEntry=lpIlsFwdrTestPTOEntry, lpEth100LtFbFddiMac=lpEth100LtFbFddiMac, lpEth100LtPrtCfgStorageType=lpEth100LtPrtCfgStorageType, lpEnetLtCntlTData=lpEnetLtCntlTData, lpTrLtFbIpHRowStatusTable=lpTrLtFbIpHRowStatusTable, lpFiRowStatusEntry=lpFiRowStatusEntry, lpEth100TestStorageType=lpEth100TestStorageType, lpFiMacCOperEntry=lpFiMacCOperEntry, lpEth100LtTopTable=lpEth100LtTopTable, laFramer=laFramer, lpFiPhyLinkErrorMonitor=lpFiPhyLinkErrorMonitor, lpTrLtFbFddiMacTopTable=lpTrLtFbFddiMacTopTable, lpTrLtFbDataRowStatusTable=lpTrLtFbDataRowStatusTable, lanDriversGroup=lanDriversGroup, lpEnetTestElapsedTime=lpEnetTestElapsedTime, lpEth100LtCntlRowStatus=lpEth100LtCntlRowStatus, lpEnetLtComponentName=lpEnetLtComponentName, lpIlsFwdrLtFbTxInfoTopTable=lpIlsFwdrLtFbTxInfoTopTable, lpEnetLtFbFddiMacRowStatus=lpEnetLtFbFddiMacRowStatus, lpEnetTestRowStatusEntry=lpEnetTestRowStatusEntry, lpIlsFwdrLtFbLlchTopTable=lpIlsFwdrLtFbLlchTopTable, lpEnetLtFbDataRowStatus=lpEnetLtFbDataRowStatus, lpEnetLtFbAppleHRowStatus=lpEnetLtFbAppleHRowStatus, lpFiUseThruBa=lpFiUseThruBa, lpEnetLtFbLlchTopEntry=lpEnetLtFbLlchTopEntry, lpTrOperStatusTable=lpTrOperStatusTable, lpTrLtFbFddiMacComponentName=lpTrLtFbFddiMacComponentName, lpEth100LtFbMacTrRowStatusTable=lpEth100LtFbMacTrRowStatusTable, lpFiLtFbFddiMacComponentName=lpFiLtFbFddiMacComponentName, lpTrSingleStation=lpTrSingleStation, lpTrLtFbIpxHTData=lpTrLtFbIpxHTData, lpEth100LtCntlRowStatusTable=lpEth100LtCntlRowStatusTable, lpFiStorageType=lpFiStorageType, lpFiAdminInfoTable=lpFiAdminInfoTable, lpFiLtFbFddiMacRowStatus=lpFiLtFbFddiMacRowStatus, lpTrLtRowStatus=lpTrLtRowStatus, lpEnetApplicationFramerName=lpEnetApplicationFramerName, lpEth100StatsTable=lpEth100StatsTable, lpEnetLtCntlIndex=lpEnetLtCntlIndex, lpFiEcmState=lpFiEcmState, lpFiTestBitsTx=lpFiTestBitsTx, lpEnetTest=lpEnetTest, lpTrLtStorageType=lpTrLtStorageType, lpTrOperTable=lpTrOperTable, lpFiCfState=lpFiCfState, lpEth100RowStatusEntry=lpEth100RowStatusEntry, lpEnetStatsEntry=lpEnetStatsEntry, lpFiLtFbIpHRowStatusEntry=lpFiLtFbIpHRowStatusEntry, lpEnetLtPrtCfgRowStatusEntry=lpEnetLtPrtCfgRowStatusEntry, lpFiLtFbTxInfoRowStatusEntry=lpFiLtFbTxInfoRowStatusEntry, lpIlsFwdrLtFbMacEnetTData=lpIlsFwdrLtFbMacEnetTData, lpEnetLtFrmCpy=lpEnetLtFrmCpy, lpEnetTestFrmSize=lpEnetTestFrmSize, lpFiDupAddressTest=lpFiDupAddressTest, lpFiLtPrtCfgTData=lpFiLtPrtCfgTData, lpEth100StateEntry=lpEth100StateEntry, lpEnetLtFbDataTData=lpEnetLtFbDataTData, lpEth100AlignmentErrors=lpEth100AlignmentErrors, lpFiPhyLemCounts=lpFiPhyLemCounts, lpEth100LtFbTData=lpEth100LtFbTData, lpEth100LtCntlTopEntry=lpEth100LtCntlTopEntry, lpFiAdminState=lpFiAdminState, lpTrLtFbStorageType=lpTrLtFbStorageType, lpIlsFwdrTestFrmSize=lpIlsFwdrTestFrmSize, lpEth100LtFbRowStatus=lpEth100LtFbRowStatus, lpEnetCarrierSenseErrors=lpEnetCarrierSenseErrors, lpTrTestRowStatus=lpTrTestRowStatus, lpTrLtComponentName=lpTrLtComponentName, lpTrLtFbMacEnet=lpTrLtFbMacEnet, lpIlsFwdrLtFbMacTr=lpIlsFwdrLtFbMacTr, lpIlsFwdrTestRowStatusTable=lpIlsFwdrTestRowStatusTable, lpFiTestResultsTable=lpFiTestResultsTable, lpTrLtFbIpH=lpTrLtFbIpH, lpEnetLtFbFddiMacComponentName=lpEnetLtFbFddiMacComponentName, lpEth100DeferredTransmissions=lpEth100DeferredTransmissions, lpEnetLtFbIpxHRowStatusEntry=lpEnetLtFbIpxHRowStatusEntry, lpIlsFwdrLtTopEntry=lpIlsFwdrLtTopEntry, lpEth100MacAddress=lpEth100MacAddress, lpIlsFwdrStateTable=lpIlsFwdrStateTable, lanDriversCapabilitiesBE01A=lanDriversCapabilitiesBE01A, lpFiPhyLemRejectCounts=lpFiPhyLemRejectCounts, lpEnetLtIndex=lpEnetLtIndex, lpFiLtPrtCfg=lpFiLtPrtCfg, lpIlsFwdrLtFbMacEnetStorageType=lpIlsFwdrLtFbMacEnetStorageType, lpTr=lpTr, lpFiLtFrmCmpTData=lpFiLtFrmCmpTData, lpFiLtFbIpHComponentName=lpFiLtFbIpHComponentName, lpEth100LtFbIpHRowStatus=lpEth100LtFbIpHRowStatus, lpFiAcceptBm=lpFiAcceptBm, lpFiErrorCounts=lpFiErrorCounts, lpEnetLtFbIpxHStorageType=lpEnetLtFbIpxHStorageType, laFramerStorageType=laFramerStorageType, lpEnetLtFbTData=lpEnetLtFbTData, lpEnetMacTransmitErrors=lpEnetMacTransmitErrors, lpTrLtFbIpHStorageType=lpTrLtFbIpHStorageType, lpEth100ReceivedFramesIntoRouterBr=lpEth100ReceivedFramesIntoRouterBr, lpEth100LtFbFddiMacStorageType=lpEth100LtFbFddiMacStorageType, lpEnetLtCntlTopEntry=lpEnetLtCntlTopEntry, lpIlsFwdrLtFbIpHStorageType=lpIlsFwdrLtFbIpHStorageType, lpTrLtFbIpHIndex=lpTrLtFbIpHIndex, lpTrCidDataTable=lpTrCidDataTable, lpIlsFwdrLtCntlIndex=lpIlsFwdrLtCntlIndex, lpIlsFwdrLtFbTopEntry=lpIlsFwdrLtFbTopEntry, lpEth100LtFbDataRowStatusEntry=lpEth100LtFbDataRowStatusEntry, lpTrLtFbTopTable=lpTrLtFbTopTable, lpEth100TestBitsTx=lpEth100TestBitsTx, lpEth100LtFbMacEnetIndex=lpEth100LtFbMacEnetIndex, lpEnetIfEntryEntry=lpEnetIfEntryEntry, lpFiLtFbAppleHTopEntry=lpFiLtFbAppleHTopEntry, lpIlsFwdrLtFrmCpyTopEntry=lpIlsFwdrLtFrmCpyTopEntry, lpTrStorageType=lpTrStorageType, lpEnetLtCntlTopTable=lpEnetLtCntlTopTable, lpFiLtFbMacEnet=lpFiLtFbMacEnet, lpTrLtFrmCmpTopTable=lpTrLtFrmCmpTopTable, lpTrLtPrtCfgTopEntry=lpTrLtPrtCfgTopEntry, lpFiLtFbIpxHRowStatus=lpFiLtFbIpxHRowStatus, lpEth100ComponentName=lpEth100ComponentName, lpEnetIfAdminStatus=lpEnetIfAdminStatus, lpEth100ActualLineSpeed=lpEth100ActualLineSpeed, laFramerProvEntry=laFramerProvEntry, lpEnetLtFrmCmpRowStatusEntry=lpEnetLtFrmCmpRowStatusEntry, lpTrLtFrmCmp=lpTrLtFrmCmp, lpIlsFwdrTestRowStatusEntry=lpIlsFwdrTestRowStatusEntry, lpEth100LtFbTxInfo=lpEth100LtFbTxInfo, lpFiLtFrmCpyRowStatusEntry=lpFiLtFrmCpyRowStatusEntry, lpFiLtFbFddiMacRowStatusTable=lpFiLtFbFddiMacRowStatusTable, lpTrLtFrmCpyIndex=lpTrLtFrmCpyIndex, lpIlsFwdrIfIndex=lpIlsFwdrIfIndex, lpEth100StateTable=lpEth100StateTable, lpEnetMacAddress=lpEnetMacAddress, lpEth100LtFbAppleHComponentName=lpEth100LtFbAppleHComponentName, lpTrLtFbAppleHTopEntry=lpTrLtFbAppleHTopEntry, lpEth100LtFrmCpyRowStatusEntry=lpEth100LtFrmCpyRowStatusEntry, lpEth100LtFbLlchStorageType=lpEth100LtFbLlchStorageType, lpEth100LtFrmCpyTopTable=lpEth100LtFrmCpyTopTable, lpEth100LtFrmCmpIndex=lpEth100LtFrmCmpIndex, lpTrLtFbRowStatusEntry=lpTrLtFbRowStatusEntry, lpIlsFwdrLtFbAppleHRowStatusEntry=lpIlsFwdrLtFbAppleHRowStatusEntry, lpFiTvxExpiredCounts=lpFiTvxExpiredCounts, lpEnetLtFrmCpyTopTable=lpEnetLtFrmCpyTopTable, lpFiLtFbMacTr=lpFiLtFbMacTr, lpIlsFwdrProcessedCount=lpIlsFwdrProcessedCount, lpFiPhyComponentName=lpFiPhyComponentName, lpIlsFwdrLtFbRowStatusTable=lpIlsFwdrLtFbRowStatusTable, lpEnetTestTimeRemaining=lpEnetTestTimeRemaining, lpIlsFwdrLtFbLlchStorageType=lpIlsFwdrLtFbLlchStorageType, lpEth100LtFbIpHTopTable=lpEth100LtFbIpHTopTable, lpFiLtFrmCpyStorageType=lpFiLtFrmCpyStorageType, lpEth100LtFbMacTr=lpEth100LtFbMacTr, lpTrLtFbMacTrRowStatusEntry=lpTrLtFbMacTrRowStatusEntry, lpEth100LtFbIpH=lpEth100LtFbIpH, lpEnetStateEntry=lpEnetStateEntry, lpTrNcUpStream=lpTrNcUpStream, lpEth100IfAdminStatus=lpEth100IfAdminStatus, lpFiLtFbAppleHRowStatusTable=lpFiLtFbAppleHRowStatusTable, lpFiLtFbIpxHTopTable=lpFiLtFbIpxHTopTable, lpFiLtPrtCfgStorageType=lpFiLtPrtCfgStorageType, lpTrLtFbAppleHRowStatus=lpTrLtFbAppleHRowStatus, lpEth100LtFbMacTrTopEntry=lpEth100LtFbMacTrTopEntry, lpEth100LtFbLlchRowStatus=lpEth100LtFbLlchRowStatus, lpEth100LtCntl=lpEth100LtCntl, laCidDataEntry=laCidDataEntry, lpFiSmtProvTable=lpFiSmtProvTable, laIfEntryEntry=laIfEntryEntry, lpTrLtFrmCpy=lpTrLtFrmCpy, lpFiStateTable=lpFiStateTable, lpIlsFwdrLtFbIpxHIndex=lpIlsFwdrLtFbIpxHIndex, lpFiLtFbDataTopTable=lpFiLtFbDataTopTable, lpIlsFwdrLtFbMacEnetComponentName=lpIlsFwdrLtFbMacEnetComponentName, lpTrLtCntlTopEntry=lpTrLtCntlTopEntry, lpEth100LtFbTxInfoStorageType=lpEth100LtFbTxInfoStorageType, lpEth100CidDataEntry=lpEth100CidDataEntry, lpEth100LtPrtCfg=lpEth100LtPrtCfg, lpFiPhyOperTable=lpFiPhyOperTable, lpTrLtFbMacTrStorageType=lpTrLtFbMacTrStorageType, lpIlsFwdrTestElapsedTime=lpIlsFwdrTestElapsedTime, lpFiLtComponentName=lpFiLtComponentName, lpEth100LtFbTxInfoIndex=lpEth100LtFbTxInfoIndex, lpTrLtFbTxInfoStorageType=lpTrLtFbTxInfoStorageType, lpFiLtFbFddiMacStorageType=lpFiLtFbFddiMacStorageType, lpFiAcceptBb=lpFiAcceptBb, lpTrTestRowStatusTable=lpTrTestRowStatusTable)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_size_constraint, value_range_constraint, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'SingleValueConstraint') (lp_index, lp) = mibBuilder.importSymbols('Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex', 'lp') (display_string, row_status, counter32, passport_counter64, mac_address, gauge32, unsigned32, storage_type, interface_index, fddi_time_milli, fddi_mac_long_address_type, fddi_time_nano, integer32) = mibBuilder.importSymbols('Nortel-Magellan-Passport-StandardTextualConventionsMIB', 'DisplayString', 'RowStatus', 'Counter32', 'PassportCounter64', 'MacAddress', 'Gauge32', 'Unsigned32', 'StorageType', 'InterfaceIndex', 'FddiTimeMilli', 'FddiMACLongAddressType', 'FddiTimeNano', 'Integer32') (link, ascii_string, enterprise_date_and_time, non_replicated) = mibBuilder.importSymbols('Nortel-Magellan-Passport-TextualConventionsMIB', 'Link', 'AsciiString', 'EnterpriseDateAndTime', 'NonReplicated') (passport_mi_bs, components) = mibBuilder.importSymbols('Nortel-Magellan-Passport-UsefulDefinitionsMIB', 'passportMIBs', 'components') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (counter32, bits, module_identity, notification_type, object_identity, time_ticks, counter64, gauge32, unsigned32, mib_identifier, iso, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter32', 'Bits', 'ModuleIdentity', 'NotificationType', 'ObjectIdentity', 'TimeTicks', 'Counter64', 'Gauge32', 'Unsigned32', 'MibIdentifier', 'iso', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Integer32') (display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention') lan_drivers_mib = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30)) lp_enet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3)) lp_enet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1)) if mibBuilder.loadTexts: lpEnetRowStatusTable.setStatus('mandatory') lp_enet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetRowStatusEntry.setStatus('mandatory') lp_enet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetRowStatus.setStatus('mandatory') lp_enet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetComponentName.setStatus('mandatory') lp_enet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetStorageType.setStatus('mandatory') lp_enet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 5))) if mibBuilder.loadTexts: lpEnetIndex.setStatus('mandatory') lp_enet_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 10)) if mibBuilder.loadTexts: lpEnetCidDataTable.setStatus('mandatory') lp_enet_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetCidDataEntry.setStatus('mandatory') lp_enet_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 10, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetCustomerIdentifier.setStatus('mandatory') lp_enet_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11)) if mibBuilder.loadTexts: lpEnetIfEntryTable.setStatus('mandatory') lp_enet_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetIfEntryEntry.setStatus('mandatory') lp_enet_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11, 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: lpEnetIfAdminStatus.setStatus('mandatory') lp_enet_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 11, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetIfIndex.setStatus('mandatory') lp_enet_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12)) if mibBuilder.loadTexts: lpEnetProvTable.setStatus('mandatory') lp_enet_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetProvEntry.setStatus('mandatory') lp_enet_heartbeat_packet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetHeartbeatPacket.setStatus('mandatory') lp_enet_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 12, 1, 2), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetApplicationFramerName.setStatus('mandatory') lp_enet_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13)) if mibBuilder.loadTexts: lpEnetAdminInfoTable.setStatus('mandatory') lp_enet_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetAdminInfoEntry.setStatus('mandatory') lp_enet_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetVendor.setStatus('mandatory') lp_enet_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 13, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetCommentText.setStatus('mandatory') lp_enet_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 15)) if mibBuilder.loadTexts: lpEnetStateTable.setStatus('mandatory') lp_enet_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 15, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetStateEntry.setStatus('mandatory') lp_enet_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 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: lpEnetAdminState.setStatus('mandatory') lp_enet_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 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: lpEnetOperationalState.setStatus('mandatory') lp_enet_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 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: lpEnetUsageState.setStatus('mandatory') lp_enet_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 16)) if mibBuilder.loadTexts: lpEnetOperStatusTable.setStatus('mandatory') lp_enet_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 16, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetOperStatusEntry.setStatus('mandatory') lp_enet_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 16, 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: lpEnetSnmpOperStatus.setStatus('mandatory') lp_enet_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 17)) if mibBuilder.loadTexts: lpEnetOperTable.setStatus('mandatory') lp_enet_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 17, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetOperEntry.setStatus('mandatory') lp_enet_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 17, 1, 1), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetMacAddress.setStatus('mandatory') lp_enet_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18)) if mibBuilder.loadTexts: lpEnetStatsTable.setStatus('mandatory') lp_enet_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex')) if mibBuilder.loadTexts: lpEnetStatsEntry.setStatus('mandatory') lp_enet_alignment_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetAlignmentErrors.setStatus('mandatory') lp_enet_fcs_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetFcsErrors.setStatus('mandatory') lp_enet_single_collision_frames = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetSingleCollisionFrames.setStatus('mandatory') lp_enet_multiple_collision_frames = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetMultipleCollisionFrames.setStatus('mandatory') lp_enet_sqe_test_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetSqeTestErrors.setStatus('mandatory') lp_enet_deferred_transmissions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetDeferredTransmissions.setStatus('mandatory') lp_enet_late_collisions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLateCollisions.setStatus('mandatory') lp_enet_excessive_collisions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetExcessiveCollisions.setStatus('mandatory') lp_enet_mac_transmit_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetMacTransmitErrors.setStatus('mandatory') lp_enet_carrier_sense_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetCarrierSenseErrors.setStatus('mandatory') lp_enet_frame_too_longs = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetFrameTooLongs.setStatus('mandatory') lp_enet_mac_receive_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 18, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetMacReceiveErrors.setStatus('mandatory') lp_enet_lt = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2)) lp_enet_lt_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1)) if mibBuilder.loadTexts: lpEnetLtRowStatusTable.setStatus('mandatory') lp_enet_lt_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex')) if mibBuilder.loadTexts: lpEnetLtRowStatusEntry.setStatus('mandatory') lp_enet_lt_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtRowStatus.setStatus('mandatory') lp_enet_lt_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtComponentName.setStatus('mandatory') lp_enet_lt_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtStorageType.setStatus('mandatory') lp_enet_lt_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtIndex.setStatus('mandatory') lp_enet_lt_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 20)) if mibBuilder.loadTexts: lpEnetLtTopTable.setStatus('mandatory') lp_enet_lt_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex')) if mibBuilder.loadTexts: lpEnetLtTopEntry.setStatus('mandatory') lp_enet_lt_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtTData.setStatus('mandatory') lp_enet_lt_frm_cmp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2)) lp_enet_lt_frm_cmp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1)) if mibBuilder.loadTexts: lpEnetLtFrmCmpRowStatusTable.setStatus('mandatory') lp_enet_lt_frm_cmp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFrmCmpIndex')) if mibBuilder.loadTexts: lpEnetLtFrmCmpRowStatusEntry.setStatus('mandatory') lp_enet_lt_frm_cmp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFrmCmpRowStatus.setStatus('mandatory') lp_enet_lt_frm_cmp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFrmCmpComponentName.setStatus('mandatory') lp_enet_lt_frm_cmp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFrmCmpStorageType.setStatus('mandatory') lp_enet_lt_frm_cmp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFrmCmpIndex.setStatus('mandatory') lp_enet_lt_frm_cmp_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 10)) if mibBuilder.loadTexts: lpEnetLtFrmCmpTopTable.setStatus('mandatory') lp_enet_lt_frm_cmp_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFrmCmpIndex')) if mibBuilder.loadTexts: lpEnetLtFrmCmpTopEntry.setStatus('mandatory') lp_enet_lt_frm_cmp_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFrmCmpTData.setStatus('mandatory') lp_enet_lt_frm_cpy = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3)) lp_enet_lt_frm_cpy_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1)) if mibBuilder.loadTexts: lpEnetLtFrmCpyRowStatusTable.setStatus('mandatory') lp_enet_lt_frm_cpy_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFrmCpyIndex')) if mibBuilder.loadTexts: lpEnetLtFrmCpyRowStatusEntry.setStatus('mandatory') lp_enet_lt_frm_cpy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFrmCpyRowStatus.setStatus('mandatory') lp_enet_lt_frm_cpy_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFrmCpyComponentName.setStatus('mandatory') lp_enet_lt_frm_cpy_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFrmCpyStorageType.setStatus('mandatory') lp_enet_lt_frm_cpy_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFrmCpyIndex.setStatus('mandatory') lp_enet_lt_frm_cpy_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 10)) if mibBuilder.loadTexts: lpEnetLtFrmCpyTopTable.setStatus('mandatory') lp_enet_lt_frm_cpy_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFrmCpyIndex')) if mibBuilder.loadTexts: lpEnetLtFrmCpyTopEntry.setStatus('mandatory') lp_enet_lt_frm_cpy_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFrmCpyTData.setStatus('mandatory') lp_enet_lt_prt_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4)) lp_enet_lt_prt_cfg_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1)) if mibBuilder.loadTexts: lpEnetLtPrtCfgRowStatusTable.setStatus('mandatory') lp_enet_lt_prt_cfg_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtPrtCfgIndex')) if mibBuilder.loadTexts: lpEnetLtPrtCfgRowStatusEntry.setStatus('mandatory') lp_enet_lt_prt_cfg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtPrtCfgRowStatus.setStatus('mandatory') lp_enet_lt_prt_cfg_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtPrtCfgComponentName.setStatus('mandatory') lp_enet_lt_prt_cfg_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtPrtCfgStorageType.setStatus('mandatory') lp_enet_lt_prt_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtPrtCfgIndex.setStatus('mandatory') lp_enet_lt_prt_cfg_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 10)) if mibBuilder.loadTexts: lpEnetLtPrtCfgTopTable.setStatus('mandatory') lp_enet_lt_prt_cfg_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtPrtCfgIndex')) if mibBuilder.loadTexts: lpEnetLtPrtCfgTopEntry.setStatus('mandatory') lp_enet_lt_prt_cfg_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtPrtCfgTData.setStatus('mandatory') lp_enet_lt_fb = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5)) lp_enet_lt_fb_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1)) if mibBuilder.loadTexts: lpEnetLtFbRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex')) if mibBuilder.loadTexts: lpEnetLtFbRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbRowStatus.setStatus('mandatory') lp_enet_lt_fb_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbComponentName.setStatus('mandatory') lp_enet_lt_fb_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbStorageType.setStatus('mandatory') lp_enet_lt_fb_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbIndex.setStatus('mandatory') lp_enet_lt_fb_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 20)) if mibBuilder.loadTexts: lpEnetLtFbTopTable.setStatus('mandatory') lp_enet_lt_fb_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex')) if mibBuilder.loadTexts: lpEnetLtFbTopEntry.setStatus('mandatory') lp_enet_lt_fb_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbTData.setStatus('mandatory') lp_enet_lt_fb_tx_info = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2)) lp_enet_lt_fb_tx_info_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1)) if mibBuilder.loadTexts: lpEnetLtFbTxInfoRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_tx_info_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpEnetLtFbTxInfoRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_tx_info_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbTxInfoRowStatus.setStatus('mandatory') lp_enet_lt_fb_tx_info_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbTxInfoComponentName.setStatus('mandatory') lp_enet_lt_fb_tx_info_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbTxInfoStorageType.setStatus('mandatory') lp_enet_lt_fb_tx_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbTxInfoIndex.setStatus('mandatory') lp_enet_lt_fb_tx_info_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 10)) if mibBuilder.loadTexts: lpEnetLtFbTxInfoTopTable.setStatus('mandatory') lp_enet_lt_fb_tx_info_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpEnetLtFbTxInfoTopEntry.setStatus('mandatory') lp_enet_lt_fb_tx_info_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbTxInfoTData.setStatus('mandatory') lp_enet_lt_fb_fddi_mac = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3)) lp_enet_lt_fb_fddi_mac_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1)) if mibBuilder.loadTexts: lpEnetLtFbFddiMacRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpEnetLtFbFddiMacRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbFddiMacRowStatus.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbFddiMacComponentName.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbFddiMacStorageType.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbFddiMacIndex.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 10)) if mibBuilder.loadTexts: lpEnetLtFbFddiMacTopTable.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpEnetLtFbFddiMacTopEntry.setStatus('mandatory') lp_enet_lt_fb_fddi_mac_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbFddiMacTData.setStatus('mandatory') lp_enet_lt_fb_mac_enet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4)) lp_enet_lt_fb_mac_enet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1)) if mibBuilder.loadTexts: lpEnetLtFbMacEnetRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_mac_enet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpEnetLtFbMacEnetRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_mac_enet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbMacEnetRowStatus.setStatus('mandatory') lp_enet_lt_fb_mac_enet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbMacEnetComponentName.setStatus('mandatory') lp_enet_lt_fb_mac_enet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbMacEnetStorageType.setStatus('mandatory') lp_enet_lt_fb_mac_enet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbMacEnetIndex.setStatus('mandatory') lp_enet_lt_fb_mac_enet_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 10)) if mibBuilder.loadTexts: lpEnetLtFbMacEnetTopTable.setStatus('mandatory') lp_enet_lt_fb_mac_enet_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpEnetLtFbMacEnetTopEntry.setStatus('mandatory') lp_enet_lt_fb_mac_enet_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbMacEnetTData.setStatus('mandatory') lp_enet_lt_fb_mac_tr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5)) lp_enet_lt_fb_mac_tr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1)) if mibBuilder.loadTexts: lpEnetLtFbMacTrRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_mac_tr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbMacTrIndex')) if mibBuilder.loadTexts: lpEnetLtFbMacTrRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_mac_tr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbMacTrRowStatus.setStatus('mandatory') lp_enet_lt_fb_mac_tr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbMacTrComponentName.setStatus('mandatory') lp_enet_lt_fb_mac_tr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbMacTrStorageType.setStatus('mandatory') lp_enet_lt_fb_mac_tr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbMacTrIndex.setStatus('mandatory') lp_enet_lt_fb_mac_tr_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 10)) if mibBuilder.loadTexts: lpEnetLtFbMacTrTopTable.setStatus('mandatory') lp_enet_lt_fb_mac_tr_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbMacTrIndex')) if mibBuilder.loadTexts: lpEnetLtFbMacTrTopEntry.setStatus('mandatory') lp_enet_lt_fb_mac_tr_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 5, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbMacTrTData.setStatus('mandatory') lp_enet_lt_fb_data = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6)) lp_enet_lt_fb_data_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1)) if mibBuilder.loadTexts: lpEnetLtFbDataRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_data_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbDataIndex')) if mibBuilder.loadTexts: lpEnetLtFbDataRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_data_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbDataRowStatus.setStatus('mandatory') lp_enet_lt_fb_data_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbDataComponentName.setStatus('mandatory') lp_enet_lt_fb_data_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbDataStorageType.setStatus('mandatory') lp_enet_lt_fb_data_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbDataIndex.setStatus('mandatory') lp_enet_lt_fb_data_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 10)) if mibBuilder.loadTexts: lpEnetLtFbDataTopTable.setStatus('mandatory') lp_enet_lt_fb_data_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbDataIndex')) if mibBuilder.loadTexts: lpEnetLtFbDataTopEntry.setStatus('mandatory') lp_enet_lt_fb_data_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbDataTData.setStatus('mandatory') lp_enet_lt_fb_ip_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7)) lp_enet_lt_fb_ip_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1)) if mibBuilder.loadTexts: lpEnetLtFbIpHRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_ip_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIpHIndex')) if mibBuilder.loadTexts: lpEnetLtFbIpHRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_ip_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbIpHRowStatus.setStatus('mandatory') lp_enet_lt_fb_ip_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbIpHComponentName.setStatus('mandatory') lp_enet_lt_fb_ip_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbIpHStorageType.setStatus('mandatory') lp_enet_lt_fb_ip_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbIpHIndex.setStatus('mandatory') lp_enet_lt_fb_ip_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 10)) if mibBuilder.loadTexts: lpEnetLtFbIpHTopTable.setStatus('mandatory') lp_enet_lt_fb_ip_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIpHIndex')) if mibBuilder.loadTexts: lpEnetLtFbIpHTopEntry.setStatus('mandatory') lp_enet_lt_fb_ip_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 7, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbIpHTData.setStatus('mandatory') lp_enet_lt_fb_llch = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8)) lp_enet_lt_fb_llch_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1)) if mibBuilder.loadTexts: lpEnetLtFbLlchRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_llch_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbLlchIndex')) if mibBuilder.loadTexts: lpEnetLtFbLlchRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_llch_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbLlchRowStatus.setStatus('mandatory') lp_enet_lt_fb_llch_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbLlchComponentName.setStatus('mandatory') lp_enet_lt_fb_llch_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbLlchStorageType.setStatus('mandatory') lp_enet_lt_fb_llch_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbLlchIndex.setStatus('mandatory') lp_enet_lt_fb_llch_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 10)) if mibBuilder.loadTexts: lpEnetLtFbLlchTopTable.setStatus('mandatory') lp_enet_lt_fb_llch_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbLlchIndex')) if mibBuilder.loadTexts: lpEnetLtFbLlchTopEntry.setStatus('mandatory') lp_enet_lt_fb_llch_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 8, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbLlchTData.setStatus('mandatory') lp_enet_lt_fb_apple_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9)) lp_enet_lt_fb_apple_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1)) if mibBuilder.loadTexts: lpEnetLtFbAppleHRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_apple_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbAppleHIndex')) if mibBuilder.loadTexts: lpEnetLtFbAppleHRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_apple_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbAppleHRowStatus.setStatus('mandatory') lp_enet_lt_fb_apple_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbAppleHComponentName.setStatus('mandatory') lp_enet_lt_fb_apple_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbAppleHStorageType.setStatus('mandatory') lp_enet_lt_fb_apple_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbAppleHIndex.setStatus('mandatory') lp_enet_lt_fb_apple_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 10)) if mibBuilder.loadTexts: lpEnetLtFbAppleHTopTable.setStatus('mandatory') lp_enet_lt_fb_apple_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbAppleHIndex')) if mibBuilder.loadTexts: lpEnetLtFbAppleHTopEntry.setStatus('mandatory') lp_enet_lt_fb_apple_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 9, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbAppleHTData.setStatus('mandatory') lp_enet_lt_fb_ipx_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10)) lp_enet_lt_fb_ipx_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1)) if mibBuilder.loadTexts: lpEnetLtFbIpxHRowStatusTable.setStatus('mandatory') lp_enet_lt_fb_ipx_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIpxHIndex')) if mibBuilder.loadTexts: lpEnetLtFbIpxHRowStatusEntry.setStatus('mandatory') lp_enet_lt_fb_ipx_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbIpxHRowStatus.setStatus('mandatory') lp_enet_lt_fb_ipx_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbIpxHComponentName.setStatus('mandatory') lp_enet_lt_fb_ipx_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtFbIpxHStorageType.setStatus('mandatory') lp_enet_lt_fb_ipx_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtFbIpxHIndex.setStatus('mandatory') lp_enet_lt_fb_ipx_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 10)) if mibBuilder.loadTexts: lpEnetLtFbIpxHTopTable.setStatus('mandatory') lp_enet_lt_fb_ipx_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtFbIpxHIndex')) if mibBuilder.loadTexts: lpEnetLtFbIpxHTopEntry.setStatus('mandatory') lp_enet_lt_fb_ipx_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 5, 10, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtFbIpxHTData.setStatus('mandatory') lp_enet_lt_cntl = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6)) lp_enet_lt_cntl_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1)) if mibBuilder.loadTexts: lpEnetLtCntlRowStatusTable.setStatus('mandatory') lp_enet_lt_cntl_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtCntlIndex')) if mibBuilder.loadTexts: lpEnetLtCntlRowStatusEntry.setStatus('mandatory') lp_enet_lt_cntl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtCntlRowStatus.setStatus('mandatory') lp_enet_lt_cntl_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtCntlComponentName.setStatus('mandatory') lp_enet_lt_cntl_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetLtCntlStorageType.setStatus('mandatory') lp_enet_lt_cntl_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetLtCntlIndex.setStatus('mandatory') lp_enet_lt_cntl_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 10)) if mibBuilder.loadTexts: lpEnetLtCntlTopTable.setStatus('mandatory') lp_enet_lt_cntl_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetLtCntlIndex')) if mibBuilder.loadTexts: lpEnetLtCntlTopEntry.setStatus('mandatory') lp_enet_lt_cntl_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 2, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetLtCntlTData.setStatus('mandatory') lp_enet_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5)) lp_enet_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1)) if mibBuilder.loadTexts: lpEnetTestRowStatusTable.setStatus('mandatory') lp_enet_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetTestIndex')) if mibBuilder.loadTexts: lpEnetTestRowStatusEntry.setStatus('mandatory') lp_enet_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestRowStatus.setStatus('mandatory') lp_enet_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestComponentName.setStatus('mandatory') lp_enet_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestStorageType.setStatus('mandatory') lp_enet_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEnetTestIndex.setStatus('mandatory') lp_enet_test_pto_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10)) if mibBuilder.loadTexts: lpEnetTestPTOTable.setStatus('mandatory') lp_enet_test_pto_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetTestIndex')) if mibBuilder.loadTexts: lpEnetTestPTOEntry.setStatus('mandatory') lp_enet_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=named_values(('onCard', 0), ('normal', 1), ('wrapA', 257), ('wrapB', 258), ('thruA', 259), ('thruB', 260), ('extWrapA', 263), ('extWrapB', 264), ('extThruA', 265), ('extThruB', 266), ('extWrapAB', 267), ('extWrapBA', 268)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetTestType.setStatus('mandatory') lp_enet_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetTestFrmSize.setStatus('mandatory') lp_enet_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEnetTestDuration.setStatus('mandatory') lp_enet_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11)) if mibBuilder.loadTexts: lpEnetTestResultsTable.setStatus('mandatory') lp_enet_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEnetTestIndex')) if mibBuilder.loadTexts: lpEnetTestResultsEntry.setStatus('mandatory') lp_enet_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestElapsedTime.setStatus('mandatory') lp_enet_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestTimeRemaining.setStatus('mandatory') lp_enet_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4))).clone('neverStarted')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestCauseOfTermination.setStatus('mandatory') lp_enet_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 7), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestFrmTx.setStatus('mandatory') lp_enet_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 8), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestBitsTx.setStatus('mandatory') lp_enet_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 9), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestFrmRx.setStatus('mandatory') lp_enet_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 10), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestBitsRx.setStatus('mandatory') lp_enet_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 3, 5, 11, 1, 11), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEnetTestErroredFrmRx.setStatus('mandatory') lp_fi = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4)) lp_fi_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1)) if mibBuilder.loadTexts: lpFiRowStatusTable.setStatus('mandatory') lp_fi_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiRowStatusEntry.setStatus('mandatory') lp_fi_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiRowStatus.setStatus('mandatory') lp_fi_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiComponentName.setStatus('mandatory') lp_fi_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiStorageType.setStatus('mandatory') lp_fi_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 0))) if mibBuilder.loadTexts: lpFiIndex.setStatus('mandatory') lp_fi_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 10)) if mibBuilder.loadTexts: lpFiCidDataTable.setStatus('mandatory') lp_fi_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiCidDataEntry.setStatus('mandatory') lp_fi_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 10, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiCustomerIdentifier.setStatus('mandatory') lp_fi_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11)) if mibBuilder.loadTexts: lpFiIfEntryTable.setStatus('mandatory') lp_fi_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiIfEntryEntry.setStatus('mandatory') lp_fi_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11, 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: lpFiIfAdminStatus.setStatus('mandatory') lp_fi_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 11, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiIfIndex.setStatus('mandatory') lp_fi_smt_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12)) if mibBuilder.loadTexts: lpFiSmtProvTable.setStatus('mandatory') lp_fi_smt_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiSmtProvEntry.setStatus('mandatory') lp_fi_user_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 32)).clone(hexValue='46444449')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiUserData.setStatus('mandatory') lp_fi_accept_aa = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiAcceptAa.setStatus('mandatory') lp_fi_accept_bb = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiAcceptBb.setStatus('mandatory') lp_fi_accept_as = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiAcceptAs.setStatus('mandatory') lp_fi_accept_bs = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiAcceptBs.setStatus('mandatory') lp_fi_accept_am = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiAcceptAm.setStatus('mandatory') lp_fi_accept_bm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiAcceptBm.setStatus('mandatory') lp_fi_use_thru_ba = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('disabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiUseThruBa.setStatus('mandatory') lp_fi_neighbor_notify_interval = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(2, 30)).clone(30)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiNeighborNotifyInterval.setStatus('mandatory') lp_fi_status_report_policy = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2))).clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiStatusReportPolicy.setStatus('mandatory') lp_fi_trace_max_expiration_timer = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 12), fddi_time_milli().subtype(subtypeSpec=value_range_constraint(0, 1000000)).clone(7000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiTraceMaxExpirationTimer.setStatus('mandatory') lp_fi_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 12, 1, 13), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiApplicationFramerName.setStatus('mandatory') lp_fi_mac_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13)) if mibBuilder.loadTexts: lpFiMacProvTable.setStatus('mandatory') lp_fi_mac_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiMacProvEntry.setStatus('mandatory') lp_fi_token_request_timer = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1, 1), fddi_time_nano().subtype(subtypeSpec=value_range_constraint(20480, 1340000000)).clone(165290000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiTokenRequestTimer.setStatus('mandatory') lp_fi_token_max_timer = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1, 2), fddi_time_nano().subtype(subtypeSpec=value_range_constraint(40960, 1342200000)).clone(167770000)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiTokenMaxTimer.setStatus('mandatory') lp_fi_valid_transmission_timer = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 13, 1, 3), fddi_time_nano().subtype(subtypeSpec=value_range_constraint(40960, 1342200000)).clone(2621400)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiValidTransmissionTimer.setStatus('mandatory') lp_fi_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14)) if mibBuilder.loadTexts: lpFiAdminInfoTable.setStatus('mandatory') lp_fi_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiAdminInfoEntry.setStatus('mandatory') lp_fi_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiVendor.setStatus('mandatory') lp_fi_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 14, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiCommentText.setStatus('mandatory') lp_fi_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16)) if mibBuilder.loadTexts: lpFiStateTable.setStatus('mandatory') lp_fi_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiStateEntry.setStatus('mandatory') lp_fi_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 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: lpFiAdminState.setStatus('mandatory') lp_fi_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 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: lpFiOperationalState.setStatus('mandatory') lp_fi_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 16, 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: lpFiUsageState.setStatus('mandatory') lp_fi_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 17)) if mibBuilder.loadTexts: lpFiOperStatusTable.setStatus('mandatory') lp_fi_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 17, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiOperStatusEntry.setStatus('mandatory') lp_fi_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 17, 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: lpFiSnmpOperStatus.setStatus('mandatory') lp_fi_smt_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18)) if mibBuilder.loadTexts: lpFiSmtOperTable.setStatus('mandatory') lp_fi_smt_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiSmtOperEntry.setStatus('mandatory') lp_fi_version = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiVersion.setStatus('mandatory') lp_fi_bypass_present = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiBypassPresent.setStatus('mandatory') lp_fi_ecm_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('out', 1), ('in', 2), ('trace', 3), ('leave', 4), ('pathTest', 5), ('insert', 6), ('check', 7), ('deinsert', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiEcmState.setStatus('mandatory') lp_fi_cf_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 18, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('isolated', 1), ('localA', 2), ('localB', 3), ('localAB', 4), ('localS', 5), ('wrapA', 6), ('wrapB', 7), ('wrapAB', 8), ('wrapS', 9), ('cWrapA', 10), ('cWrapB', 11), ('cWrapS', 12), ('thru', 13)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiCfState.setStatus('mandatory') lp_fi_mac_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19)) if mibBuilder.loadTexts: lpFiMacOperTable.setStatus('mandatory') lp_fi_mac_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiMacOperEntry.setStatus('mandatory') lp_fi_ring_latency = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 1), gauge32().subtype(subtypeSpec=value_range_constraint(1280, 1342000000))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiRingLatency.setStatus('mandatory') lp_fi_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 10), fddi_mac_long_address_type().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiMacAddress.setStatus('mandatory') lp_fi_upstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 11), fddi_mac_long_address_type().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiUpstreamNeighbor.setStatus('mandatory') lp_fi_downstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 12), fddi_mac_long_address_type().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiDownstreamNeighbor.setStatus('mandatory') lp_fi_old_upstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 13), fddi_mac_long_address_type().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiOldUpstreamNeighbor.setStatus('mandatory') lp_fi_old_downstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 14), fddi_mac_long_address_type().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiOldDownstreamNeighbor.setStatus('mandatory') lp_fi_dup_address_test = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('notDone', 1), ('pass', 2), ('fail', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiDupAddressTest.setStatus('mandatory') lp_fi_token_negotiated_timer = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 18), fddi_time_nano().subtype(subtypeSpec=value_range_constraint(80, 1340000000)).clone(167772000)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTokenNegotiatedTimer.setStatus('mandatory') lp_fi_frame_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiFrameCounts.setStatus('mandatory') lp_fi_copied_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 20), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiCopiedCounts.setStatus('mandatory') lp_fi_transmit_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 21), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTransmitCounts.setStatus('mandatory') lp_fi_error_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 22), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiErrorCounts.setStatus('mandatory') lp_fi_lost_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 23), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLostCounts.setStatus('mandatory') lp_fi_rmt_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('isolated', 1), ('nonOp', 2), ('ringOp', 3), ('detect', 4), ('nonOpDup', 5), ('ringOpDup', 6), ('directed', 7), ('trace', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiRmtState.setStatus('mandatory') lp_fi_frame_error_flag = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 19, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiFrameErrorFlag.setStatus('mandatory') lp_fi_mac_c_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20)) if mibBuilder.loadTexts: lpFiMacCOperTable.setStatus('mandatory') lp_fi_mac_c_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiMacCOperEntry.setStatus('mandatory') lp_fi_token_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTokenCounts.setStatus('mandatory') lp_fi_tvx_expired_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTvxExpiredCounts.setStatus('mandatory') lp_fi_not_copied_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiNotCopiedCounts.setStatus('mandatory') lp_fi_late_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLateCounts.setStatus('mandatory') lp_fi_ring_op_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 20, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiRingOpCounts.setStatus('mandatory') lp_fi_nc_mac_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26)) if mibBuilder.loadTexts: lpFiNcMacOperTable.setStatus('mandatory') lp_fi_nc_mac_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex')) if mibBuilder.loadTexts: lpFiNcMacOperEntry.setStatus('mandatory') lp_fi_nc_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 1), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiNcMacAddress.setStatus('mandatory') lp_fi_nc_upstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 2), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiNcUpstreamNeighbor.setStatus('mandatory') lp_fi_nc_downstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 3), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiNcDownstreamNeighbor.setStatus('mandatory') lp_fi_nc_old_upstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 4), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiNcOldUpstreamNeighbor.setStatus('mandatory') lp_fi_nc_old_downstream_neighbor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 26, 1, 5), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiNcOldDownstreamNeighbor.setStatus('mandatory') lp_fi_lt = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2)) lp_fi_lt_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1)) if mibBuilder.loadTexts: lpFiLtRowStatusTable.setStatus('mandatory') lp_fi_lt_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex')) if mibBuilder.loadTexts: lpFiLtRowStatusEntry.setStatus('mandatory') lp_fi_lt_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtRowStatus.setStatus('mandatory') lp_fi_lt_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtComponentName.setStatus('mandatory') lp_fi_lt_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtStorageType.setStatus('mandatory') lp_fi_lt_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtIndex.setStatus('mandatory') lp_fi_lt_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 20)) if mibBuilder.loadTexts: lpFiLtTopTable.setStatus('mandatory') lp_fi_lt_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex')) if mibBuilder.loadTexts: lpFiLtTopEntry.setStatus('mandatory') lp_fi_lt_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtTData.setStatus('mandatory') lp_fi_lt_frm_cmp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2)) lp_fi_lt_frm_cmp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1)) if mibBuilder.loadTexts: lpFiLtFrmCmpRowStatusTable.setStatus('mandatory') lp_fi_lt_frm_cmp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFrmCmpIndex')) if mibBuilder.loadTexts: lpFiLtFrmCmpRowStatusEntry.setStatus('mandatory') lp_fi_lt_frm_cmp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFrmCmpRowStatus.setStatus('mandatory') lp_fi_lt_frm_cmp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFrmCmpComponentName.setStatus('mandatory') lp_fi_lt_frm_cmp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFrmCmpStorageType.setStatus('mandatory') lp_fi_lt_frm_cmp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFrmCmpIndex.setStatus('mandatory') lp_fi_lt_frm_cmp_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 10)) if mibBuilder.loadTexts: lpFiLtFrmCmpTopTable.setStatus('mandatory') lp_fi_lt_frm_cmp_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFrmCmpIndex')) if mibBuilder.loadTexts: lpFiLtFrmCmpTopEntry.setStatus('mandatory') lp_fi_lt_frm_cmp_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFrmCmpTData.setStatus('mandatory') lp_fi_lt_frm_cpy = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3)) lp_fi_lt_frm_cpy_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1)) if mibBuilder.loadTexts: lpFiLtFrmCpyRowStatusTable.setStatus('mandatory') lp_fi_lt_frm_cpy_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFrmCpyIndex')) if mibBuilder.loadTexts: lpFiLtFrmCpyRowStatusEntry.setStatus('mandatory') lp_fi_lt_frm_cpy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFrmCpyRowStatus.setStatus('mandatory') lp_fi_lt_frm_cpy_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFrmCpyComponentName.setStatus('mandatory') lp_fi_lt_frm_cpy_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFrmCpyStorageType.setStatus('mandatory') lp_fi_lt_frm_cpy_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFrmCpyIndex.setStatus('mandatory') lp_fi_lt_frm_cpy_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 10)) if mibBuilder.loadTexts: lpFiLtFrmCpyTopTable.setStatus('mandatory') lp_fi_lt_frm_cpy_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFrmCpyIndex')) if mibBuilder.loadTexts: lpFiLtFrmCpyTopEntry.setStatus('mandatory') lp_fi_lt_frm_cpy_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFrmCpyTData.setStatus('mandatory') lp_fi_lt_prt_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4)) lp_fi_lt_prt_cfg_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1)) if mibBuilder.loadTexts: lpFiLtPrtCfgRowStatusTable.setStatus('mandatory') lp_fi_lt_prt_cfg_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtPrtCfgIndex')) if mibBuilder.loadTexts: lpFiLtPrtCfgRowStatusEntry.setStatus('mandatory') lp_fi_lt_prt_cfg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtPrtCfgRowStatus.setStatus('mandatory') lp_fi_lt_prt_cfg_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtPrtCfgComponentName.setStatus('mandatory') lp_fi_lt_prt_cfg_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtPrtCfgStorageType.setStatus('mandatory') lp_fi_lt_prt_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtPrtCfgIndex.setStatus('mandatory') lp_fi_lt_prt_cfg_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 10)) if mibBuilder.loadTexts: lpFiLtPrtCfgTopTable.setStatus('mandatory') lp_fi_lt_prt_cfg_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtPrtCfgIndex')) if mibBuilder.loadTexts: lpFiLtPrtCfgTopEntry.setStatus('mandatory') lp_fi_lt_prt_cfg_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtPrtCfgTData.setStatus('mandatory') lp_fi_lt_fb = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5)) lp_fi_lt_fb_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1)) if mibBuilder.loadTexts: lpFiLtFbRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex')) if mibBuilder.loadTexts: lpFiLtFbRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbRowStatus.setStatus('mandatory') lp_fi_lt_fb_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbComponentName.setStatus('mandatory') lp_fi_lt_fb_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbStorageType.setStatus('mandatory') lp_fi_lt_fb_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbIndex.setStatus('mandatory') lp_fi_lt_fb_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 20)) if mibBuilder.loadTexts: lpFiLtFbTopTable.setStatus('mandatory') lp_fi_lt_fb_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex')) if mibBuilder.loadTexts: lpFiLtFbTopEntry.setStatus('mandatory') lp_fi_lt_fb_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbTData.setStatus('mandatory') lp_fi_lt_fb_tx_info = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2)) lp_fi_lt_fb_tx_info_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1)) if mibBuilder.loadTexts: lpFiLtFbTxInfoRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_tx_info_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpFiLtFbTxInfoRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_tx_info_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbTxInfoRowStatus.setStatus('mandatory') lp_fi_lt_fb_tx_info_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbTxInfoComponentName.setStatus('mandatory') lp_fi_lt_fb_tx_info_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbTxInfoStorageType.setStatus('mandatory') lp_fi_lt_fb_tx_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbTxInfoIndex.setStatus('mandatory') lp_fi_lt_fb_tx_info_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 10)) if mibBuilder.loadTexts: lpFiLtFbTxInfoTopTable.setStatus('mandatory') lp_fi_lt_fb_tx_info_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpFiLtFbTxInfoTopEntry.setStatus('mandatory') lp_fi_lt_fb_tx_info_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbTxInfoTData.setStatus('mandatory') lp_fi_lt_fb_fddi_mac = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3)) lp_fi_lt_fb_fddi_mac_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1)) if mibBuilder.loadTexts: lpFiLtFbFddiMacRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpFiLtFbFddiMacRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbFddiMacRowStatus.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbFddiMacComponentName.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbFddiMacStorageType.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbFddiMacIndex.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 10)) if mibBuilder.loadTexts: lpFiLtFbFddiMacTopTable.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpFiLtFbFddiMacTopEntry.setStatus('mandatory') lp_fi_lt_fb_fddi_mac_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbFddiMacTData.setStatus('mandatory') lp_fi_lt_fb_mac_enet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4)) lp_fi_lt_fb_mac_enet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1)) if mibBuilder.loadTexts: lpFiLtFbMacEnetRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_mac_enet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpFiLtFbMacEnetRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_mac_enet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbMacEnetRowStatus.setStatus('mandatory') lp_fi_lt_fb_mac_enet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbMacEnetComponentName.setStatus('mandatory') lp_fi_lt_fb_mac_enet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbMacEnetStorageType.setStatus('mandatory') lp_fi_lt_fb_mac_enet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbMacEnetIndex.setStatus('mandatory') lp_fi_lt_fb_mac_enet_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 10)) if mibBuilder.loadTexts: lpFiLtFbMacEnetTopTable.setStatus('mandatory') lp_fi_lt_fb_mac_enet_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpFiLtFbMacEnetTopEntry.setStatus('mandatory') lp_fi_lt_fb_mac_enet_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbMacEnetTData.setStatus('mandatory') lp_fi_lt_fb_mac_tr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5)) lp_fi_lt_fb_mac_tr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1)) if mibBuilder.loadTexts: lpFiLtFbMacTrRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_mac_tr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbMacTrIndex')) if mibBuilder.loadTexts: lpFiLtFbMacTrRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_mac_tr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbMacTrRowStatus.setStatus('mandatory') lp_fi_lt_fb_mac_tr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbMacTrComponentName.setStatus('mandatory') lp_fi_lt_fb_mac_tr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbMacTrStorageType.setStatus('mandatory') lp_fi_lt_fb_mac_tr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbMacTrIndex.setStatus('mandatory') lp_fi_lt_fb_mac_tr_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 10)) if mibBuilder.loadTexts: lpFiLtFbMacTrTopTable.setStatus('mandatory') lp_fi_lt_fb_mac_tr_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbMacTrIndex')) if mibBuilder.loadTexts: lpFiLtFbMacTrTopEntry.setStatus('mandatory') lp_fi_lt_fb_mac_tr_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 5, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbMacTrTData.setStatus('mandatory') lp_fi_lt_fb_data = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6)) lp_fi_lt_fb_data_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1)) if mibBuilder.loadTexts: lpFiLtFbDataRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_data_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbDataIndex')) if mibBuilder.loadTexts: lpFiLtFbDataRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_data_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbDataRowStatus.setStatus('mandatory') lp_fi_lt_fb_data_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbDataComponentName.setStatus('mandatory') lp_fi_lt_fb_data_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbDataStorageType.setStatus('mandatory') lp_fi_lt_fb_data_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbDataIndex.setStatus('mandatory') lp_fi_lt_fb_data_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 10)) if mibBuilder.loadTexts: lpFiLtFbDataTopTable.setStatus('mandatory') lp_fi_lt_fb_data_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbDataIndex')) if mibBuilder.loadTexts: lpFiLtFbDataTopEntry.setStatus('mandatory') lp_fi_lt_fb_data_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbDataTData.setStatus('mandatory') lp_fi_lt_fb_ip_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7)) lp_fi_lt_fb_ip_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1)) if mibBuilder.loadTexts: lpFiLtFbIpHRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_ip_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIpHIndex')) if mibBuilder.loadTexts: lpFiLtFbIpHRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_ip_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbIpHRowStatus.setStatus('mandatory') lp_fi_lt_fb_ip_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbIpHComponentName.setStatus('mandatory') lp_fi_lt_fb_ip_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbIpHStorageType.setStatus('mandatory') lp_fi_lt_fb_ip_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbIpHIndex.setStatus('mandatory') lp_fi_lt_fb_ip_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 10)) if mibBuilder.loadTexts: lpFiLtFbIpHTopTable.setStatus('mandatory') lp_fi_lt_fb_ip_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIpHIndex')) if mibBuilder.loadTexts: lpFiLtFbIpHTopEntry.setStatus('mandatory') lp_fi_lt_fb_ip_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 7, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbIpHTData.setStatus('mandatory') lp_fi_lt_fb_llch = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8)) lp_fi_lt_fb_llch_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1)) if mibBuilder.loadTexts: lpFiLtFbLlchRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_llch_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbLlchIndex')) if mibBuilder.loadTexts: lpFiLtFbLlchRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_llch_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbLlchRowStatus.setStatus('mandatory') lp_fi_lt_fb_llch_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbLlchComponentName.setStatus('mandatory') lp_fi_lt_fb_llch_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbLlchStorageType.setStatus('mandatory') lp_fi_lt_fb_llch_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbLlchIndex.setStatus('mandatory') lp_fi_lt_fb_llch_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 10)) if mibBuilder.loadTexts: lpFiLtFbLlchTopTable.setStatus('mandatory') lp_fi_lt_fb_llch_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbLlchIndex')) if mibBuilder.loadTexts: lpFiLtFbLlchTopEntry.setStatus('mandatory') lp_fi_lt_fb_llch_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 8, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbLlchTData.setStatus('mandatory') lp_fi_lt_fb_apple_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9)) lp_fi_lt_fb_apple_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1)) if mibBuilder.loadTexts: lpFiLtFbAppleHRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_apple_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbAppleHIndex')) if mibBuilder.loadTexts: lpFiLtFbAppleHRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_apple_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbAppleHRowStatus.setStatus('mandatory') lp_fi_lt_fb_apple_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbAppleHComponentName.setStatus('mandatory') lp_fi_lt_fb_apple_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbAppleHStorageType.setStatus('mandatory') lp_fi_lt_fb_apple_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbAppleHIndex.setStatus('mandatory') lp_fi_lt_fb_apple_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 10)) if mibBuilder.loadTexts: lpFiLtFbAppleHTopTable.setStatus('mandatory') lp_fi_lt_fb_apple_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbAppleHIndex')) if mibBuilder.loadTexts: lpFiLtFbAppleHTopEntry.setStatus('mandatory') lp_fi_lt_fb_apple_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 9, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbAppleHTData.setStatus('mandatory') lp_fi_lt_fb_ipx_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10)) lp_fi_lt_fb_ipx_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1)) if mibBuilder.loadTexts: lpFiLtFbIpxHRowStatusTable.setStatus('mandatory') lp_fi_lt_fb_ipx_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIpxHIndex')) if mibBuilder.loadTexts: lpFiLtFbIpxHRowStatusEntry.setStatus('mandatory') lp_fi_lt_fb_ipx_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbIpxHRowStatus.setStatus('mandatory') lp_fi_lt_fb_ipx_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbIpxHComponentName.setStatus('mandatory') lp_fi_lt_fb_ipx_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtFbIpxHStorageType.setStatus('mandatory') lp_fi_lt_fb_ipx_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtFbIpxHIndex.setStatus('mandatory') lp_fi_lt_fb_ipx_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 10)) if mibBuilder.loadTexts: lpFiLtFbIpxHTopTable.setStatus('mandatory') lp_fi_lt_fb_ipx_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtFbIpxHIndex')) if mibBuilder.loadTexts: lpFiLtFbIpxHTopEntry.setStatus('mandatory') lp_fi_lt_fb_ipx_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 5, 10, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtFbIpxHTData.setStatus('mandatory') lp_fi_lt_cntl = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6)) lp_fi_lt_cntl_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1)) if mibBuilder.loadTexts: lpFiLtCntlRowStatusTable.setStatus('mandatory') lp_fi_lt_cntl_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtCntlIndex')) if mibBuilder.loadTexts: lpFiLtCntlRowStatusEntry.setStatus('mandatory') lp_fi_lt_cntl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtCntlRowStatus.setStatus('mandatory') lp_fi_lt_cntl_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtCntlComponentName.setStatus('mandatory') lp_fi_lt_cntl_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiLtCntlStorageType.setStatus('mandatory') lp_fi_lt_cntl_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiLtCntlIndex.setStatus('mandatory') lp_fi_lt_cntl_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 10)) if mibBuilder.loadTexts: lpFiLtCntlTopTable.setStatus('mandatory') lp_fi_lt_cntl_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiLtCntlIndex')) if mibBuilder.loadTexts: lpFiLtCntlTopEntry.setStatus('mandatory') lp_fi_lt_cntl_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 2, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiLtCntlTData.setStatus('mandatory') lp_fi_phy = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3)) lp_fi_phy_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1)) if mibBuilder.loadTexts: lpFiPhyRowStatusTable.setStatus('mandatory') lp_fi_phy_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiPhyFddiPhyTypeIndex')) if mibBuilder.loadTexts: lpFiPhyRowStatusEntry.setStatus('mandatory') lp_fi_phy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiPhyRowStatus.setStatus('mandatory') lp_fi_phy_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyComponentName.setStatus('mandatory') lp_fi_phy_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyStorageType.setStatus('mandatory') lp_fi_phy_fddi_phy_type_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('a', 0), ('b', 1)))) if mibBuilder.loadTexts: lpFiPhyFddiPhyTypeIndex.setStatus('mandatory') lp_fi_phy_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10)) if mibBuilder.loadTexts: lpFiPhyProvTable.setStatus('mandatory') lp_fi_phy_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiPhyFddiPhyTypeIndex')) if mibBuilder.loadTexts: lpFiPhyProvEntry.setStatus('mandatory') lp_fi_phy_ler_cutoff = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 15)).clone(7)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiPhyLerCutoff.setStatus('mandatory') lp_fi_phy_ler_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 15)).clone(8)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiPhyLerAlarm.setStatus('mandatory') lp_fi_phy_link_error_monitor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiPhyLinkErrorMonitor.setStatus('mandatory') lp_fi_phy_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11)) if mibBuilder.loadTexts: lpFiPhyOperTable.setStatus('mandatory') lp_fi_phy_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiPhyFddiPhyTypeIndex')) if mibBuilder.loadTexts: lpFiPhyOperEntry.setStatus('mandatory') lp_fi_phy_neighbor_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('a', 1), ('b', 2), ('s', 3), ('m', 4), ('none', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyNeighborType.setStatus('mandatory') lp_fi_phy_lct_fail_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyLctFailCounts.setStatus('mandatory') lp_fi_phy_ler_estimate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 14), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyLerEstimate.setStatus('mandatory') lp_fi_phy_lem_reject_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyLemRejectCounts.setStatus('mandatory') lp_fi_phy_lem_counts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyLemCounts.setStatus('mandatory') lp_fi_phy_pcm_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('off', 1), ('break', 2), ('trace', 3), ('connect', 4), ('next', 5), ('signal', 6), ('join', 7), ('verify', 8), ('active', 9), ('maint', 10)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyPcmState.setStatus('mandatory') lp_fi_phy_ler_flag = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhyLerFlag.setStatus('mandatory') lp_fi_phy_signal_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('escape', 0), ('phyTypeL', 1), ('phyTypeH', 2), ('accept', 3), ('lctLengthL', 4), ('lctLengthH', 5), ('macAvail', 6), ('lctResult', 7), ('macLoop', 8), ('macOnPhy', 9), ('signalingDone', 10)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhySignalState.setStatus('mandatory') lp_fi_phy_signal_bits_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 24), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhySignalBitsRcvd.setStatus('mandatory') lp_fi_phy_signal_bits_txmt = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 3, 11, 1, 25), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiPhySignalBitsTxmt.setStatus('mandatory') lp_fi_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5)) lp_fi_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1)) if mibBuilder.loadTexts: lpFiTestRowStatusTable.setStatus('mandatory') lp_fi_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiTestIndex')) if mibBuilder.loadTexts: lpFiTestRowStatusEntry.setStatus('mandatory') lp_fi_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestRowStatus.setStatus('mandatory') lp_fi_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestComponentName.setStatus('mandatory') lp_fi_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestStorageType.setStatus('mandatory') lp_fi_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpFiTestIndex.setStatus('mandatory') lp_fi_test_pto_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10)) if mibBuilder.loadTexts: lpFiTestPTOTable.setStatus('mandatory') lp_fi_test_pto_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiTestIndex')) if mibBuilder.loadTexts: lpFiTestPTOEntry.setStatus('mandatory') lp_fi_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=named_values(('onCard', 0), ('normal', 1), ('wrapA', 257), ('wrapB', 258), ('thruA', 259), ('thruB', 260), ('extWrapA', 263), ('extWrapB', 264), ('extThruA', 265), ('extThruB', 266), ('extWrapAB', 267), ('extWrapBA', 268)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiTestType.setStatus('mandatory') lp_fi_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiTestFrmSize.setStatus('mandatory') lp_fi_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpFiTestDuration.setStatus('mandatory') lp_fi_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11)) if mibBuilder.loadTexts: lpFiTestResultsTable.setStatus('mandatory') lp_fi_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpFiTestIndex')) if mibBuilder.loadTexts: lpFiTestResultsEntry.setStatus('mandatory') lp_fi_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestElapsedTime.setStatus('mandatory') lp_fi_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestTimeRemaining.setStatus('mandatory') lp_fi_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4))).clone('neverStarted')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestCauseOfTermination.setStatus('mandatory') lp_fi_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 7), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestFrmTx.setStatus('mandatory') lp_fi_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 8), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestBitsTx.setStatus('mandatory') lp_fi_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 9), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestFrmRx.setStatus('mandatory') lp_fi_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 10), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestBitsRx.setStatus('mandatory') lp_fi_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 4, 5, 11, 1, 11), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpFiTestErroredFrmRx.setStatus('mandatory') lp_tr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13)) lp_tr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1)) if mibBuilder.loadTexts: lpTrRowStatusTable.setStatus('mandatory') lp_tr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrRowStatusEntry.setStatus('mandatory') lp_tr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrRowStatus.setStatus('mandatory') lp_tr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrComponentName.setStatus('mandatory') lp_tr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrStorageType.setStatus('mandatory') lp_tr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 5))) if mibBuilder.loadTexts: lpTrIndex.setStatus('mandatory') lp_tr_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 10)) if mibBuilder.loadTexts: lpTrCidDataTable.setStatus('mandatory') lp_tr_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrCidDataEntry.setStatus('mandatory') lp_tr_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 10, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrCustomerIdentifier.setStatus('mandatory') lp_tr_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11)) if mibBuilder.loadTexts: lpTrIfEntryTable.setStatus('mandatory') lp_tr_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrIfEntryEntry.setStatus('mandatory') lp_tr_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11, 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: lpTrIfAdminStatus.setStatus('mandatory') lp_tr_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 11, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrIfIndex.setStatus('mandatory') lp_tr_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12)) if mibBuilder.loadTexts: lpTrProvTable.setStatus('mandatory') lp_tr_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrProvEntry.setStatus('mandatory') lp_tr_ring_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(3, 4))).clone(namedValues=named_values(('fourMegabit', 3), ('sixteenMegabit', 4))).clone('sixteenMegabit')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrRingSpeed.setStatus('mandatory') lp_tr_monitor_participate = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2))).clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrMonitorParticipate.setStatus('mandatory') lp_tr_functional_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 3), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6).clone(hexValue='0300feff8f01')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrFunctionalAddress.setStatus('mandatory') lp_tr_node_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 4), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6).clone(hexValue='000000000000')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrNodeAddress.setStatus('mandatory') lp_tr_group_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 5), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6).clone(hexValue='030001000000')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrGroupAddress.setStatus('mandatory') lp_tr_product_id = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 6), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 18)).clone(hexValue='4c414e20546f6b656e2052696e67')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrProductId.setStatus('mandatory') lp_tr_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 12, 1, 7), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrApplicationFramerName.setStatus('mandatory') lp_tr_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13)) if mibBuilder.loadTexts: lpTrAdminInfoTable.setStatus('mandatory') lp_tr_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrAdminInfoEntry.setStatus('mandatory') lp_tr_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrVendor.setStatus('mandatory') lp_tr_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 13, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrCommentText.setStatus('mandatory') lp_tr_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 15)) if mibBuilder.loadTexts: lpTrStateTable.setStatus('mandatory') lp_tr_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 15, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrStateEntry.setStatus('mandatory') lp_tr_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 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: lpTrAdminState.setStatus('mandatory') lp_tr_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 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: lpTrOperationalState.setStatus('mandatory') lp_tr_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 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: lpTrUsageState.setStatus('mandatory') lp_tr_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 16)) if mibBuilder.loadTexts: lpTrOperStatusTable.setStatus('mandatory') lp_tr_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 16, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrOperStatusEntry.setStatus('mandatory') lp_tr_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 16, 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: lpTrSnmpOperStatus.setStatus('mandatory') lp_tr_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17)) if mibBuilder.loadTexts: lpTrOperTable.setStatus('mandatory') lp_tr_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrOperEntry.setStatus('mandatory') lp_tr_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 2), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6).clone(hexValue='000000000000')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrMacAddress.setStatus('mandatory') lp_tr_ring_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('opened', 1), ('closed', 2), ('opening', 3), ('closing', 4), ('openFailure', 5), ('ringFailure', 6))).clone('ringFailure')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrRingState.setStatus('mandatory') lp_tr_ring_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(3, 3)).setFixedLength(3).clone(hexValue='000040')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrRingStatus.setStatus('mandatory') lp_tr_ring_open_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=named_values(('noOpen', 1), ('badParam', 2), ('lobeFailed', 3), ('signalLoss', 4), ('insertionTimeout', 5), ('ringFailed', 6), ('beaconing', 7), ('duplicateMac', 8), ('requestFailed', 9), ('removeReceived', 10), ('open', 11))).clone('noOpen')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrRingOpenStatus.setStatus('mandatory') lp_tr_up_stream = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 7), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6).clone(hexValue='000000000000')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrUpStream.setStatus('mandatory') lp_tr_chip_set = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ibm16', 1), ('titms380', 2), ('titms380c16', 3), ('titms380c26', 4))).clone('titms380c16')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrChipSet.setStatus('mandatory') lp_tr_last_time_beacon_sent = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 17, 1, 10), enterprise_date_and_time().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(19, 19)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLastTimeBeaconSent.setStatus('mandatory') lp_tr_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18)) if mibBuilder.loadTexts: lpTrStatsTable.setStatus('mandatory') lp_tr_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrStatsEntry.setStatus('mandatory') lp_tr_line_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLineErrors.setStatus('mandatory') lp_tr_burst_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrBurstErrors.setStatus('mandatory') lp_tr_ac_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrAcErrors.setStatus('mandatory') lp_tr_abort_trans_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrAbortTransErrors.setStatus('mandatory') lp_tr_internal_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrInternalErrors.setStatus('mandatory') lp_tr_lost_frame_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLostFrameErrors.setStatus('mandatory') lp_tr_receive_congestions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrReceiveCongestions.setStatus('mandatory') lp_tr_frame_copied_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrFrameCopiedErrors.setStatus('mandatory') lp_tr_token_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTokenErrors.setStatus('mandatory') lp_tr_soft_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrSoftErrors.setStatus('mandatory') lp_tr_hard_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrHardErrors.setStatus('mandatory') lp_tr_signal_loss = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrSignalLoss.setStatus('mandatory') lp_tr_transmit_beacons = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 14), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTransmitBeacons.setStatus('mandatory') lp_tr_ring_recoverys = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 15), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrRingRecoverys.setStatus('mandatory') lp_tr_lobe_wires = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 16), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLobeWires.setStatus('mandatory') lp_tr_remove_rings = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 17), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrRemoveRings.setStatus('mandatory') lp_tr_single_station = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 18), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrSingleStation.setStatus('mandatory') lp_tr_freq_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 18, 1, 19), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrFreqErrors.setStatus('mandatory') lp_tr_nc_mac_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20)) if mibBuilder.loadTexts: lpTrNcMacOperTable.setStatus('mandatory') lp_tr_nc_mac_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex')) if mibBuilder.loadTexts: lpTrNcMacOperEntry.setStatus('mandatory') lp_tr_nc_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20, 1, 1), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrNcMacAddress.setStatus('mandatory') lp_tr_nc_up_stream = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 20, 1, 2), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrNcUpStream.setStatus('mandatory') lp_tr_lt = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2)) lp_tr_lt_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1)) if mibBuilder.loadTexts: lpTrLtRowStatusTable.setStatus('mandatory') lp_tr_lt_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex')) if mibBuilder.loadTexts: lpTrLtRowStatusEntry.setStatus('mandatory') lp_tr_lt_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtRowStatus.setStatus('mandatory') lp_tr_lt_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtComponentName.setStatus('mandatory') lp_tr_lt_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtStorageType.setStatus('mandatory') lp_tr_lt_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtIndex.setStatus('mandatory') lp_tr_lt_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 20)) if mibBuilder.loadTexts: lpTrLtTopTable.setStatus('mandatory') lp_tr_lt_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex')) if mibBuilder.loadTexts: lpTrLtTopEntry.setStatus('mandatory') lp_tr_lt_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtTData.setStatus('mandatory') lp_tr_lt_frm_cmp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2)) lp_tr_lt_frm_cmp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1)) if mibBuilder.loadTexts: lpTrLtFrmCmpRowStatusTable.setStatus('mandatory') lp_tr_lt_frm_cmp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFrmCmpIndex')) if mibBuilder.loadTexts: lpTrLtFrmCmpRowStatusEntry.setStatus('mandatory') lp_tr_lt_frm_cmp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFrmCmpRowStatus.setStatus('mandatory') lp_tr_lt_frm_cmp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFrmCmpComponentName.setStatus('mandatory') lp_tr_lt_frm_cmp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFrmCmpStorageType.setStatus('mandatory') lp_tr_lt_frm_cmp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFrmCmpIndex.setStatus('mandatory') lp_tr_lt_frm_cmp_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 10)) if mibBuilder.loadTexts: lpTrLtFrmCmpTopTable.setStatus('mandatory') lp_tr_lt_frm_cmp_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFrmCmpIndex')) if mibBuilder.loadTexts: lpTrLtFrmCmpTopEntry.setStatus('mandatory') lp_tr_lt_frm_cmp_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFrmCmpTData.setStatus('mandatory') lp_tr_lt_frm_cpy = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3)) lp_tr_lt_frm_cpy_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1)) if mibBuilder.loadTexts: lpTrLtFrmCpyRowStatusTable.setStatus('mandatory') lp_tr_lt_frm_cpy_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFrmCpyIndex')) if mibBuilder.loadTexts: lpTrLtFrmCpyRowStatusEntry.setStatus('mandatory') lp_tr_lt_frm_cpy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFrmCpyRowStatus.setStatus('mandatory') lp_tr_lt_frm_cpy_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFrmCpyComponentName.setStatus('mandatory') lp_tr_lt_frm_cpy_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFrmCpyStorageType.setStatus('mandatory') lp_tr_lt_frm_cpy_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFrmCpyIndex.setStatus('mandatory') lp_tr_lt_frm_cpy_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 10)) if mibBuilder.loadTexts: lpTrLtFrmCpyTopTable.setStatus('mandatory') lp_tr_lt_frm_cpy_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFrmCpyIndex')) if mibBuilder.loadTexts: lpTrLtFrmCpyTopEntry.setStatus('mandatory') lp_tr_lt_frm_cpy_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFrmCpyTData.setStatus('mandatory') lp_tr_lt_prt_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4)) lp_tr_lt_prt_cfg_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1)) if mibBuilder.loadTexts: lpTrLtPrtCfgRowStatusTable.setStatus('mandatory') lp_tr_lt_prt_cfg_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtPrtCfgIndex')) if mibBuilder.loadTexts: lpTrLtPrtCfgRowStatusEntry.setStatus('mandatory') lp_tr_lt_prt_cfg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtPrtCfgRowStatus.setStatus('mandatory') lp_tr_lt_prt_cfg_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtPrtCfgComponentName.setStatus('mandatory') lp_tr_lt_prt_cfg_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtPrtCfgStorageType.setStatus('mandatory') lp_tr_lt_prt_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtPrtCfgIndex.setStatus('mandatory') lp_tr_lt_prt_cfg_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 10)) if mibBuilder.loadTexts: lpTrLtPrtCfgTopTable.setStatus('mandatory') lp_tr_lt_prt_cfg_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtPrtCfgIndex')) if mibBuilder.loadTexts: lpTrLtPrtCfgTopEntry.setStatus('mandatory') lp_tr_lt_prt_cfg_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtPrtCfgTData.setStatus('mandatory') lp_tr_lt_fb = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5)) lp_tr_lt_fb_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1)) if mibBuilder.loadTexts: lpTrLtFbRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex')) if mibBuilder.loadTexts: lpTrLtFbRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbRowStatus.setStatus('mandatory') lp_tr_lt_fb_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbComponentName.setStatus('mandatory') lp_tr_lt_fb_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbStorageType.setStatus('mandatory') lp_tr_lt_fb_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbIndex.setStatus('mandatory') lp_tr_lt_fb_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 20)) if mibBuilder.loadTexts: lpTrLtFbTopTable.setStatus('mandatory') lp_tr_lt_fb_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex')) if mibBuilder.loadTexts: lpTrLtFbTopEntry.setStatus('mandatory') lp_tr_lt_fb_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbTData.setStatus('mandatory') lp_tr_lt_fb_tx_info = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2)) lp_tr_lt_fb_tx_info_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1)) if mibBuilder.loadTexts: lpTrLtFbTxInfoRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_tx_info_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpTrLtFbTxInfoRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_tx_info_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbTxInfoRowStatus.setStatus('mandatory') lp_tr_lt_fb_tx_info_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbTxInfoComponentName.setStatus('mandatory') lp_tr_lt_fb_tx_info_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbTxInfoStorageType.setStatus('mandatory') lp_tr_lt_fb_tx_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbTxInfoIndex.setStatus('mandatory') lp_tr_lt_fb_tx_info_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 10)) if mibBuilder.loadTexts: lpTrLtFbTxInfoTopTable.setStatus('mandatory') lp_tr_lt_fb_tx_info_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpTrLtFbTxInfoTopEntry.setStatus('mandatory') lp_tr_lt_fb_tx_info_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbTxInfoTData.setStatus('mandatory') lp_tr_lt_fb_fddi_mac = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3)) lp_tr_lt_fb_fddi_mac_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1)) if mibBuilder.loadTexts: lpTrLtFbFddiMacRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpTrLtFbFddiMacRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbFddiMacRowStatus.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbFddiMacComponentName.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbFddiMacStorageType.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbFddiMacIndex.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 10)) if mibBuilder.loadTexts: lpTrLtFbFddiMacTopTable.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpTrLtFbFddiMacTopEntry.setStatus('mandatory') lp_tr_lt_fb_fddi_mac_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbFddiMacTData.setStatus('mandatory') lp_tr_lt_fb_mac_enet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4)) lp_tr_lt_fb_mac_enet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1)) if mibBuilder.loadTexts: lpTrLtFbMacEnetRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_mac_enet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpTrLtFbMacEnetRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_mac_enet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbMacEnetRowStatus.setStatus('mandatory') lp_tr_lt_fb_mac_enet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbMacEnetComponentName.setStatus('mandatory') lp_tr_lt_fb_mac_enet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbMacEnetStorageType.setStatus('mandatory') lp_tr_lt_fb_mac_enet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbMacEnetIndex.setStatus('mandatory') lp_tr_lt_fb_mac_enet_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 10)) if mibBuilder.loadTexts: lpTrLtFbMacEnetTopTable.setStatus('mandatory') lp_tr_lt_fb_mac_enet_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpTrLtFbMacEnetTopEntry.setStatus('mandatory') lp_tr_lt_fb_mac_enet_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbMacEnetTData.setStatus('mandatory') lp_tr_lt_fb_mac_tr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5)) lp_tr_lt_fb_mac_tr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1)) if mibBuilder.loadTexts: lpTrLtFbMacTrRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_mac_tr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbMacTrIndex')) if mibBuilder.loadTexts: lpTrLtFbMacTrRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_mac_tr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbMacTrRowStatus.setStatus('mandatory') lp_tr_lt_fb_mac_tr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbMacTrComponentName.setStatus('mandatory') lp_tr_lt_fb_mac_tr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbMacTrStorageType.setStatus('mandatory') lp_tr_lt_fb_mac_tr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbMacTrIndex.setStatus('mandatory') lp_tr_lt_fb_mac_tr_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 10)) if mibBuilder.loadTexts: lpTrLtFbMacTrTopTable.setStatus('mandatory') lp_tr_lt_fb_mac_tr_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbMacTrIndex')) if mibBuilder.loadTexts: lpTrLtFbMacTrTopEntry.setStatus('mandatory') lp_tr_lt_fb_mac_tr_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 5, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbMacTrTData.setStatus('mandatory') lp_tr_lt_fb_data = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6)) lp_tr_lt_fb_data_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1)) if mibBuilder.loadTexts: lpTrLtFbDataRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_data_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbDataIndex')) if mibBuilder.loadTexts: lpTrLtFbDataRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_data_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbDataRowStatus.setStatus('mandatory') lp_tr_lt_fb_data_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbDataComponentName.setStatus('mandatory') lp_tr_lt_fb_data_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbDataStorageType.setStatus('mandatory') lp_tr_lt_fb_data_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbDataIndex.setStatus('mandatory') lp_tr_lt_fb_data_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 10)) if mibBuilder.loadTexts: lpTrLtFbDataTopTable.setStatus('mandatory') lp_tr_lt_fb_data_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbDataIndex')) if mibBuilder.loadTexts: lpTrLtFbDataTopEntry.setStatus('mandatory') lp_tr_lt_fb_data_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbDataTData.setStatus('mandatory') lp_tr_lt_fb_ip_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7)) lp_tr_lt_fb_ip_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1)) if mibBuilder.loadTexts: lpTrLtFbIpHRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_ip_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIpHIndex')) if mibBuilder.loadTexts: lpTrLtFbIpHRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_ip_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbIpHRowStatus.setStatus('mandatory') lp_tr_lt_fb_ip_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbIpHComponentName.setStatus('mandatory') lp_tr_lt_fb_ip_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbIpHStorageType.setStatus('mandatory') lp_tr_lt_fb_ip_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbIpHIndex.setStatus('mandatory') lp_tr_lt_fb_ip_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 10)) if mibBuilder.loadTexts: lpTrLtFbIpHTopTable.setStatus('mandatory') lp_tr_lt_fb_ip_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIpHIndex')) if mibBuilder.loadTexts: lpTrLtFbIpHTopEntry.setStatus('mandatory') lp_tr_lt_fb_ip_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 7, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbIpHTData.setStatus('mandatory') lp_tr_lt_fb_llch = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8)) lp_tr_lt_fb_llch_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1)) if mibBuilder.loadTexts: lpTrLtFbLlchRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_llch_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbLlchIndex')) if mibBuilder.loadTexts: lpTrLtFbLlchRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_llch_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbLlchRowStatus.setStatus('mandatory') lp_tr_lt_fb_llch_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbLlchComponentName.setStatus('mandatory') lp_tr_lt_fb_llch_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbLlchStorageType.setStatus('mandatory') lp_tr_lt_fb_llch_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbLlchIndex.setStatus('mandatory') lp_tr_lt_fb_llch_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 10)) if mibBuilder.loadTexts: lpTrLtFbLlchTopTable.setStatus('mandatory') lp_tr_lt_fb_llch_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbLlchIndex')) if mibBuilder.loadTexts: lpTrLtFbLlchTopEntry.setStatus('mandatory') lp_tr_lt_fb_llch_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 8, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbLlchTData.setStatus('mandatory') lp_tr_lt_fb_apple_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9)) lp_tr_lt_fb_apple_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1)) if mibBuilder.loadTexts: lpTrLtFbAppleHRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_apple_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbAppleHIndex')) if mibBuilder.loadTexts: lpTrLtFbAppleHRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_apple_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbAppleHRowStatus.setStatus('mandatory') lp_tr_lt_fb_apple_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbAppleHComponentName.setStatus('mandatory') lp_tr_lt_fb_apple_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbAppleHStorageType.setStatus('mandatory') lp_tr_lt_fb_apple_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbAppleHIndex.setStatus('mandatory') lp_tr_lt_fb_apple_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 10)) if mibBuilder.loadTexts: lpTrLtFbAppleHTopTable.setStatus('mandatory') lp_tr_lt_fb_apple_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbAppleHIndex')) if mibBuilder.loadTexts: lpTrLtFbAppleHTopEntry.setStatus('mandatory') lp_tr_lt_fb_apple_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 9, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbAppleHTData.setStatus('mandatory') lp_tr_lt_fb_ipx_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10)) lp_tr_lt_fb_ipx_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1)) if mibBuilder.loadTexts: lpTrLtFbIpxHRowStatusTable.setStatus('mandatory') lp_tr_lt_fb_ipx_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIpxHIndex')) if mibBuilder.loadTexts: lpTrLtFbIpxHRowStatusEntry.setStatus('mandatory') lp_tr_lt_fb_ipx_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbIpxHRowStatus.setStatus('mandatory') lp_tr_lt_fb_ipx_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbIpxHComponentName.setStatus('mandatory') lp_tr_lt_fb_ipx_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtFbIpxHStorageType.setStatus('mandatory') lp_tr_lt_fb_ipx_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtFbIpxHIndex.setStatus('mandatory') lp_tr_lt_fb_ipx_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 10)) if mibBuilder.loadTexts: lpTrLtFbIpxHTopTable.setStatus('mandatory') lp_tr_lt_fb_ipx_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtFbIpxHIndex')) if mibBuilder.loadTexts: lpTrLtFbIpxHTopEntry.setStatus('mandatory') lp_tr_lt_fb_ipx_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 5, 10, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtFbIpxHTData.setStatus('mandatory') lp_tr_lt_cntl = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6)) lp_tr_lt_cntl_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1)) if mibBuilder.loadTexts: lpTrLtCntlRowStatusTable.setStatus('mandatory') lp_tr_lt_cntl_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtCntlIndex')) if mibBuilder.loadTexts: lpTrLtCntlRowStatusEntry.setStatus('mandatory') lp_tr_lt_cntl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtCntlRowStatus.setStatus('mandatory') lp_tr_lt_cntl_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtCntlComponentName.setStatus('mandatory') lp_tr_lt_cntl_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrLtCntlStorageType.setStatus('mandatory') lp_tr_lt_cntl_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrLtCntlIndex.setStatus('mandatory') lp_tr_lt_cntl_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 10)) if mibBuilder.loadTexts: lpTrLtCntlTopTable.setStatus('mandatory') lp_tr_lt_cntl_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrLtCntlIndex')) if mibBuilder.loadTexts: lpTrLtCntlTopEntry.setStatus('mandatory') lp_tr_lt_cntl_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 2, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrLtCntlTData.setStatus('mandatory') lp_tr_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5)) lp_tr_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1)) if mibBuilder.loadTexts: lpTrTestRowStatusTable.setStatus('mandatory') lp_tr_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrTestIndex')) if mibBuilder.loadTexts: lpTrTestRowStatusEntry.setStatus('mandatory') lp_tr_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestRowStatus.setStatus('mandatory') lp_tr_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestComponentName.setStatus('mandatory') lp_tr_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestStorageType.setStatus('mandatory') lp_tr_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpTrTestIndex.setStatus('mandatory') lp_tr_test_pto_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10)) if mibBuilder.loadTexts: lpTrTestPTOTable.setStatus('mandatory') lp_tr_test_pto_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrTestIndex')) if mibBuilder.loadTexts: lpTrTestPTOEntry.setStatus('mandatory') lp_tr_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=named_values(('onCard', 0), ('normal', 1), ('wrapA', 257), ('wrapB', 258), ('thruA', 259), ('thruB', 260), ('extWrapA', 263), ('extWrapB', 264), ('extThruA', 265), ('extThruB', 266), ('extWrapAB', 267), ('extWrapBA', 268)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrTestType.setStatus('mandatory') lp_tr_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrTestFrmSize.setStatus('mandatory') lp_tr_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpTrTestDuration.setStatus('mandatory') lp_tr_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11)) if mibBuilder.loadTexts: lpTrTestResultsTable.setStatus('mandatory') lp_tr_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpTrTestIndex')) if mibBuilder.loadTexts: lpTrTestResultsEntry.setStatus('mandatory') lp_tr_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestElapsedTime.setStatus('mandatory') lp_tr_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestTimeRemaining.setStatus('mandatory') lp_tr_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4))).clone('neverStarted')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestCauseOfTermination.setStatus('mandatory') lp_tr_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 7), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestFrmTx.setStatus('mandatory') lp_tr_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 8), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestBitsTx.setStatus('mandatory') lp_tr_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 9), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestFrmRx.setStatus('mandatory') lp_tr_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 10), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestBitsRx.setStatus('mandatory') lp_tr_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 13, 5, 11, 1, 11), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpTrTestErroredFrmRx.setStatus('mandatory') lp_ils_fwdr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21)) lp_ils_fwdr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1)) if mibBuilder.loadTexts: lpIlsFwdrRowStatusTable.setStatus('mandatory') lp_ils_fwdr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex')) if mibBuilder.loadTexts: lpIlsFwdrRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrRowStatus.setStatus('mandatory') lp_ils_fwdr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrComponentName.setStatus('mandatory') lp_ils_fwdr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrStorageType.setStatus('mandatory') lp_ils_fwdr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 0))) if mibBuilder.loadTexts: lpIlsFwdrIndex.setStatus('mandatory') lp_ils_fwdr_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11)) if mibBuilder.loadTexts: lpIlsFwdrIfEntryTable.setStatus('mandatory') lp_ils_fwdr_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex')) if mibBuilder.loadTexts: lpIlsFwdrIfEntryEntry.setStatus('mandatory') lp_ils_fwdr_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11, 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: lpIlsFwdrIfAdminStatus.setStatus('mandatory') lp_ils_fwdr_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 11, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrIfIndex.setStatus('mandatory') lp_ils_fwdr_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 12)) if mibBuilder.loadTexts: lpIlsFwdrStateTable.setStatus('mandatory') lp_ils_fwdr_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 12, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex')) if mibBuilder.loadTexts: lpIlsFwdrStateEntry.setStatus('mandatory') lp_ils_fwdr_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrAdminState.setStatus('mandatory') lp_ils_fwdr_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrOperationalState.setStatus('mandatory') lp_ils_fwdr_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrUsageState.setStatus('mandatory') lp_ils_fwdr_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 13)) if mibBuilder.loadTexts: lpIlsFwdrOperStatusTable.setStatus('mandatory') lp_ils_fwdr_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 13, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex')) if mibBuilder.loadTexts: lpIlsFwdrOperStatusEntry.setStatus('mandatory') lp_ils_fwdr_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 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: lpIlsFwdrSnmpOperStatus.setStatus('mandatory') lp_ils_fwdr_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14)) if mibBuilder.loadTexts: lpIlsFwdrStatsTable.setStatus('mandatory') lp_ils_fwdr_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex')) if mibBuilder.loadTexts: lpIlsFwdrStatsEntry.setStatus('mandatory') lp_ils_fwdr_frames_received = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 1), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrFramesReceived.setStatus('mandatory') lp_ils_fwdr_processed_count = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 2), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrProcessedCount.setStatus('mandatory') lp_ils_fwdr_error_count = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 3), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrErrorCount.setStatus('mandatory') lp_ils_fwdr_frames_discarded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 14, 1, 4), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrFramesDiscarded.setStatus('mandatory') lp_ils_fwdr_link_to_traffic_source_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 312)) if mibBuilder.loadTexts: lpIlsFwdrLinkToTrafficSourceTable.setStatus('mandatory') lp_ils_fwdr_link_to_traffic_source_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 312, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLinkToTrafficSourceValue')) if mibBuilder.loadTexts: lpIlsFwdrLinkToTrafficSourceEntry.setStatus('mandatory') lp_ils_fwdr_link_to_traffic_source_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 312, 1, 1), link()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLinkToTrafficSourceValue.setStatus('mandatory') lp_ils_fwdr_lt = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2)) lp_ils_fwdr_lt_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtComponentName.setStatus('mandatory') lp_ils_fwdr_lt_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtStorageType.setStatus('mandatory') lp_ils_fwdr_lt_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtIndex.setStatus('mandatory') lp_ils_fwdr_lt_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 20)) if mibBuilder.loadTexts: lpIlsFwdrLtTopTable.setStatus('mandatory') lp_ils_fwdr_lt_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtTData.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2)) lp_ils_fwdr_lt_frm_cmp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFrmCmpIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpComponentName.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpStorageType.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpIndex.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpTopTable.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFrmCmpIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_frm_cmp_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCmpTData.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3)) lp_ils_fwdr_lt_frm_cpy_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFrmCpyIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyComponentName.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyStorageType.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyIndex.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyTopTable.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFrmCpyIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_frm_cpy_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFrmCpyTData.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4)) lp_ils_fwdr_lt_prt_cfg_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtPrtCfgIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgComponentName.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgStorageType.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgIndex.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgTopTable.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtPrtCfgIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_prt_cfg_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtPrtCfgTData.setStatus('mandatory') lp_ils_fwdr_lt_fb = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5)) lp_ils_fwdr_lt_fb_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 20)) if mibBuilder.loadTexts: lpIlsFwdrLtFbTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2)) lp_ils_fwdr_lt_fb_tx_info_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbTxInfoIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_tx_info_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbTxInfoTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3)) lp_ils_fwdr_lt_fb_fddi_mac_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbFddiMacIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_fddi_mac_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbFddiMacTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4)) lp_ils_fwdr_lt_fb_mac_enet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbMacEnetIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_enet_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacEnetTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5)) lp_ils_fwdr_lt_fb_mac_tr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbMacTrIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbMacTrIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_mac_tr_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 5, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbMacTrTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_data = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6)) lp_ils_fwdr_lt_fb_data_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbDataIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbDataRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbDataComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbDataStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbDataIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbDataTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_data_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbDataTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7)) lp_ils_fwdr_lt_fb_ip_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIpHIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIpHIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_ip_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 7, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpHTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8)) lp_ils_fwdr_lt_fb_llch_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbLlchIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbLlchIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_llch_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 8, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbLlchTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9)) lp_ils_fwdr_lt_fb_apple_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbAppleHIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbAppleHIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_apple_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 9, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbAppleHTData.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10)) lp_ils_fwdr_lt_fb_ipx_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIpxHIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHComponentName.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHStorageType.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHIndex.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHTopTable.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtFbIpxHIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_fb_ipx_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 5, 10, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtFbIpxHTData.setStatus('mandatory') lp_ils_fwdr_lt_cntl = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6)) lp_ils_fwdr_lt_cntl_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1)) if mibBuilder.loadTexts: lpIlsFwdrLtCntlRowStatusTable.setStatus('mandatory') lp_ils_fwdr_lt_cntl_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtCntlIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtCntlRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_lt_cntl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtCntlRowStatus.setStatus('mandatory') lp_ils_fwdr_lt_cntl_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtCntlComponentName.setStatus('mandatory') lp_ils_fwdr_lt_cntl_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrLtCntlStorageType.setStatus('mandatory') lp_ils_fwdr_lt_cntl_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrLtCntlIndex.setStatus('mandatory') lp_ils_fwdr_lt_cntl_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 10)) if mibBuilder.loadTexts: lpIlsFwdrLtCntlTopTable.setStatus('mandatory') lp_ils_fwdr_lt_cntl_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrLtCntlIndex')) if mibBuilder.loadTexts: lpIlsFwdrLtCntlTopEntry.setStatus('mandatory') lp_ils_fwdr_lt_cntl_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 2, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrLtCntlTData.setStatus('mandatory') lp_ils_fwdr_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5)) lp_ils_fwdr_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1)) if mibBuilder.loadTexts: lpIlsFwdrTestRowStatusTable.setStatus('mandatory') lp_ils_fwdr_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrTestIndex')) if mibBuilder.loadTexts: lpIlsFwdrTestRowStatusEntry.setStatus('mandatory') lp_ils_fwdr_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestRowStatus.setStatus('mandatory') lp_ils_fwdr_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestComponentName.setStatus('mandatory') lp_ils_fwdr_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestStorageType.setStatus('mandatory') lp_ils_fwdr_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpIlsFwdrTestIndex.setStatus('mandatory') lp_ils_fwdr_test_pto_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10)) if mibBuilder.loadTexts: lpIlsFwdrTestPTOTable.setStatus('mandatory') lp_ils_fwdr_test_pto_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrTestIndex')) if mibBuilder.loadTexts: lpIlsFwdrTestPTOEntry.setStatus('mandatory') lp_ils_fwdr_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=named_values(('onCard', 0), ('normal', 1), ('wrapA', 257), ('wrapB', 258), ('thruA', 259), ('thruB', 260), ('extWrapA', 263), ('extWrapB', 264), ('extThruA', 265), ('extThruB', 266), ('extWrapAB', 267), ('extWrapBA', 268)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrTestType.setStatus('mandatory') lp_ils_fwdr_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrTestFrmSize.setStatus('mandatory') lp_ils_fwdr_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpIlsFwdrTestDuration.setStatus('mandatory') lp_ils_fwdr_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11)) if mibBuilder.loadTexts: lpIlsFwdrTestResultsTable.setStatus('mandatory') lp_ils_fwdr_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpIlsFwdrTestIndex')) if mibBuilder.loadTexts: lpIlsFwdrTestResultsEntry.setStatus('mandatory') lp_ils_fwdr_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestElapsedTime.setStatus('mandatory') lp_ils_fwdr_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestTimeRemaining.setStatus('mandatory') lp_ils_fwdr_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4))).clone('neverStarted')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestCauseOfTermination.setStatus('mandatory') lp_ils_fwdr_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 7), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestFrmTx.setStatus('mandatory') lp_ils_fwdr_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 8), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestBitsTx.setStatus('mandatory') lp_ils_fwdr_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 9), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestFrmRx.setStatus('mandatory') lp_ils_fwdr_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 10), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestBitsRx.setStatus('mandatory') lp_ils_fwdr_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 21, 5, 11, 1, 11), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpIlsFwdrTestErroredFrmRx.setStatus('mandatory') lp_eth100 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25)) lp_eth100_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1)) if mibBuilder.loadTexts: lpEth100RowStatusTable.setStatus('mandatory') lp_eth100_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100RowStatusEntry.setStatus('mandatory') lp_eth100_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100RowStatus.setStatus('mandatory') lp_eth100_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100ComponentName.setStatus('mandatory') lp_eth100_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100StorageType.setStatus('mandatory') lp_eth100_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 1))) if mibBuilder.loadTexts: lpEth100Index.setStatus('mandatory') lp_eth100_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 10)) if mibBuilder.loadTexts: lpEth100CidDataTable.setStatus('mandatory') lp_eth100_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100CidDataEntry.setStatus('mandatory') lp_eth100_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 10, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100CustomerIdentifier.setStatus('mandatory') lp_eth100_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11)) if mibBuilder.loadTexts: lpEth100IfEntryTable.setStatus('mandatory') lp_eth100_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100IfEntryEntry.setStatus('mandatory') lp_eth100_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11, 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: lpEth100IfAdminStatus.setStatus('mandatory') lp_eth100_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 11, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100IfIndex.setStatus('mandatory') lp_eth100_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12)) if mibBuilder.loadTexts: lpEth100ProvTable.setStatus('mandatory') lp_eth100_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100ProvEntry.setStatus('mandatory') lp_eth100_duplex_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('half', 1), ('full', 2))).clone('half')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100DuplexMode.setStatus('mandatory') lp_eth100_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 2), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(10, 10), value_range_constraint(100, 100))).clone(100)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LineSpeed.setStatus('mandatory') lp_eth100_auto_negotiation = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2))).clone('enabled')).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100AutoNegotiation.setStatus('mandatory') lp_eth100_application_framer_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 12, 1, 4), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100ApplicationFramerName.setStatus('mandatory') lp_eth100_admin_info_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13)) if mibBuilder.loadTexts: lpEth100AdminInfoTable.setStatus('mandatory') lp_eth100_admin_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100AdminInfoEntry.setStatus('mandatory') lp_eth100_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100Vendor.setStatus('mandatory') lp_eth100_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 13, 1, 2), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100CommentText.setStatus('mandatory') lp_eth100_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 15)) if mibBuilder.loadTexts: lpEth100StateTable.setStatus('mandatory') lp_eth100_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 15, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100StateEntry.setStatus('mandatory') lp_eth100_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 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: lpEth100AdminState.setStatus('mandatory') lp_eth100_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 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: lpEth100OperationalState.setStatus('mandatory') lp_eth100_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 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: lpEth100UsageState.setStatus('mandatory') lp_eth100_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 16)) if mibBuilder.loadTexts: lpEth100OperStatusTable.setStatus('mandatory') lp_eth100_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 16, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100OperStatusEntry.setStatus('mandatory') lp_eth100_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 16, 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: lpEth100SnmpOperStatus.setStatus('mandatory') lp_eth100_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17)) if mibBuilder.loadTexts: lpEth100OperTable.setStatus('mandatory') lp_eth100_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100OperEntry.setStatus('mandatory') lp_eth100_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 1), mac_address().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100MacAddress.setStatus('mandatory') lp_eth100_auto_neg_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('succeeded', 1), ('failed', 2), ('disabled', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100AutoNegStatus.setStatus('mandatory') lp_eth100_actual_line_speed = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 5), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(10, 10), value_range_constraint(100, 100)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100ActualLineSpeed.setStatus('mandatory') lp_eth100_actual_duplex_mode = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 17, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('half', 1), ('full', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100ActualDuplexMode.setStatus('mandatory') lp_eth100_eth100_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18)) if mibBuilder.loadTexts: lpEth100Eth100StatsTable.setStatus('mandatory') lp_eth100_eth100_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100Eth100StatsEntry.setStatus('mandatory') lp_eth100_frames_transmitted_ok = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100FramesTransmittedOk.setStatus('mandatory') lp_eth100_frames_received_ok = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100FramesReceivedOk.setStatus('mandatory') lp_eth100_octets_transmitted_ok = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100OctetsTransmittedOk.setStatus('mandatory') lp_eth100_octets_received_ok = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100OctetsReceivedOk.setStatus('mandatory') lp_eth100_undersize_frames = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100UndersizeFrames.setStatus('mandatory') lp_eth100_received_octets_into_router_br = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100ReceivedOctetsIntoRouterBr.setStatus('mandatory') lp_eth100_received_frames_into_router_br = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 18, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100ReceivedFramesIntoRouterBr.setStatus('mandatory') lp_eth100_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19)) if mibBuilder.loadTexts: lpEth100StatsTable.setStatus('mandatory') lp_eth100_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index')) if mibBuilder.loadTexts: lpEth100StatsEntry.setStatus('mandatory') lp_eth100_alignment_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100AlignmentErrors.setStatus('mandatory') lp_eth100_fcs_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100FcsErrors.setStatus('mandatory') lp_eth100_single_collision_frames = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100SingleCollisionFrames.setStatus('mandatory') lp_eth100_multiple_collision_frames = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100MultipleCollisionFrames.setStatus('mandatory') lp_eth100_sqe_test_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100SqeTestErrors.setStatus('mandatory') lp_eth100_deferred_transmissions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100DeferredTransmissions.setStatus('mandatory') lp_eth100_late_collisions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LateCollisions.setStatus('mandatory') lp_eth100_excessive_collisions = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100ExcessiveCollisions.setStatus('mandatory') lp_eth100_mac_transmit_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100MacTransmitErrors.setStatus('mandatory') lp_eth100_carrier_sense_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 11), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100CarrierSenseErrors.setStatus('mandatory') lp_eth100_frame_too_longs = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 12), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100FrameTooLongs.setStatus('mandatory') lp_eth100_mac_receive_errors = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 19, 1, 13), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100MacReceiveErrors.setStatus('mandatory') lp_eth100_lt = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2)) lp_eth100_lt_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1)) if mibBuilder.loadTexts: lpEth100LtRowStatusTable.setStatus('mandatory') lp_eth100_lt_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex')) if mibBuilder.loadTexts: lpEth100LtRowStatusEntry.setStatus('mandatory') lp_eth100_lt_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtRowStatus.setStatus('mandatory') lp_eth100_lt_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtComponentName.setStatus('mandatory') lp_eth100_lt_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtStorageType.setStatus('mandatory') lp_eth100_lt_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtIndex.setStatus('mandatory') lp_eth100_lt_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 20)) if mibBuilder.loadTexts: lpEth100LtTopTable.setStatus('mandatory') lp_eth100_lt_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex')) if mibBuilder.loadTexts: lpEth100LtTopEntry.setStatus('mandatory') lp_eth100_lt_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtTData.setStatus('mandatory') lp_eth100_lt_frm_cmp = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2)) lp_eth100_lt_frm_cmp_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1)) if mibBuilder.loadTexts: lpEth100LtFrmCmpRowStatusTable.setStatus('mandatory') lp_eth100_lt_frm_cmp_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFrmCmpIndex')) if mibBuilder.loadTexts: lpEth100LtFrmCmpRowStatusEntry.setStatus('mandatory') lp_eth100_lt_frm_cmp_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFrmCmpRowStatus.setStatus('mandatory') lp_eth100_lt_frm_cmp_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFrmCmpComponentName.setStatus('mandatory') lp_eth100_lt_frm_cmp_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFrmCmpStorageType.setStatus('mandatory') lp_eth100_lt_frm_cmp_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFrmCmpIndex.setStatus('mandatory') lp_eth100_lt_frm_cmp_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 10)) if mibBuilder.loadTexts: lpEth100LtFrmCmpTopTable.setStatus('mandatory') lp_eth100_lt_frm_cmp_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFrmCmpIndex')) if mibBuilder.loadTexts: lpEth100LtFrmCmpTopEntry.setStatus('mandatory') lp_eth100_lt_frm_cmp_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFrmCmpTData.setStatus('mandatory') lp_eth100_lt_frm_cpy = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3)) lp_eth100_lt_frm_cpy_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1)) if mibBuilder.loadTexts: lpEth100LtFrmCpyRowStatusTable.setStatus('mandatory') lp_eth100_lt_frm_cpy_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFrmCpyIndex')) if mibBuilder.loadTexts: lpEth100LtFrmCpyRowStatusEntry.setStatus('mandatory') lp_eth100_lt_frm_cpy_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFrmCpyRowStatus.setStatus('mandatory') lp_eth100_lt_frm_cpy_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFrmCpyComponentName.setStatus('mandatory') lp_eth100_lt_frm_cpy_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFrmCpyStorageType.setStatus('mandatory') lp_eth100_lt_frm_cpy_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFrmCpyIndex.setStatus('mandatory') lp_eth100_lt_frm_cpy_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 10)) if mibBuilder.loadTexts: lpEth100LtFrmCpyTopTable.setStatus('mandatory') lp_eth100_lt_frm_cpy_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFrmCpyIndex')) if mibBuilder.loadTexts: lpEth100LtFrmCpyTopEntry.setStatus('mandatory') lp_eth100_lt_frm_cpy_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFrmCpyTData.setStatus('mandatory') lp_eth100_lt_prt_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4)) lp_eth100_lt_prt_cfg_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1)) if mibBuilder.loadTexts: lpEth100LtPrtCfgRowStatusTable.setStatus('mandatory') lp_eth100_lt_prt_cfg_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtPrtCfgIndex')) if mibBuilder.loadTexts: lpEth100LtPrtCfgRowStatusEntry.setStatus('mandatory') lp_eth100_lt_prt_cfg_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtPrtCfgRowStatus.setStatus('mandatory') lp_eth100_lt_prt_cfg_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtPrtCfgComponentName.setStatus('mandatory') lp_eth100_lt_prt_cfg_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtPrtCfgStorageType.setStatus('mandatory') lp_eth100_lt_prt_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtPrtCfgIndex.setStatus('mandatory') lp_eth100_lt_prt_cfg_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 10)) if mibBuilder.loadTexts: lpEth100LtPrtCfgTopTable.setStatus('mandatory') lp_eth100_lt_prt_cfg_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtPrtCfgIndex')) if mibBuilder.loadTexts: lpEth100LtPrtCfgTopEntry.setStatus('mandatory') lp_eth100_lt_prt_cfg_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtPrtCfgTData.setStatus('mandatory') lp_eth100_lt_fb = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5)) lp_eth100_lt_fb_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1)) if mibBuilder.loadTexts: lpEth100LtFbRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex')) if mibBuilder.loadTexts: lpEth100LtFbRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbRowStatus.setStatus('mandatory') lp_eth100_lt_fb_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbComponentName.setStatus('mandatory') lp_eth100_lt_fb_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbStorageType.setStatus('mandatory') lp_eth100_lt_fb_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbIndex.setStatus('mandatory') lp_eth100_lt_fb_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 20)) if mibBuilder.loadTexts: lpEth100LtFbTopTable.setStatus('mandatory') lp_eth100_lt_fb_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 20, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex')) if mibBuilder.loadTexts: lpEth100LtFbTopEntry.setStatus('mandatory') lp_eth100_lt_fb_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 20, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbTData.setStatus('mandatory') lp_eth100_lt_fb_tx_info = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2)) lp_eth100_lt_fb_tx_info_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1)) if mibBuilder.loadTexts: lpEth100LtFbTxInfoRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_tx_info_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbTxInfoIndex')) if mibBuilder.loadTexts: lpEth100LtFbTxInfoRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_tx_info_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbTxInfoRowStatus.setStatus('mandatory') lp_eth100_lt_fb_tx_info_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbTxInfoComponentName.setStatus('mandatory') lp_eth100_lt_fb_tx_info_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbTxInfoStorageType.setStatus('mandatory') lp_eth100_lt_fb_tx_info_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbTxInfoIndex.setStatus('mandatory') lp_eth100_lt_fb_tx_info_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 10)) if mibBuilder.loadTexts: lpEth100LtFbTxInfoTopTable.setStatus('mandatory') lp_eth100_lt_fb_tx_info_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbTxInfoIndex')) if mibBuilder.loadTexts: lpEth100LtFbTxInfoTopEntry.setStatus('mandatory') lp_eth100_lt_fb_tx_info_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbTxInfoTData.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3)) lp_eth100_lt_fb_fddi_mac_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1)) if mibBuilder.loadTexts: lpEth100LtFbFddiMacRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbFddiMacIndex')) if mibBuilder.loadTexts: lpEth100LtFbFddiMacRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbFddiMacRowStatus.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbFddiMacComponentName.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbFddiMacStorageType.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbFddiMacIndex.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 10)) if mibBuilder.loadTexts: lpEth100LtFbFddiMacTopTable.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbFddiMacIndex')) if mibBuilder.loadTexts: lpEth100LtFbFddiMacTopEntry.setStatus('mandatory') lp_eth100_lt_fb_fddi_mac_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbFddiMacTData.setStatus('mandatory') lp_eth100_lt_fb_mac_enet = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4)) lp_eth100_lt_fb_mac_enet_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1)) if mibBuilder.loadTexts: lpEth100LtFbMacEnetRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbMacEnetIndex')) if mibBuilder.loadTexts: lpEth100LtFbMacEnetRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbMacEnetRowStatus.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbMacEnetComponentName.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbMacEnetStorageType.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbMacEnetIndex.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 10)) if mibBuilder.loadTexts: lpEth100LtFbMacEnetTopTable.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbMacEnetIndex')) if mibBuilder.loadTexts: lpEth100LtFbMacEnetTopEntry.setStatus('mandatory') lp_eth100_lt_fb_mac_enet_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbMacEnetTData.setStatus('mandatory') lp_eth100_lt_fb_mac_tr = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5)) lp_eth100_lt_fb_mac_tr_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1)) if mibBuilder.loadTexts: lpEth100LtFbMacTrRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbMacTrIndex')) if mibBuilder.loadTexts: lpEth100LtFbMacTrRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbMacTrRowStatus.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbMacTrComponentName.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbMacTrStorageType.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbMacTrIndex.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 10)) if mibBuilder.loadTexts: lpEth100LtFbMacTrTopTable.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbMacTrIndex')) if mibBuilder.loadTexts: lpEth100LtFbMacTrTopEntry.setStatus('mandatory') lp_eth100_lt_fb_mac_tr_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 5, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbMacTrTData.setStatus('mandatory') lp_eth100_lt_fb_data = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6)) lp_eth100_lt_fb_data_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1)) if mibBuilder.loadTexts: lpEth100LtFbDataRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_data_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbDataIndex')) if mibBuilder.loadTexts: lpEth100LtFbDataRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_data_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbDataRowStatus.setStatus('mandatory') lp_eth100_lt_fb_data_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbDataComponentName.setStatus('mandatory') lp_eth100_lt_fb_data_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbDataStorageType.setStatus('mandatory') lp_eth100_lt_fb_data_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbDataIndex.setStatus('mandatory') lp_eth100_lt_fb_data_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 10)) if mibBuilder.loadTexts: lpEth100LtFbDataTopTable.setStatus('mandatory') lp_eth100_lt_fb_data_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbDataIndex')) if mibBuilder.loadTexts: lpEth100LtFbDataTopEntry.setStatus('mandatory') lp_eth100_lt_fb_data_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbDataTData.setStatus('mandatory') lp_eth100_lt_fb_ip_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7)) lp_eth100_lt_fb_ip_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1)) if mibBuilder.loadTexts: lpEth100LtFbIpHRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_ip_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIpHIndex')) if mibBuilder.loadTexts: lpEth100LtFbIpHRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_ip_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbIpHRowStatus.setStatus('mandatory') lp_eth100_lt_fb_ip_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbIpHComponentName.setStatus('mandatory') lp_eth100_lt_fb_ip_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbIpHStorageType.setStatus('mandatory') lp_eth100_lt_fb_ip_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbIpHIndex.setStatus('mandatory') lp_eth100_lt_fb_ip_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 10)) if mibBuilder.loadTexts: lpEth100LtFbIpHTopTable.setStatus('mandatory') lp_eth100_lt_fb_ip_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIpHIndex')) if mibBuilder.loadTexts: lpEth100LtFbIpHTopEntry.setStatus('mandatory') lp_eth100_lt_fb_ip_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 7, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbIpHTData.setStatus('mandatory') lp_eth100_lt_fb_llch = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8)) lp_eth100_lt_fb_llch_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1)) if mibBuilder.loadTexts: lpEth100LtFbLlchRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_llch_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbLlchIndex')) if mibBuilder.loadTexts: lpEth100LtFbLlchRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_llch_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbLlchRowStatus.setStatus('mandatory') lp_eth100_lt_fb_llch_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbLlchComponentName.setStatus('mandatory') lp_eth100_lt_fb_llch_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbLlchStorageType.setStatus('mandatory') lp_eth100_lt_fb_llch_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbLlchIndex.setStatus('mandatory') lp_eth100_lt_fb_llch_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 10)) if mibBuilder.loadTexts: lpEth100LtFbLlchTopTable.setStatus('mandatory') lp_eth100_lt_fb_llch_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbLlchIndex')) if mibBuilder.loadTexts: lpEth100LtFbLlchTopEntry.setStatus('mandatory') lp_eth100_lt_fb_llch_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 8, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbLlchTData.setStatus('mandatory') lp_eth100_lt_fb_apple_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9)) lp_eth100_lt_fb_apple_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1)) if mibBuilder.loadTexts: lpEth100LtFbAppleHRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_apple_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbAppleHIndex')) if mibBuilder.loadTexts: lpEth100LtFbAppleHRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_apple_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbAppleHRowStatus.setStatus('mandatory') lp_eth100_lt_fb_apple_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbAppleHComponentName.setStatus('mandatory') lp_eth100_lt_fb_apple_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbAppleHStorageType.setStatus('mandatory') lp_eth100_lt_fb_apple_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbAppleHIndex.setStatus('mandatory') lp_eth100_lt_fb_apple_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 10)) if mibBuilder.loadTexts: lpEth100LtFbAppleHTopTable.setStatus('mandatory') lp_eth100_lt_fb_apple_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbAppleHIndex')) if mibBuilder.loadTexts: lpEth100LtFbAppleHTopEntry.setStatus('mandatory') lp_eth100_lt_fb_apple_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 9, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbAppleHTData.setStatus('mandatory') lp_eth100_lt_fb_ipx_h = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10)) lp_eth100_lt_fb_ipx_h_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1)) if mibBuilder.loadTexts: lpEth100LtFbIpxHRowStatusTable.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIpxHIndex')) if mibBuilder.loadTexts: lpEth100LtFbIpxHRowStatusEntry.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbIpxHRowStatus.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbIpxHComponentName.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtFbIpxHStorageType.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtFbIpxHIndex.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 10)) if mibBuilder.loadTexts: lpEth100LtFbIpxHTopTable.setStatus('mandatory') lp_eth100_lt_fb_ipx_h_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtFbIpxHIndex')) if mibBuilder.loadTexts: lpEth100LtFbIpxHTopEntry.setStatus('mandatory') lp_eth100_lt_fb_ipx_ht_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 5, 10, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtFbIpxHTData.setStatus('mandatory') lp_eth100_lt_cntl = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6)) lp_eth100_lt_cntl_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1)) if mibBuilder.loadTexts: lpEth100LtCntlRowStatusTable.setStatus('mandatory') lp_eth100_lt_cntl_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtCntlIndex')) if mibBuilder.loadTexts: lpEth100LtCntlRowStatusEntry.setStatus('mandatory') lp_eth100_lt_cntl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtCntlRowStatus.setStatus('mandatory') lp_eth100_lt_cntl_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtCntlComponentName.setStatus('mandatory') lp_eth100_lt_cntl_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100LtCntlStorageType.setStatus('mandatory') lp_eth100_lt_cntl_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100LtCntlIndex.setStatus('mandatory') lp_eth100_lt_cntl_top_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 10)) if mibBuilder.loadTexts: lpEth100LtCntlTopTable.setStatus('mandatory') lp_eth100_lt_cntl_top_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100LtCntlIndex')) if mibBuilder.loadTexts: lpEth100LtCntlTopEntry.setStatus('mandatory') lp_eth100_lt_cntl_t_data = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 2, 6, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100LtCntlTData.setStatus('mandatory') lp_eth100_test = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3)) lp_eth100_test_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1)) if mibBuilder.loadTexts: lpEth100TestRowStatusTable.setStatus('mandatory') lp_eth100_test_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100TestIndex')) if mibBuilder.loadTexts: lpEth100TestRowStatusEntry.setStatus('mandatory') lp_eth100_test_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestRowStatus.setStatus('mandatory') lp_eth100_test_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestComponentName.setStatus('mandatory') lp_eth100_test_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestStorageType.setStatus('mandatory') lp_eth100_test_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: lpEth100TestIndex.setStatus('mandatory') lp_eth100_test_pto_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10)) if mibBuilder.loadTexts: lpEth100TestPTOTable.setStatus('mandatory') lp_eth100_test_pto_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100TestIndex')) if mibBuilder.loadTexts: lpEth100TestPTOEntry.setStatus('mandatory') lp_eth100_test_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 257, 258, 259, 260, 263, 264, 265, 266, 267, 268))).clone(namedValues=named_values(('onCard', 0), ('normal', 1), ('wrapA', 257), ('wrapB', 258), ('thruA', 259), ('thruB', 260), ('extWrapA', 263), ('extWrapB', 264), ('extThruA', 265), ('extThruB', 266), ('extWrapAB', 267), ('extWrapBA', 268)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100TestType.setStatus('mandatory') lp_eth100_test_frm_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 4096)).clone(1024)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100TestFrmSize.setStatus('mandatory') lp_eth100_test_duration = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 30240)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: lpEth100TestDuration.setStatus('mandatory') lp_eth100_test_results_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11)) if mibBuilder.loadTexts: lpEth100TestResultsTable.setStatus('mandatory') lp_eth100_test_results_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LogicalProcessorMIB', 'lpIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100Index'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'lpEth100TestIndex')) if mibBuilder.loadTexts: lpEth100TestResultsEntry.setStatus('mandatory') lp_eth100_test_elapsed_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestElapsedTime.setStatus('mandatory') lp_eth100_test_time_remaining = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestTimeRemaining.setStatus('mandatory') lp_eth100_test_cause_of_termination = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('testTimeExpired', 0), ('stoppedByOperator', 1), ('unknown', 2), ('neverStarted', 3), ('testRunning', 4))).clone('neverStarted')).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestCauseOfTermination.setStatus('mandatory') lp_eth100_test_frm_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 7), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestFrmTx.setStatus('mandatory') lp_eth100_test_bits_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 8), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestBitsTx.setStatus('mandatory') lp_eth100_test_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 9), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestFrmRx.setStatus('mandatory') lp_eth100_test_bits_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 10), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestBitsRx.setStatus('mandatory') lp_eth100_test_errored_frm_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 12, 25, 3, 11, 1, 11), passport_counter64()).setMaxAccess('readonly') if mibBuilder.loadTexts: lpEth100TestErroredFrmRx.setStatus('mandatory') la = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105)) la_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1)) if mibBuilder.loadTexts: laRowStatusTable.setStatus('mandatory') la_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex')) if mibBuilder.loadTexts: laRowStatusEntry.setStatus('mandatory') la_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: laRowStatus.setStatus('mandatory') la_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: laComponentName.setStatus('mandatory') la_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: laStorageType.setStatus('mandatory') la_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))) if mibBuilder.loadTexts: laIndex.setStatus('mandatory') la_cid_data_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 10)) if mibBuilder.loadTexts: laCidDataTable.setStatus('mandatory') la_cid_data_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex')) if mibBuilder.loadTexts: laCidDataEntry.setStatus('mandatory') la_customer_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 10, 1, 1), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(1, 8191)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: laCustomerIdentifier.setStatus('mandatory') la_media_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 11)) if mibBuilder.loadTexts: laMediaProvTable.setStatus('mandatory') la_media_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex')) if mibBuilder.loadTexts: laMediaProvEntry.setStatus('mandatory') la_link_to_protocol_port = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 11, 1, 1), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: laLinkToProtocolPort.setStatus('mandatory') la_if_entry_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 12)) if mibBuilder.loadTexts: laIfEntryTable.setStatus('mandatory') la_if_entry_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 12, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex')) if mibBuilder.loadTexts: laIfEntryEntry.setStatus('mandatory') la_if_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 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: laIfAdminStatus.setStatus('mandatory') la_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 12, 1, 2), interface_index().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: laIfIndex.setStatus('mandatory') la_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13)) if mibBuilder.loadTexts: laStateTable.setStatus('mandatory') la_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex')) if mibBuilder.loadTexts: laStateEntry.setStatus('mandatory') la_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 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: laAdminState.setStatus('mandatory') la_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 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: laOperationalState.setStatus('mandatory') la_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 13, 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: laUsageState.setStatus('mandatory') la_oper_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 14)) if mibBuilder.loadTexts: laOperStatusTable.setStatus('mandatory') la_oper_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 14, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex')) if mibBuilder.loadTexts: laOperStatusEntry.setStatus('mandatory') la_snmp_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 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: laSnmpOperStatus.setStatus('mandatory') la_framer = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2)) la_framer_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1)) if mibBuilder.loadTexts: laFramerRowStatusTable.setStatus('mandatory') la_framer_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laFramerIndex')) if mibBuilder.loadTexts: laFramerRowStatusEntry.setStatus('mandatory') la_framer_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: laFramerRowStatus.setStatus('mandatory') la_framer_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: laFramerComponentName.setStatus('mandatory') la_framer_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: laFramerStorageType.setStatus('mandatory') la_framer_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: laFramerIndex.setStatus('mandatory') la_framer_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 10)) if mibBuilder.loadTexts: laFramerProvTable.setStatus('mandatory') la_framer_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laFramerIndex')) if mibBuilder.loadTexts: laFramerProvEntry.setStatus('mandatory') la_framer_interface_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 10, 1, 1), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: laFramerInterfaceName.setStatus('obsolete') la_framer_interface_names_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431)) if mibBuilder.loadTexts: laFramerInterfaceNamesTable.setStatus('mandatory') la_framer_interface_names_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laFramerIndex'), (0, 'Nortel-Magellan-Passport-LanDriversMIB', 'laFramerInterfaceNamesValue')) if mibBuilder.loadTexts: laFramerInterfaceNamesEntry.setStatus('mandatory') la_framer_interface_names_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431, 1, 1), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: laFramerInterfaceNamesValue.setStatus('mandatory') la_framer_interface_names_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 105, 2, 431, 1, 2), row_status()).setMaxAccess('writeonly') if mibBuilder.loadTexts: laFramerInterfaceNamesRowStatus.setStatus('mandatory') lan_drivers_group = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1)) lan_drivers_group_be = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1, 5)) lan_drivers_group_be01 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1, 5, 2)) lan_drivers_group_be01_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 1, 5, 2, 2)) lan_drivers_capabilities = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3)) lan_drivers_capabilities_be = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3, 5)) lan_drivers_capabilities_be01 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3, 5, 2)) lan_drivers_capabilities_be01_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 30, 3, 5, 2, 2)) mibBuilder.exportSymbols('Nortel-Magellan-Passport-LanDriversMIB', lpTrRingRecoverys=lpTrRingRecoverys, lpFiLtFbMacEnetIndex=lpFiLtFbMacEnetIndex, lpIlsFwdrLtPrtCfgRowStatusEntry=lpIlsFwdrLtPrtCfgRowStatusEntry, lpIlsFwdrLtFbAppleHTData=lpIlsFwdrLtFbAppleHTData, lpEth100LineSpeed=lpEth100LineSpeed, lpEth100LtFrmCmpRowStatusEntry=lpEth100LtFrmCmpRowStatusEntry, lpEth100LtFbTxInfoRowStatusTable=lpEth100LtFbTxInfoRowStatusTable, lpIlsFwdrLtFbMacTrTopTable=lpIlsFwdrLtFbMacTrTopTable, lpFiLtFbLlch=lpFiLtFbLlch, laIfAdminStatus=laIfAdminStatus, lpEnetLtFbIndex=lpEnetLtFbIndex, lpEth100LtFbTxInfoTopTable=lpEth100LtFbTxInfoTopTable, lpIlsFwdrLtFbMacEnet=lpIlsFwdrLtFbMacEnet, lpEnetLtFbMacEnetRowStatusEntry=lpEnetLtFbMacEnetRowStatusEntry, lpEth100CustomerIdentifier=lpEth100CustomerIdentifier, lpEth100IfEntryEntry=lpEth100IfEntryEntry, lpTrLtFbDataRowStatusEntry=lpTrLtFbDataRowStatusEntry, lpTrLtFbLlchRowStatus=lpTrLtFbLlchRowStatus, lpIlsFwdrLtFbLlchRowStatus=lpIlsFwdrLtFbLlchRowStatus, lpIlsFwdrLtFrmCmpComponentName=lpIlsFwdrLtFrmCmpComponentName, lpEnetHeartbeatPacket=lpEnetHeartbeatPacket, lpFiOperStatusTable=lpFiOperStatusTable, lpEnetLtFbAppleHTopTable=lpEnetLtFbAppleHTopTable, lpIlsFwdrLtFrmCpyIndex=lpIlsFwdrLtFrmCpyIndex, lpIlsFwdrTestDuration=lpIlsFwdrTestDuration, lpEth100LtFbTopTable=lpEth100LtFbTopTable, lpEth100TestTimeRemaining=lpEth100TestTimeRemaining, lpFiNcMacAddress=lpFiNcMacAddress, lpTrFreqErrors=lpTrFreqErrors, lpEth100LtFbIpxH=lpEth100LtFbIpxH, lpEnetSnmpOperStatus=lpEnetSnmpOperStatus, lpEnetLtPrtCfgTopEntry=lpEnetLtPrtCfgTopEntry, lpFiLateCounts=lpFiLateCounts, lpEth100LtFbIpxHRowStatus=lpEth100LtFbIpxHRowStatus, laFramerRowStatus=laFramerRowStatus, lpIlsFwdrLtFbDataIndex=lpIlsFwdrLtFbDataIndex, lpTrUpStream=lpTrUpStream, lpFiPhyLerAlarm=lpFiPhyLerAlarm, lpIlsFwdrIfAdminStatus=lpIlsFwdrIfAdminStatus, lpEth100LtCntlRowStatusEntry=lpEth100LtCntlRowStatusEntry, lpIlsFwdrRowStatus=lpIlsFwdrRowStatus, lpEnetLtFbFddiMacTopEntry=lpEnetLtFbFddiMacTopEntry, lpIlsFwdrLtFbTData=lpIlsFwdrLtFbTData, lpFiNcOldDownstreamNeighbor=lpFiNcOldDownstreamNeighbor, lpEth100LtFbMacTrRowStatusEntry=lpEth100LtFbMacTrRowStatusEntry, lpFiLtFbFddiMacTData=lpFiLtFbFddiMacTData, lpTrRowStatusEntry=lpTrRowStatusEntry, lpEnetIfIndex=lpEnetIfIndex, lpFiNcDownstreamNeighbor=lpFiNcDownstreamNeighbor, lpTrLtPrtCfgComponentName=lpTrLtPrtCfgComponentName, lpEth100LtFbMacEnetTData=lpEth100LtFbMacEnetTData, laStateEntry=laStateEntry, lpEnetIfEntryTable=lpEnetIfEntryTable, lpEnetUsageState=lpEnetUsageState, lpEnetLtFrmCmpTopEntry=lpEnetLtFrmCmpTopEntry, lpFiLtFbDataRowStatusTable=lpFiLtFbDataRowStatusTable, lpEth100LtFbMacEnetTopEntry=lpEth100LtFbMacEnetTopEntry, lpEnetLtFbMacEnetTopEntry=lpEnetLtFbMacEnetTopEntry, lpEth100LtFrmCmpTopTable=lpEth100LtFrmCmpTopTable, lpFiTransmitCounts=lpFiTransmitCounts, lpFiNotCopiedCounts=lpFiNotCopiedCounts, lpFiNcOldUpstreamNeighbor=lpFiNcOldUpstreamNeighbor, lpEth100LtFbIpxHRowStatusEntry=lpEth100LtFbIpxHRowStatusEntry, lpFiLtFbIpxHRowStatusEntry=lpFiLtFbIpxHRowStatusEntry, lpEth100LtFbIpxHTopTable=lpEth100LtFbIpxHTopTable, lpEth100LtStorageType=lpEth100LtStorageType, lpTrLtFbDataStorageType=lpTrLtFbDataStorageType, lpEnetLtFbDataRowStatusEntry=lpEnetLtFbDataRowStatusEntry, lpFiLtFbIpxHTopEntry=lpFiLtFbIpxHTopEntry, lpIlsFwdrComponentName=lpIlsFwdrComponentName, lpTrLtFrmCpyStorageType=lpTrLtFrmCpyStorageType, lpIlsFwdrLtFrmCpy=lpIlsFwdrLtFrmCpy, laIfIndex=laIfIndex, lpFiFrameCounts=lpFiFrameCounts, lpTrTestPTOTable=lpTrTestPTOTable, lpIlsFwdrLtTopTable=lpIlsFwdrLtTopTable, lpEth100TestDuration=lpEth100TestDuration, lpFiStateEntry=lpFiStateEntry, lpTrOperEntry=lpTrOperEntry, lpEnetLtFbLlchComponentName=lpEnetLtFbLlchComponentName, lpFiCustomerIdentifier=lpFiCustomerIdentifier, lpFiTestFrmTx=lpFiTestFrmTx, lpEnetRowStatusEntry=lpEnetRowStatusEntry, lpFiLtFbAppleH=lpFiLtFbAppleH, lpEnetLtFrmCmpIndex=lpEnetLtFrmCmpIndex, lpTrLtFbRowStatusTable=lpTrLtFbRowStatusTable, lpEth100LtFbFddiMacComponentName=lpEth100LtFbFddiMacComponentName, lpTrCustomerIdentifier=lpTrCustomerIdentifier, lpEth100LtFbIpxHIndex=lpEth100LtFbIpxHIndex, lpFiLtFrmCmpRowStatusEntry=lpFiLtFrmCmpRowStatusEntry, lpFiTestResultsEntry=lpFiTestResultsEntry, lpEth100LtCntlTopTable=lpEth100LtCntlTopTable, lpEth100Eth100StatsTable=lpEth100Eth100StatsTable, lpEnetLtFbFddiMacStorageType=lpEnetLtFbFddiMacStorageType, lpEnetLtFbIpxHComponentName=lpEnetLtFbIpxHComponentName, lpTrLtCntlRowStatusEntry=lpTrLtCntlRowStatusEntry, lpEth100LtFbDataRowStatus=lpEth100LtFbDataRowStatus, lpFiTestIndex=lpFiTestIndex, lpEnetStatsTable=lpEnetStatsTable, lpFiRowStatus=lpFiRowStatus, lpTrLtFbMacTrComponentName=lpTrLtFbMacTrComponentName, lpFiUpstreamNeighbor=lpFiUpstreamNeighbor, lpFiLtFbIpHRowStatusTable=lpFiLtFbIpHRowStatusTable, lpEnetLtFbTxInfoComponentName=lpEnetLtFbTxInfoComponentName, lpFiLtCntlStorageType=lpFiLtCntlStorageType, laComponentName=laComponentName, lpFiLtFbFddiMacTopEntry=lpFiLtFbFddiMacTopEntry, lpFiLtFbFddiMacRowStatusEntry=lpFiLtFbFddiMacRowStatusEntry, lpFiLtFbTxInfoComponentName=lpFiLtFbTxInfoComponentName, lpTrLtFrmCpyRowStatus=lpTrLtFrmCpyRowStatus, lpFiStatusReportPolicy=lpFiStatusReportPolicy, lpTrLtFbLlchComponentName=lpTrLtFbLlchComponentName, lpEth100FcsErrors=lpEth100FcsErrors, lpEnetLtFbIpHTData=lpEnetLtFbIpHTData, lpTrLtPrtCfgIndex=lpTrLtPrtCfgIndex, lpEth100LtPrtCfgTopEntry=lpEth100LtPrtCfgTopEntry, lpIlsFwdrLtFbTxInfoRowStatusEntry=lpIlsFwdrLtFbTxInfoRowStatusEntry, lpEnetLtFbMacEnetStorageType=lpEnetLtFbMacEnetStorageType, lpEnetLtFbFddiMacTData=lpEnetLtFbFddiMacTData, lpEth100LtFrmCpyComponentName=lpEth100LtFrmCpyComponentName, lpIlsFwdrLtFbAppleHRowStatus=lpIlsFwdrLtFbAppleHRowStatus, lpIlsFwdrFramesReceived=lpIlsFwdrFramesReceived, lpEth100OperEntry=lpEth100OperEntry, lpTrTestRowStatusEntry=lpTrTestRowStatusEntry, lpIlsFwdrStateEntry=lpIlsFwdrStateEntry, lpFiMacAddress=lpFiMacAddress, lanDriversGroupBE01A=lanDriversGroupBE01A, lpFiVersion=lpFiVersion, lpTrLtFbLlchRowStatusTable=lpTrLtFbLlchRowStatusTable, lpFiLtFbMacTrTopEntry=lpFiLtFbMacTrTopEntry, lpEth100LtFbDataTopEntry=lpEth100LtFbDataTopEntry, lpEth100LtFbIpxHRowStatusTable=lpEth100LtFbIpxHRowStatusTable, lpIlsFwdrLtFbAppleHTopTable=lpIlsFwdrLtFbAppleHTopTable, lpEnetLtFrmCmpStorageType=lpEnetLtFrmCmpStorageType, lpFiApplicationFramerName=lpFiApplicationFramerName, lpEth100UsageState=lpEth100UsageState, lpEnetTestRowStatus=lpEnetTestRowStatus, lpFiLtFbComponentName=lpFiLtFbComponentName, lpEnetLtTopTable=lpEnetLtTopTable, lpIlsFwdrTestResultsTable=lpIlsFwdrTestResultsTable, lpEnetExcessiveCollisions=lpEnetExcessiveCollisions, lpFiPhyNeighborType=lpFiPhyNeighborType, lpTrRemoveRings=lpTrRemoveRings, lpFiLtTopEntry=lpFiLtTopEntry, lpFiOldDownstreamNeighbor=lpFiOldDownstreamNeighbor, lpIlsFwdrLtFbComponentName=lpIlsFwdrLtFbComponentName, lpEth100LtCntlIndex=lpEth100LtCntlIndex, lpTrLtCntlIndex=lpTrLtCntlIndex, lpIlsFwdrLtFb=lpIlsFwdrLtFb, lpEnetLtFbStorageType=lpEnetLtFbStorageType, lpIlsFwdrLtFbIpxHRowStatus=lpIlsFwdrLtFbIpxHRowStatus, lpEth100LtFbComponentName=lpEth100LtFbComponentName, lpEth100TestFrmRx=lpEth100TestFrmRx, lpFiRingLatency=lpFiRingLatency, lpEth100LtTopEntry=lpEth100LtTopEntry, lpEth100LtFbMacEnetRowStatusEntry=lpEth100LtFbMacEnetRowStatusEntry, lpEth100AdminState=lpEth100AdminState, lpFiLtFbTxInfoTopTable=lpFiLtFbTxInfoTopTable, lpIlsFwdrLtFbMacTrTData=lpIlsFwdrLtFbMacTrTData, lpEnetLtFbLlchRowStatusEntry=lpEnetLtFbLlchRowStatusEntry, lpIlsFwdrLtFbMacTrStorageType=lpIlsFwdrLtFbMacTrStorageType, lpEnetLtFbTxInfoRowStatus=lpEnetLtFbTxInfoRowStatus, lpEth100LtPrtCfgRowStatusEntry=lpEth100LtPrtCfgRowStatusEntry, lpFiLtFrmCpyRowStatusTable=lpFiLtFrmCpyRowStatusTable, lpEnetTestBitsRx=lpEnetTestBitsRx, lpFiCidDataEntry=lpFiCidDataEntry, lpTrTestFrmSize=lpTrTestFrmSize, lpTrTestCauseOfTermination=lpTrTestCauseOfTermination, lpEth100Vendor=lpEth100Vendor, lpEth100Test=lpEth100Test, lpTrLtFbLlchTopTable=lpTrLtFbLlchTopTable, lpFiAdminInfoEntry=lpFiAdminInfoEntry, lpFiLtFbAppleHRowStatusEntry=lpFiLtFbAppleHRowStatusEntry, lpEnetLtFbLlchRowStatusTable=lpEnetLtFbLlchRowStatusTable, lpFiAcceptAm=lpFiAcceptAm, lpFiPhyPcmState=lpFiPhyPcmState, lpTrInternalErrors=lpTrInternalErrors, lpTrLtFbMacEnetTopTable=lpTrLtFbMacEnetTopTable, lpIlsFwdrStatsEntry=lpIlsFwdrStatsEntry, lpEth100FrameTooLongs=lpEth100FrameTooLongs, lpEth100LtFbAppleH=lpEth100LtFbAppleH, lpFiTestElapsedTime=lpFiTestElapsedTime, lpIlsFwdrUsageState=lpIlsFwdrUsageState, lpEnetLtFbAppleHStorageType=lpEnetLtFbAppleHStorageType, lpTrLtFrmCmpRowStatusEntry=lpTrLtFrmCmpRowStatusEntry, lpEnetLtFbTxInfoTopEntry=lpEnetLtFbTxInfoTopEntry, lpIlsFwdrTestRowStatus=lpIlsFwdrTestRowStatus, lpEnetCommentText=lpEnetCommentText, lpIlsFwdrLtFbMacTrComponentName=lpIlsFwdrLtFbMacTrComponentName, lpFiLtFbTopEntry=lpFiLtFbTopEntry, lpFiLtCntl=lpFiLtCntl, lpTrLtFbLlchStorageType=lpTrLtFbLlchStorageType, lpEth100LtFbAppleHRowStatusTable=lpEth100LtFbAppleHRowStatusTable, lpFiLtFbFddiMacIndex=lpFiLtFbFddiMacIndex, lpEnetLtFrmCmpRowStatus=lpEnetLtFrmCmpRowStatus, lpFiTraceMaxExpirationTimer=lpFiTraceMaxExpirationTimer, lpIlsFwdrLtTData=lpIlsFwdrLtTData, lpEth100LtFbLlchComponentName=lpEth100LtFbLlchComponentName, lpIlsFwdrLtFbIpxHRowStatusTable=lpIlsFwdrLtFbIpxHRowStatusTable, lanDriversCapabilitiesBE=lanDriversCapabilitiesBE, lpTrLtFbTxInfoIndex=lpTrLtFbTxInfoIndex, lpIlsFwdrLtFbFddiMac=lpIlsFwdrLtFbFddiMac, lpFiLtFbMacEnetTopEntry=lpFiLtFbMacEnetTopEntry, lpFiSnmpOperStatus=lpFiSnmpOperStatus, lpFiLtPrtCfgIndex=lpFiLtPrtCfgIndex, lpIlsFwdrLtFbIpHIndex=lpIlsFwdrLtFbIpHIndex, lpFiLtFb=lpFiLtFb, lpFiOperationalState=lpFiOperationalState, lpTrLtPrtCfgTData=lpTrLtPrtCfgTData, lpFiMacProvEntry=lpFiMacProvEntry, lpEth100LtFbDataTData=lpEth100LtFbDataTData, lpTrProvTable=lpTrProvTable, lpTrLtFbMacEnetTopEntry=lpTrLtFbMacEnetTopEntry, lpIlsFwdrLtFrmCpyRowStatusTable=lpIlsFwdrLtFrmCpyRowStatusTable, lpTrLobeWires=lpTrLobeWires, lpFiLtFbFddiMac=lpFiLtFbFddiMac, lpIlsFwdrLtFbMacEnetTopEntry=lpIlsFwdrLtFbMacEnetTopEntry, lpIlsFwdrTestFrmTx=lpIlsFwdrTestFrmTx, lpEth100LtFbFddiMacTopTable=lpEth100LtFbFddiMacTopTable, lpEnetCustomerIdentifier=lpEnetCustomerIdentifier, lpEth100LtPrtCfgTopTable=lpEth100LtPrtCfgTopTable, lpEnetLtFbIpHTopEntry=lpEnetLtFbIpHTopEntry, lpEth100LtFbLlchTopTable=lpEth100LtFbLlchTopTable, lpEth100LtFbIpHRowStatusTable=lpEth100LtFbIpHRowStatusTable, lpFiIfAdminStatus=lpFiIfAdminStatus, lpFiLtFrmCmpStorageType=lpFiLtFrmCmpStorageType, lpFiLtPrtCfgRowStatusTable=lpFiLtPrtCfgRowStatusTable, lpEth100FramesReceivedOk=lpEth100FramesReceivedOk, lpFiLtFbAppleHTData=lpFiLtFbAppleHTData, lpEnetSingleCollisionFrames=lpEnetSingleCollisionFrames, lpTrLtFbDataComponentName=lpTrLtFbDataComponentName, lpFiLtFbLlchTopTable=lpFiLtFbLlchTopTable, lpEth100LtFrmCpy=lpEth100LtFrmCpy, lpEth100LtPrtCfgRowStatus=lpEth100LtPrtCfgRowStatus, lpTrLtFbTxInfo=lpTrLtFbTxInfo, lpFiLtFbIpxHRowStatusTable=lpFiLtFbIpxHRowStatusTable, lpIlsFwdrLtFbAppleHRowStatusTable=lpIlsFwdrLtFbAppleHRowStatusTable, lpEth100LtCntlStorageType=lpEth100LtCntlStorageType, lpEnetFrameTooLongs=lpEnetFrameTooLongs, lpTrLtFbDataTopEntry=lpTrLtFbDataTopEntry, lpEnetLtStorageType=lpEnetLtStorageType, lpEnetLtFbFddiMacTopTable=lpEnetLtFbFddiMacTopTable, lpFiPhyRowStatusEntry=lpFiPhyRowStatusEntry, lpEth100LtFbFddiMacTData=lpEth100LtFbFddiMacTData, lpEth100OperTable=lpEth100OperTable, lpEth100LtFbTxInfoComponentName=lpEth100LtFbTxInfoComponentName, lpIlsFwdrLtFbFddiMacRowStatus=lpIlsFwdrLtFbFddiMacRowStatus, lpTrVendor=lpTrVendor, lpFiAcceptBs=lpFiAcceptBs, lpFiLtCntlTData=lpFiLtCntlTData, lpFiLtPrtCfgTopEntry=lpFiLtPrtCfgTopEntry, lpFiRingOpCounts=lpFiRingOpCounts, lpTrLtFbIpxH=lpTrLtFbIpxH, lpTrLtFbFddiMacRowStatus=lpTrLtFbFddiMacRowStatus) mibBuilder.exportSymbols('Nortel-Magellan-Passport-LanDriversMIB', lpFiLtPrtCfgTopTable=lpFiLtPrtCfgTopTable, lpTrLtFbDataRowStatus=lpTrLtFbDataRowStatus, lpIlsFwdrTestResultsEntry=lpIlsFwdrTestResultsEntry, lpIlsFwdrLtStorageType=lpIlsFwdrLtStorageType, lpFiUserData=lpFiUserData, lpEth100LtFbTxInfoTData=lpEth100LtFbTxInfoTData, lpEnetLtFrmCpyTopEntry=lpEnetLtFrmCpyTopEntry, lpIlsFwdrLtCntlStorageType=lpIlsFwdrLtCntlStorageType, lpEnetLtFbMacTrTopTable=lpEnetLtFbMacTrTopTable, lpTrLtFbMacTrIndex=lpTrLtFbMacTrIndex, lpTrStatsTable=lpTrStatsTable, lpTrUsageState=lpTrUsageState, lpFiTestRowStatusEntry=lpFiTestRowStatusEntry, lpTrTestFrmTx=lpTrTestFrmTx, lpTrLtFbMacTrTopTable=lpTrLtFbMacTrTopTable, lpFiLtCntlRowStatus=lpFiLtCntlRowStatus, lpTrLtFbIpxHStorageType=lpTrLtFbIpxHStorageType, lpIlsFwdrLtFbMacTrRowStatus=lpIlsFwdrLtFbMacTrRowStatus, lpIlsFwdrLtFbIpxHTopEntry=lpIlsFwdrLtFbIpxHTopEntry, lpIlsFwdrLinkToTrafficSourceTable=lpIlsFwdrLinkToTrafficSourceTable, lpEth100LtFbAppleHTopTable=lpEth100LtFbAppleHTopTable, lpEnetLtFbMacEnetTData=lpEnetLtFbMacEnetTData, lpFiTestPTOTable=lpFiTestPTOTable, lpIlsFwdrLtFrmCmpTopTable=lpIlsFwdrLtFrmCmpTopTable, lpFiLtFbLlchTData=lpFiLtFbLlchTData, lpEth100LtFbMacEnetStorageType=lpEth100LtFbMacEnetStorageType, lpFiLtFbAppleHTopTable=lpFiLtFbAppleHTopTable, laFramerComponentName=laFramerComponentName, lpEnetLtFrmCpyComponentName=lpEnetLtFrmCpyComponentName, lpIlsFwdrLtPrtCfgTopTable=lpIlsFwdrLtPrtCfgTopTable, lpEnetLtFbAppleHComponentName=lpEnetLtFbAppleHComponentName, lpFiPhyStorageType=lpFiPhyStorageType, lpFiMacCOperTable=lpFiMacCOperTable, lpTrRowStatus=lpTrRowStatus, lpIlsFwdrLtFbStorageType=lpIlsFwdrLtFbStorageType, lpFiVendor=lpFiVendor, lpFiLtCntlComponentName=lpFiLtCntlComponentName, lpFiLtFbRowStatusTable=lpFiLtFbRowStatusTable, lpTrAcErrors=lpTrAcErrors, lpEnetMacReceiveErrors=lpEnetMacReceiveErrors, lpTrCidDataEntry=lpTrCidDataEntry, lpTrLostFrameErrors=lpTrLostFrameErrors, lpFiTokenNegotiatedTimer=lpFiTokenNegotiatedTimer, lpTrLtFbMacTr=lpTrLtFbMacTr, lpEnetLtFbIpHIndex=lpEnetLtFbIpHIndex, lpEth100MacReceiveErrors=lpEth100MacReceiveErrors, lpIlsFwdrLtFbTxInfoTopEntry=lpIlsFwdrLtFbTxInfoTopEntry, lpTrLtFbMacEnetTData=lpTrLtFbMacEnetTData, lpTrLtFbTxInfoTopTable=lpTrLtFbTxInfoTopTable, lpEth100LtFbMacTrComponentName=lpEth100LtFbMacTrComponentName, lpEnetLtRowStatus=lpEnetLtRowStatus, lpIlsFwdrLtFbLlch=lpIlsFwdrLtFbLlch, lpTrFunctionalAddress=lpTrFunctionalAddress, laMediaProvEntry=laMediaProvEntry, lpEnetLtFbIpxH=lpEnetLtFbIpxH, lpFiLtFbDataComponentName=lpFiLtFbDataComponentName, lpTrLtFbIpxHRowStatusEntry=lpTrLtFbIpxHRowStatusEntry, lpEnetLtFbDataTopEntry=lpEnetLtFbDataTopEntry, lpIlsFwdrLtFbAppleH=lpIlsFwdrLtFbAppleH, lpFiLtIndex=lpFiLtIndex, lpIlsFwdrLtCntlRowStatus=lpIlsFwdrLtCntlRowStatus, lpEth100LtIndex=lpEth100LtIndex, lpEnetFcsErrors=lpEnetFcsErrors, lpIlsFwdrLtPrtCfgComponentName=lpIlsFwdrLtPrtCfgComponentName, lpFiLtFbIpxH=lpFiLtFbIpxH, lpIlsFwdrLtFbTopTable=lpIlsFwdrLtFbTopTable, lpEnetTestPTOTable=lpEnetTestPTOTable, lpEnetProvTable=lpEnetProvTable, lpFiIfEntryEntry=lpFiIfEntryEntry, lpTrLineErrors=lpTrLineErrors, lpEth100LtFbLlchTData=lpEth100LtFbLlchTData, lpEnetLtFbIpxHRowStatusTable=lpEnetLtFbIpxHRowStatusTable, lpFiLtFbTxInfoStorageType=lpFiLtFbTxInfoStorageType, lpTrLtFbIpxHTopTable=lpTrLtFbIpxHTopTable, lpEth100LtRowStatusTable=lpEth100LtRowStatusTable, lpTrLtFbAppleHTData=lpTrLtFbAppleHTData, lpEnetLtFbLlchStorageType=lpEnetLtFbLlchStorageType, lpEth100OctetsTransmittedOk=lpEth100OctetsTransmittedOk, lpEnetCidDataEntry=lpEnetCidDataEntry, lpEth100ReceivedOctetsIntoRouterBr=lpEth100ReceivedOctetsIntoRouterBr, lpIlsFwdrStatsTable=lpIlsFwdrStatsTable, lpEnetLtFbIpH=lpEnetLtFbIpH, lpIlsFwdrErrorCount=lpIlsFwdrErrorCount, laRowStatusTable=laRowStatusTable, lpEnetLtFbIpHComponentName=lpEnetLtFbIpHComponentName, lpFiLtFbDataTopEntry=lpFiLtFbDataTopEntry, lpIlsFwdrLtFbDataRowStatus=lpIlsFwdrLtFbDataRowStatus, laFramerInterfaceNamesValue=laFramerInterfaceNamesValue, lpTrTest=lpTrTest, lanDriversCapabilitiesBE01=lanDriversCapabilitiesBE01, lpTrSignalLoss=lpTrSignalLoss, lpEth100OperStatusEntry=lpEth100OperStatusEntry, lpTrTestErroredFrmRx=lpTrTestErroredFrmRx, laFramerProvTable=laFramerProvTable, lpIlsFwdrLtFrmCmpStorageType=lpIlsFwdrLtFrmCmpStorageType, lpFiLtFbMacTrIndex=lpFiLtFbMacTrIndex, lpEnetTestResultsTable=lpEnetTestResultsTable, lpTrReceiveCongestions=lpTrReceiveCongestions, lpTrLtFbAppleHRowStatusTable=lpTrLtFbAppleHRowStatusTable, laFramerInterfaceNamesTable=laFramerInterfaceNamesTable, lpFiLtFbMacEnetRowStatus=lpFiLtFbMacEnetRowStatus, lpTrLtCntlTData=lpTrLtCntlTData, lpEth100LtFrmCmpTopEntry=lpEth100LtFrmCmpTopEntry, lpIlsFwdrLtFrmCmpRowStatusTable=lpIlsFwdrLtFrmCmpRowStatusTable, lpTrLtFbIpxHRowStatus=lpTrLtFbIpxHRowStatus, lpEth100OctetsReceivedOk=lpEth100OctetsReceivedOk, lpTrIfIndex=lpTrIfIndex, lpEnetLtFbAppleH=lpEnetLtFbAppleH, lpIlsFwdrLtFbTxInfo=lpIlsFwdrLtFbTxInfo, lpFiPhyProvTable=lpFiPhyProvTable, laCidDataTable=laCidDataTable, lpFiCidDataTable=lpFiCidDataTable, lpIlsFwdrLtFrmCmpRowStatusEntry=lpIlsFwdrLtFrmCmpRowStatusEntry, lpTrLtFbComponentName=lpTrLtFbComponentName, lpFiLtFbMacEnetTData=lpFiLtFbMacEnetTData, lpTrLtFbMacEnetRowStatusTable=lpTrLtFbMacEnetRowStatusTable, lpTrLtFrmCpyRowStatusTable=lpTrLtFrmCpyRowStatusTable, lpEth100ProvEntry=lpEth100ProvEntry, lpTrGroupAddress=lpTrGroupAddress, lpIlsFwdrLtFrmCmp=lpIlsFwdrLtFrmCmp, lpEnetTestIndex=lpEnetTestIndex, lanDriversGroupBE=lanDriversGroupBE, lpEth100LtFbData=lpEth100LtFbData, lanDriversCapabilities=lanDriversCapabilities, lpIlsFwdrTestType=lpIlsFwdrTestType, lpFiLtFbDataRowStatusEntry=lpFiLtFbDataRowStatusEntry, lpTrIfEntryTable=lpTrIfEntryTable, lpIlsFwdrLtFbIpxHComponentName=lpIlsFwdrLtFbIpxHComponentName, lpEnetLtFbTxInfoTData=lpEnetLtFbTxInfoTData, lpEnetLtFbMacTrTData=lpEnetLtFbMacTrTData, lpFiPhy=lpFiPhy, lpEth100LtFbTxInfoTopEntry=lpEth100LtFbTxInfoTopEntry, lpEnetStateTable=lpEnetStateTable, lpEnetLtFbTxInfoStorageType=lpEnetLtFbTxInfoStorageType, lpFiPhyOperEntry=lpFiPhyOperEntry, lpEnetTestResultsEntry=lpEnetTestResultsEntry, lpIlsFwdrLtFbRowStatus=lpIlsFwdrLtFbRowStatus, lpEnetLtFbMacEnetComponentName=lpEnetLtFbMacEnetComponentName, lpEth100LtFbFddiMacIndex=lpEth100LtFbFddiMacIndex, lpEth100LtFbFddiMacRowStatusTable=lpEth100LtFbFddiMacRowStatusTable, lpIlsFwdrLt=lpIlsFwdrLt, lpFiPhyFddiPhyTypeIndex=lpFiPhyFddiPhyTypeIndex, lpEnetLtFbAppleHIndex=lpEnetLtFbAppleHIndex, lpEnetDeferredTransmissions=lpEnetDeferredTransmissions, lpFiLtFbMacEnetTopTable=lpFiLtFbMacEnetTopTable, lpIlsFwdrLtFbFddiMacRowStatusEntry=lpIlsFwdrLtFbFddiMacRowStatusEntry, lpFiTokenMaxTimer=lpFiTokenMaxTimer, lpIlsFwdrAdminState=lpIlsFwdrAdminState, lpFiLtFbMacEnetRowStatusEntry=lpFiLtFbMacEnetRowStatusEntry, lpTrLtFbMacTrTopEntry=lpTrLtFbMacTrTopEntry, lpEnetLtFbAppleHRowStatusEntry=lpEnetLtFbAppleHRowStatusEntry, lpIlsFwdrLtFbMacEnetRowStatusTable=lpIlsFwdrLtFbMacEnetRowStatusTable, lpFiLtFbDataIndex=lpFiLtFbDataIndex, lpIlsFwdrLtFbIndex=lpIlsFwdrLtFbIndex, lpEth100TestRowStatus=lpEth100TestRowStatus, lpEth100LtFbIpHStorageType=lpEth100LtFbIpHStorageType, lpTrLtFrmCmpTopEntry=lpTrLtFrmCmpTopEntry, lpTrLtFbTxInfoRowStatus=lpTrLtFbTxInfoRowStatus, lpIlsFwdrLtPrtCfgRowStatus=lpIlsFwdrLtPrtCfgRowStatus, lpEnetLtFbLlch=lpEnetLtFbLlch, lpIlsFwdrOperationalState=lpIlsFwdrOperationalState, lpFiLtFbRowStatus=lpFiLtFbRowStatus, lpIlsFwdrLtFbIpHRowStatusTable=lpIlsFwdrLtFbIpHRowStatusTable, lpIlsFwdrOperStatusEntry=lpIlsFwdrOperStatusEntry, lpEth100LtFbDataRowStatusTable=lpEth100LtFbDataRowStatusTable, laLinkToProtocolPort=laLinkToProtocolPort, lpFiLtFrmCpy=lpFiLtFrmCpy, lpFiSmtOperTable=lpFiSmtOperTable, lpFiTestTimeRemaining=lpFiTestTimeRemaining, lpEth100TestIndex=lpEth100TestIndex, lpIlsFwdrLtPrtCfgTopEntry=lpIlsFwdrLtPrtCfgTopEntry, lpFiLtRowStatusTable=lpFiLtRowStatusTable, lpFiPhyLctFailCounts=lpFiPhyLctFailCounts, lpEth100LtFbFddiMacTopEntry=lpEth100LtFbFddiMacTopEntry, lpTrLtFbData=lpTrLtFbData, lpTrLtFbIpHTData=lpTrLtFbIpHTData, lpFiLtFbMacTrComponentName=lpFiLtFbMacTrComponentName, lpEth100LtFbLlchRowStatusTable=lpEth100LtFbLlchRowStatusTable, lpIlsFwdrLtFbFddiMacRowStatusTable=lpIlsFwdrLtFbFddiMacRowStatusTable, lpEnetLtFbDataRowStatusTable=lpEnetLtFbDataRowStatusTable, lpEnetLtFbRowStatusTable=lpEnetLtFbRowStatusTable, lpFiOperStatusEntry=lpFiOperStatusEntry, lpEnetLtFrmCpyTData=lpEnetLtFrmCpyTData, lpFiLtFbMacTrTData=lpFiLtFbMacTrTData, lpTrLtFrmCpyTopEntry=lpTrLtFrmCpyTopEntry, lpTrLtFbIpxHRowStatusTable=lpTrLtFbIpxHRowStatusTable, lpIlsFwdrLtFbLlchIndex=lpIlsFwdrLtFbLlchIndex, lpIlsFwdrLtCntlTopEntry=lpIlsFwdrLtCntlTopEntry, lpTrMonitorParticipate=lpTrMonitorParticipate, lpEth100LtFbMacEnetComponentName=lpEth100LtFbMacEnetComponentName, lpEth100LtFbLlch=lpEth100LtFbLlch, lpEnetLtFrmCmpComponentName=lpEnetLtFrmCmpComponentName, lpIlsFwdrLtFrmCmpIndex=lpIlsFwdrLtFrmCmpIndex, lpTrTestPTOEntry=lpTrTestPTOEntry, lpIlsFwdrLtFbTxInfoRowStatusTable=lpIlsFwdrLtFbTxInfoRowStatusTable, lpIlsFwdrTestBitsRx=lpIlsFwdrTestBitsRx, lpEnetLtCntl=lpEnetLtCntl, lpFiLtFbIpxHIndex=lpFiLtFbIpxHIndex, lpTrLtCntlTopTable=lpTrLtCntlTopTable, lpFiLtTopTable=lpFiLtTopTable, lpFiIndex=lpFiIndex, lpTrLtPrtCfgRowStatusTable=lpTrLtPrtCfgRowStatusTable, laRowStatus=laRowStatus, lpFiLtFbDataTData=lpFiLtFbDataTData, lpFiLtFbLlchIndex=lpFiLtFbLlchIndex, lpIlsFwdrLtFbDataRowStatusEntry=lpIlsFwdrLtFbDataRowStatusEntry, lpIlsFwdrLtFbAppleHComponentName=lpIlsFwdrLtFbAppleHComponentName, lpEth100LtFrmCmpComponentName=lpEth100LtFrmCmpComponentName, lpEth100LtFbRowStatusTable=lpEth100LtFbRowStatusTable, lpIlsFwdrLtFbDataTData=lpIlsFwdrLtFbDataTData, lpEth100LtPrtCfgTData=lpEth100LtPrtCfgTData, lpEth100LtFbIpHTopEntry=lpEth100LtFbIpHTopEntry, laOperStatusEntry=laOperStatusEntry, laCustomerIdentifier=laCustomerIdentifier, lpTrLtFbLlch=lpTrLtFbLlch, lpTrStatsEntry=lpTrStatsEntry, laRowStatusEntry=laRowStatusEntry, lpEth100LtFrmCpyRowStatusTable=lpEth100LtFrmCpyRowStatusTable, lpTrLtPrtCfgTopTable=lpTrLtPrtCfgTopTable, lpIlsFwdrLtFbFddiMacIndex=lpIlsFwdrLtFbFddiMacIndex, lpFiLtCntlTopTable=lpFiLtCntlTopTable, lpEnetLtFbLlchTopTable=lpEnetLtFbLlchTopTable, lpFiSmtProvEntry=lpFiSmtProvEntry, lpFiLtFrmCpyTopTable=lpFiLtFrmCpyTopTable, lpTrLtFbAppleHComponentName=lpTrLtFbAppleHComponentName, lpEnetOperStatusEntry=lpEnetOperStatusEntry, lpEth100ProvTable=lpEth100ProvTable, lpIlsFwdrLtRowStatusEntry=lpIlsFwdrLtRowStatusEntry, lpIlsFwdrLtFrmCpyRowStatusEntry=lpIlsFwdrLtFrmCpyRowStatusEntry, lpIlsFwdrRowStatusEntry=lpIlsFwdrRowStatusEntry, lpIlsFwdrLtFrmCpyComponentName=lpIlsFwdrLtFrmCpyComponentName, lpTrMacAddress=lpTrMacAddress, lpEnetLtFbMacTrStorageType=lpEnetLtFbMacTrStorageType, lpIlsFwdrLtFbIpHTData=lpIlsFwdrLtFbIpHTData, lpFiLtFbMacTrRowStatusTable=lpFiLtFbMacTrRowStatusTable, lpFiLtFbIpxHTData=lpFiLtFbIpxHTData, lpEnetAdminInfoEntry=lpEnetAdminInfoEntry, lpEth100LtPrtCfgComponentName=lpEth100LtPrtCfgComponentName, lpEth100LtFbAppleHStorageType=lpEth100LtFbAppleHStorageType, lpEth100LtFrmCmp=lpEth100LtFrmCmp, lpEth100LtFbAppleHTopEntry=lpEth100LtFbAppleHTopEntry, lpFiTokenRequestTimer=lpFiTokenRequestTimer, lpTrLt=lpTrLt, lpTrChipSet=lpTrChipSet, lpEnetLtFbTopTable=lpEnetLtFbTopTable, lpEnetLtFbMacEnetRowStatus=lpEnetLtFbMacEnetRowStatus, lpEnetTestFrmRx=lpEnetTestFrmRx, lpFiLtStorageType=lpFiLtStorageType, lpEnetIndex=lpEnetIndex, lpFiLtFbDataStorageType=lpFiLtFbDataStorageType, lpIlsFwdrLtFbData=lpIlsFwdrLtFbData, lpEth100CarrierSenseErrors=lpEth100CarrierSenseErrors, lpEnetLtRowStatusEntry=lpEnetLtRowStatusEntry, lpEnetLtFbDataIndex=lpEnetLtFbDataIndex) mibBuilder.exportSymbols('Nortel-Magellan-Passport-LanDriversMIB', lpFiLtFbLlchRowStatusEntry=lpFiLtFbLlchRowStatusEntry, lpTrRingState=lpTrRingState, lpTrLtFbMacTrTData=lpTrLtFbMacTrTData, lpEth100TestBitsRx=lpEth100TestBitsRx, lpEth100LtFbLlchIndex=lpEth100LtFbLlchIndex, lpTrLtFrmCpyComponentName=lpTrLtFrmCpyComponentName, lpTrLtCntl=lpTrLtCntl, lpEth100LtComponentName=lpEth100LtComponentName, lpFiMacOperEntry=lpFiMacOperEntry, lpFiLtFbTxInfoTopEntry=lpFiLtFbTxInfoTopEntry, lpIlsFwdrLtCntlComponentName=lpIlsFwdrLtCntlComponentName, lpFiLtFbIpHTData=lpFiLtFbIpHTData, lpFiTestBitsRx=lpFiTestBitsRx, lpTrLtFbFddiMacRowStatusEntry=lpTrLtFbFddiMacRowStatusEntry, lpFiLtFrmCpyRowStatus=lpFiLtFrmCpyRowStatus, lpFiLtFbAppleHRowStatus=lpFiLtFbAppleHRowStatus, lpTrLtFbMacTrRowStatusTable=lpTrLtFbMacTrRowStatusTable, la=la, lpFiTestDuration=lpFiTestDuration, laOperationalState=laOperationalState, lpFiTestFrmRx=lpFiTestFrmRx, lpIlsFwdrLtCntlRowStatusTable=lpIlsFwdrLtCntlRowStatusTable, lpFiLtTData=lpFiLtTData, lpTrLtFrmCmpRowStatusTable=lpTrLtFrmCmpRowStatusTable, lpFiLtFrmCmpRowStatusTable=lpFiLtFrmCmpRowStatusTable, lpIlsFwdrLtFbLlchRowStatusTable=lpIlsFwdrLtFbLlchRowStatusTable, lpEth100LtCntlTData=lpEth100LtCntlTData, lpEnetLtFbTxInfoRowStatusTable=lpEnetLtFbTxInfoRowStatusTable, lpTrLtFbTxInfoComponentName=lpTrLtFbTxInfoComponentName, lpFiDownstreamNeighbor=lpFiDownstreamNeighbor, lpEnetOperEntry=lpEnetOperEntry, lpFiFrameErrorFlag=lpFiFrameErrorFlag, lpTrRowStatusTable=lpTrRowStatusTable, lpTrTestComponentName=lpTrTestComponentName, lpTrIndex=lpTrIndex, lpEth100SnmpOperStatus=lpEth100SnmpOperStatus, lpTrLtFbFddiMacStorageType=lpTrLtFbFddiMacStorageType, lpTrLtFbDataTData=lpTrLtFbDataTData, lpTrLtFbLlchTData=lpTrLtFbLlchTData, lpTrLtFrmCmpComponentName=lpTrLtFrmCmpComponentName, lpEnetTestDuration=lpEnetTestDuration, lpIlsFwdrLtIndex=lpIlsFwdrLtIndex, lpEth100UndersizeFrames=lpEth100UndersizeFrames, lpFiLt=lpFiLt, lpFiLtFbTxInfoRowStatusTable=lpFiLtFbTxInfoRowStatusTable, lpIlsFwdrLtFbIpxHRowStatusEntry=lpIlsFwdrLtFbIpxHRowStatusEntry, laIfEntryTable=laIfEntryTable, lpEth100LtFbRowStatusEntry=lpEth100LtFbRowStatusEntry, lpEnetLateCollisions=lpEnetLateCollisions, lpIlsFwdrLtCntlTData=lpIlsFwdrLtCntlTData, lpEnetLtFbLlchTData=lpEnetLtFbLlchTData, lpIlsFwdrTestCauseOfTermination=lpIlsFwdrTestCauseOfTermination, lpIlsFwdrLtFbMacEnetTopTable=lpIlsFwdrLtFbMacEnetTopTable, lpTrLtFrmCmpTData=lpTrLtFrmCmpTData, lpEnetLtFbIpHTopTable=lpEnetLtFbIpHTopTable, lpEth100LtFrmCmpStorageType=lpEth100LtFrmCmpStorageType, lpEth100LtPrtCfgRowStatusTable=lpEth100LtPrtCfgRowStatusTable, lpEnetTestComponentName=lpEnetTestComponentName, lpFiTestCauseOfTermination=lpFiTestCauseOfTermination, lpEnetSqeTestErrors=lpEnetSqeTestErrors, lpTrAdminInfoEntry=lpTrAdminInfoEntry, lpIlsFwdrLtFbDataStorageType=lpIlsFwdrLtFbDataStorageType, lpTrLtFbMacEnetRowStatus=lpTrLtFbMacEnetRowStatus, laFramerInterfaceNamesEntry=laFramerInterfaceNamesEntry, lpTrLtFbIpxHIndex=lpTrLtFbIpxHIndex, lpEnetLtFbRowStatusEntry=lpEnetLtFbRowStatusEntry, lpIlsFwdrLtCntlRowStatusEntry=lpIlsFwdrLtCntlRowStatusEntry, lpFiTestFrmSize=lpFiTestFrmSize, lpTrLtFbIpHTopEntry=lpTrLtFbIpHTopEntry, lpEth100LtFbDataTopTable=lpEth100LtFbDataTopTable, lpEth100LtFbAppleHRowStatus=lpEth100LtFbAppleHRowStatus, lpFiUsageState=lpFiUsageState, lpEnetLtFbDataComponentName=lpEnetLtFbDataComponentName, lpFiLtFbLlchTopEntry=lpFiLtFbLlchTopEntry, lpEth100SingleCollisionFrames=lpEth100SingleCollisionFrames, lpEth100LtFbTxInfoRowStatusEntry=lpEth100LtFbTxInfoRowStatusEntry, lpEnetTestType=lpEnetTestType, lpTrLtTopEntry=lpTrLtTopEntry, lpIlsFwdrLtFbMacTrRowStatusEntry=lpIlsFwdrLtFbMacTrRowStatusEntry, lpEnetLtFbMacTrRowStatusTable=lpEnetLtFbMacTrRowStatusTable, lpTrIfEntryEntry=lpTrIfEntryEntry, lpEth100AutoNegStatus=lpEth100AutoNegStatus, lpIlsFwdrLtFbAppleHIndex=lpIlsFwdrLtFbAppleHIndex, lpFiAcceptAs=lpFiAcceptAs, lpFiPhySignalBitsRcvd=lpFiPhySignalBitsRcvd, lpEnetLtFbDataTopTable=lpEnetLtFbDataTopTable, lpFiNeighborNotifyInterval=lpFiNeighborNotifyInterval, lpEnetLtFbIpHStorageType=lpEnetLtFbIpHStorageType, lpFiLtFbData=lpFiLtFbData, lpIlsFwdrLtFrmCpyRowStatus=lpIlsFwdrLtFrmCpyRowStatus, laFramerRowStatusEntry=laFramerRowStatusEntry, lpEth100LtFbFddiMacRowStatusEntry=lpEth100LtFbFddiMacRowStatusEntry, lpEnetLtFrmCpyRowStatusEntry=lpEnetLtFrmCpyRowStatusEntry, lpTrTestType=lpTrTestType, lpIlsFwdrLinkToTrafficSourceEntry=lpIlsFwdrLinkToTrafficSourceEntry, lpTrLtFbIndex=lpTrLtFbIndex, lpEnetLtFbMacTrIndex=lpEnetLtFbMacTrIndex, lpFiLtFbIpxHStorageType=lpFiLtFbIpxHStorageType, lpTrStateEntry=lpTrStateEntry, lpFiTestRowStatusTable=lpFiTestRowStatusTable, lpFiTestType=lpFiTestType, lpEth100TestComponentName=lpEth100TestComponentName, lpTrTestBitsTx=lpTrTestBitsTx, lpEth100LtFbIpxHTopEntry=lpEth100LtFbIpxHTopEntry, lpIlsFwdrLtRowStatus=lpIlsFwdrLtRowStatus, lpFiTokenCounts=lpFiTokenCounts, lpEnetTestFrmTx=lpEnetTestFrmTx, lpTrLtCntlComponentName=lpTrLtCntlComponentName, lpEnetLtFbComponentName=lpEnetLtFbComponentName, lpTrLtPrtCfgStorageType=lpTrLtPrtCfgStorageType, lpFiLtFbFddiMacTopTable=lpFiLtFbFddiMacTopTable, lpIlsFwdrLtFrmCmpTopEntry=lpIlsFwdrLtFrmCmpTopEntry, lpIlsFwdrLtFbRowStatusEntry=lpIlsFwdrLtFbRowStatusEntry, lpFiLtCntlRowStatusTable=lpFiLtCntlRowStatusTable, lpTrLtIndex=lpTrLtIndex, lpTrLtFbMacEnetStorageType=lpTrLtFbMacEnetStorageType, lpFiTestComponentName=lpFiTestComponentName, lpTrLtPrtCfg=lpTrLtPrtCfg, lpTrLtFbRowStatus=lpTrLtFbRowStatus, lpEnetLtFbIpxHTopEntry=lpEnetLtFbIpxHTopEntry, lpFiLtFbAppleHStorageType=lpFiLtFbAppleHStorageType, lpEnetLtTopEntry=lpEnetLtTopEntry, lpTrAdminState=lpTrAdminState, lpEnetLtFrmCpyStorageType=lpEnetLtFrmCpyStorageType, lpTrSnmpOperStatus=lpTrSnmpOperStatus, lpEth100LtFbIpHRowStatusEntry=lpEth100LtFbIpHRowStatusEntry, lpIlsFwdrLtFrmCpyTopTable=lpIlsFwdrLtFrmCpyTopTable, lpEnetVendor=lpEnetVendor, lpTrComponentName=lpTrComponentName, lpEnetTestPTOEntry=lpEnetTestPTOEntry, lpFiLtCntlIndex=lpFiLtCntlIndex, lpFiLtFrmCpyTData=lpFiLtFrmCpyTData, lpFiTestErroredFrmRx=lpFiTestErroredFrmRx, lpEth100LtFbMacEnetRowStatusTable=lpEth100LtFbMacEnetRowStatusTable, lpFiLtFbTxInfoTData=lpFiLtFbTxInfoTData, lpFiLtFbIpH=lpFiLtFbIpH, lpFiLtFbDataRowStatus=lpFiLtFbDataRowStatus, lpIlsFwdrLtFbIpxHTopTable=lpIlsFwdrLtFbIpxHTopTable, lpEth100LtFbMacTrStorageType=lpEth100LtFbMacTrStorageType, lpEnetLtPrtCfgRowStatus=lpEnetLtPrtCfgRowStatus, lpFiPhySignalState=lpFiPhySignalState, lpTrLtFbTxInfoRowStatusEntry=lpTrLtFbTxInfoRowStatusEntry, lpEnetLtFbTxInfoRowStatusEntry=lpEnetLtFbTxInfoRowStatusEntry, lpEnetLtFbDataStorageType=lpEnetLtFbDataStorageType, lpEnetAdminInfoTable=lpEnetAdminInfoTable, lpEnetLtFb=lpEnetLtFb, lpFiLtPrtCfgRowStatusEntry=lpFiLtPrtCfgRowStatusEntry, lpFiLtFbTxInfo=lpFiLtFbTxInfo, lpFiLtFbMacTrTopTable=lpFiLtFbMacTrTopTable, lpIlsFwdrStorageType=lpIlsFwdrStorageType, lpIlsFwdrLtPrtCfgStorageType=lpIlsFwdrLtPrtCfgStorageType, lpIlsFwdrLtFbDataComponentName=lpIlsFwdrLtFbDataComponentName, lpIlsFwdrLtFbIpHRowStatusEntry=lpIlsFwdrLtFbIpHRowStatusEntry, lpEth100LtFbIpHIndex=lpEth100LtFbIpHIndex, lpIlsFwdrLtFbTxInfoComponentName=lpIlsFwdrLtFbTxInfoComponentName, lpEnetLtFbAppleHTopEntry=lpEnetLtFbAppleHTopEntry, lpFiLtFbIpHIndex=lpFiLtFbIpHIndex, lpFiLtFbRowStatusEntry=lpFiLtFbRowStatusEntry, lpFiTestPTOEntry=lpFiTestPTOEntry, lpEnetProvEntry=lpEnetProvEntry, lpEth100LtFbTxInfoRowStatus=lpEth100LtFbTxInfoRowStatus, lpEth100LtFbMacEnet=lpEth100LtFbMacEnet, lpEth100LtFbIpxHTData=lpEth100LtFbIpxHTData, lpTrRingOpenStatus=lpTrRingOpenStatus, lpTrLtFbDataIndex=lpTrLtFbDataIndex, lpTrLtRowStatusEntry=lpTrLtRowStatusEntry, lpIlsFwdrLtFbAppleHStorageType=lpIlsFwdrLtFbAppleHStorageType, lpIlsFwdrRowStatusTable=lpIlsFwdrRowStatusTable, lpTrLtTData=lpTrLtTData, lpEth100FramesTransmittedOk=lpEth100FramesTransmittedOk, lpTrLtFrmCmpRowStatus=lpTrLtFrmCmpRowStatus, lpTrLtPrtCfgRowStatus=lpTrLtPrtCfgRowStatus, lpEnetLtTData=lpEnetLtTData, lpEth100LtFbDataIndex=lpEth100LtFbDataIndex, lpEth100Lt=lpEth100Lt, lpEnetOperStatusTable=lpEnetOperStatusTable, lpFiLtFbIpxHComponentName=lpFiLtFbIpxHComponentName, lpFiLtFbLlchComponentName=lpFiLtFbLlchComponentName, lpFiNcMacOperTable=lpFiNcMacOperTable, lpIlsFwdrTestBitsTx=lpIlsFwdrTestBitsTx, lpEth100LtFbAppleHRowStatusEntry=lpEth100LtFbAppleHRowStatusEntry, lpIlsFwdrLtCntl=lpIlsFwdrLtCntl, lpEth100LtFbDataComponentName=lpEth100LtFbDataComponentName, lpEnetLtFbTxInfo=lpEnetLtFbTxInfo, lpEnetLtFbTxInfoTopTable=lpEnetLtFbTxInfoTopTable, lpFiLtFbLlchRowStatusTable=lpFiLtFbLlchRowStatusTable, lpEth100LtTData=lpEth100LtTData, lpIlsFwdrLtFbFddiMacTopTable=lpIlsFwdrLtFbFddiMacTopTable, lpFi=lpFi, lpTrLtFb=lpTrLtFb, lpIlsFwdrFramesDiscarded=lpIlsFwdrFramesDiscarded, lpTrLtFrmCmpStorageType=lpTrLtFrmCmpStorageType, lpIlsFwdrLtFbLlchComponentName=lpIlsFwdrLtFbLlchComponentName, lpIlsFwdrTest=lpIlsFwdrTest, lpEth100CidDataTable=lpEth100CidDataTable, lpEth100LateCollisions=lpEth100LateCollisions, lpEth100LtFbIpxHStorageType=lpEth100LtFbIpxHStorageType, lpFiLtFbIpHStorageType=lpFiLtFbIpHStorageType, lpEnetLtFbIpHRowStatusTable=lpEnetLtFbIpHRowStatusTable, lpIlsFwdr=lpIlsFwdr, lpFiLtFrmCmpIndex=lpFiLtFrmCmpIndex, lpFiNcMacOperEntry=lpFiNcMacOperEntry, lpIlsFwdrOperStatusTable=lpIlsFwdrOperStatusTable, lpIlsFwdrLtFrmCpyTData=lpIlsFwdrLtFrmCpyTData, lpEth100MultipleCollisionFrames=lpEth100MultipleCollisionFrames, lpEth100LtFrmCpyTData=lpEth100LtFrmCpyTData, lpTrTestIndex=lpTrTestIndex, lpEnetLtFbTopEntry=lpEnetLtFbTopEntry, lpEnetMultipleCollisionFrames=lpEnetMultipleCollisionFrames, lpEnetComponentName=lpEnetComponentName, lpEth100OperationalState=lpEth100OperationalState, lpIlsFwdrLtFrmCmpRowStatus=lpIlsFwdrLtFrmCmpRowStatus, lpFiTestStorageType=lpFiTestStorageType, lpEnetLtFbFddiMac=lpEnetLtFbFddiMac, lpIlsFwdrLtComponentName=lpIlsFwdrLtComponentName, lpEth100AutoNegotiation=lpEth100AutoNegotiation, lpEth100SqeTestErrors=lpEth100SqeTestErrors, lpEth100TestRowStatusEntry=lpEth100TestRowStatusEntry, lpTrLtFbAppleHRowStatusEntry=lpTrLtFbAppleHRowStatusEntry, lpEth100Index=lpEth100Index, lpEth100AdminInfoTable=lpEth100AdminInfoTable, lpIlsFwdrLtRowStatusTable=lpIlsFwdrLtRowStatusTable, lpEnetOperTable=lpEnetOperTable, lpFiLtCntlRowStatusEntry=lpFiLtCntlRowStatusEntry, lpFiLtFrmCmpTopTable=lpFiLtFrmCmpTopTable, lpEnetLtFbIpxHTData=lpEnetLtFbIpxHTData, lpTrLtFbDataTopTable=lpTrLtFbDataTopTable, lpTrProductId=lpTrProductId, lpIlsFwdrLtPrtCfgRowStatusTable=lpIlsFwdrLtPrtCfgRowStatusTable, lpTrLtFrmCmpIndex=lpTrLtFrmCmpIndex, lpEth100LtFbMacEnetTopTable=lpEth100LtFbMacEnetTopTable, lpFiOldUpstreamNeighbor=lpFiOldUpstreamNeighbor, lpTrLtFrmCpyTData=lpTrLtFrmCpyTData, lanDriversGroupBE01=lanDriversGroupBE01, lpIlsFwdrLtFbIpH=lpIlsFwdrLtFbIpH, lpTrLtFbFddiMacTopEntry=lpTrLtFbFddiMacTopEntry, lpEth100OperStatusTable=lpEth100OperStatusTable, lpEth100TestPTOTable=lpEth100TestPTOTable, lpFiLtFbLlchRowStatus=lpFiLtFbLlchRowStatus, lpEth100LtFbIpxHComponentName=lpEth100LtFbIpxHComponentName, lpEnetLtFbRowStatus=lpEnetLtFbRowStatus, lpFiTestRowStatus=lpFiTestRowStatus, lpEnetLtPrtCfgComponentName=lpEnetLtPrtCfgComponentName, lpTrCommentText=lpTrCommentText, lpTrLtFbTData=lpTrLtFbTData, lpEth100RowStatusTable=lpEth100RowStatusTable, lpEth100LtFrmCmpRowStatus=lpEth100LtFrmCmpRowStatus, lpEth100LtFbMacEnetRowStatus=lpEth100LtFbMacEnetRowStatus, lpEth100TestRowStatusTable=lpEth100TestRowStatusTable, laSnmpOperStatus=laSnmpOperStatus, lpEth100TestCauseOfTermination=lpEth100TestCauseOfTermination, lpTrLtFbFddiMac=lpTrLtFbFddiMac, lpFiPhyRowStatus=lpFiPhyRowStatus, lpTrTestFrmRx=lpTrTestFrmRx) mibBuilder.exportSymbols('Nortel-Magellan-Passport-LanDriversMIB', lpTrLtFbIpxHComponentName=lpTrLtFbIpxHComponentName, lpFiCopiedCounts=lpFiCopiedCounts, lpTrLtFbIpHRowStatusEntry=lpTrLtFbIpHRowStatusEntry, lpEth100TestResultsTable=lpEth100TestResultsTable, lpTrLtFbLlchIndex=lpTrLtFbLlchIndex, lpIlsFwdrTestIndex=lpIlsFwdrTestIndex, lpEth100CommentText=lpEth100CommentText, lpEnetTestRowStatusTable=lpEnetTestRowStatusTable, lpTrRingSpeed=lpTrRingSpeed, lpEnetLtFbMacTrComponentName=lpEnetLtFbMacTrComponentName, lpFiLtFbIpHRowStatus=lpFiLtFbIpHRowStatus, lpEnet=lpEnet, lpIlsFwdrLtFbIpxH=lpIlsFwdrLtFbIpxH, lpEth100DuplexMode=lpEth100DuplexMode, lpTrNodeAddress=lpTrNodeAddress, lpEth100LtFbIpHComponentName=lpEth100LtFbIpHComponentName, lpIlsFwdrLtFbIpHTopEntry=lpIlsFwdrLtFbIpHTopEntry, lpIlsFwdrLtFbLlchRowStatusEntry=lpIlsFwdrLtFbLlchRowStatusEntry, lpIlsFwdrLtFbFddiMacTData=lpIlsFwdrLtFbFddiMacTData, lpIlsFwdrLtFbTxInfoTData=lpIlsFwdrLtFbTxInfoTData, lpTrLtFbIpxHTopEntry=lpTrLtFbIpxHTopEntry, lpEnetOperationalState=lpEnetOperationalState, lpFiLtFrmCmpComponentName=lpFiLtFrmCmpComponentName, lpTrLastTimeBeaconSent=lpTrLastTimeBeaconSent, lpTrLtCntlRowStatusTable=lpTrLtCntlRowStatusTable, lpEnetLtPrtCfgIndex=lpEnetLtPrtCfgIndex, lpIlsFwdrLtFbFddiMacComponentName=lpIlsFwdrLtFbFddiMacComponentName, lpFiLtPrtCfgRowStatus=lpFiLtPrtCfgRowStatus, lpTrLtFbAppleHIndex=lpTrLtFbAppleHIndex, lpFiLtFbMacEnetStorageType=lpFiLtFbMacEnetStorageType, lpFiRowStatusTable=lpFiRowStatusTable, lpIlsFwdrLtFbMacTrRowStatusTable=lpIlsFwdrLtFbMacTrRowStatusTable, lpTrBurstErrors=lpTrBurstErrors, lpEnetLtFbFddiMacRowStatusEntry=lpEnetLtFbFddiMacRowStatusEntry, lpEnetLtFbMacTr=lpEnetLtFbMacTr, lpFiMacProvTable=lpFiMacProvTable, lpTrTestDuration=lpTrTestDuration, lpIlsFwdrLtFbIpHComponentName=lpIlsFwdrLtFbIpHComponentName, lpEnetLtPrtCfgStorageType=lpEnetLtPrtCfgStorageType, lpFiComponentName=lpFiComponentName, lpFiLtFbMacTrStorageType=lpFiLtFbMacTrStorageType, lpTrAbortTransErrors=lpTrAbortTransErrors, lpEth100LtPrtCfgIndex=lpEth100LtPrtCfgIndex, lpTrLtFbAppleHTopTable=lpTrLtFbAppleHTopTable, lpFiLostCounts=lpFiLostCounts, lpIlsFwdrIfEntryTable=lpIlsFwdrIfEntryTable, lpFiMacOperTable=lpFiMacOperTable, lpIlsFwdrLtFbDataRowStatusTable=lpIlsFwdrLtFbDataRowStatusTable, lpIlsFwdrLtFbIpHTopTable=lpIlsFwdrLtFbIpHTopTable, lpEnetLtPrtCfgTData=lpEnetLtPrtCfgTData, lpEnetLtFbMacTrRowStatus=lpEnetLtFbMacTrRowStatus, lpEnetLtFbIpxHTopTable=lpEnetLtFbIpxHTopTable, lpTrLtFbAppleH=lpTrLtFbAppleH, lpEnetLtFbData=lpEnetLtFbData, lpFiPhyLerEstimate=lpFiPhyLerEstimate, lpTrLtFbIpHTopTable=lpTrLtFbIpHTopTable, lpIlsFwdrTestComponentName=lpIlsFwdrTestComponentName, lpIlsFwdrTestFrmRx=lpIlsFwdrTestFrmRx, lpEth100LtRowStatus=lpEth100LtRowStatus, lpEth100LtFrmCpyRowStatus=lpEth100LtFrmCpyRowStatus, lpFiLtFbIndex=lpFiLtFbIndex, lpTrLtFbTxInfoTopEntry=lpTrLtFbTxInfoTopEntry, lpIlsFwdrLtFbLlchTData=lpIlsFwdrLtFbLlchTData, lpEth100LtFrmCpyStorageType=lpEth100LtFrmCpyStorageType, lpEth100LtFrmCpyTopEntry=lpEth100LtFrmCpyTopEntry, lpIlsFwdrTestTimeRemaining=lpIlsFwdrTestTimeRemaining, lpIlsFwdrLtFbLlchTopEntry=lpIlsFwdrLtFbLlchTopEntry, lpEth100LtFrmCmpTData=lpEth100LtFrmCmpTData, lpIlsFwdrLtFbDataTopTable=lpIlsFwdrLtFbDataTopTable, lpEnetLtCntlRowStatus=lpEnetLtCntlRowStatus, lpFiPhySignalBitsTxmt=lpFiPhySignalBitsTxmt, lpFiLtFbAppleHComponentName=lpFiLtFbAppleHComponentName, lpTrTransmitBeacons=lpTrTransmitBeacons, lpTrLtFrmCpyTopTable=lpTrLtFrmCpyTopTable, lpFiIfIndex=lpFiIfIndex, lpTrLtFbMacEnetComponentName=lpTrLtFbMacEnetComponentName, lpFiRmtState=lpFiRmtState, lpTrLtFbMacEnetIndex=lpTrLtFbMacEnetIndex, lpEnetLtCntlStorageType=lpEnetLtCntlStorageType, lpIlsFwdrLtFbMacTrIndex=lpIlsFwdrLtFbMacTrIndex, lpEnetLtCntlRowStatusTable=lpEnetLtCntlRowStatusTable, lpFiLtFbTxInfoRowStatus=lpFiLtFbTxInfoRowStatus, lpEnetTestBitsTx=lpEnetTestBitsTx, lpEth100LtFbFddiMacRowStatus=lpEth100LtFbFddiMacRowStatus, lpTrProvEntry=lpTrProvEntry, lpIlsFwdrTestPTOTable=lpIlsFwdrTestPTOTable, lpEnetAdminState=lpEnetAdminState, lpTrTestTimeRemaining=lpTrTestTimeRemaining, lpEth100LtFbMacTrTData=lpEth100LtFbMacTrTData, lpEth100LtFbLlchRowStatusEntry=lpEth100LtFbLlchRowStatusEntry, lpEnetAlignmentErrors=lpEnetAlignmentErrors, lpIlsFwdrLtFbAppleHTopEntry=lpIlsFwdrLtFbAppleHTopEntry, lpFiBypassPresent=lpFiBypassPresent, lpEnetLtFbAppleHTData=lpEnetLtFbAppleHTData, lpEnetLtFbMacEnetTopTable=lpEnetLtFbMacEnetTopTable, lpIlsFwdrLtFbFddiMacStorageType=lpIlsFwdrLtFbFddiMacStorageType, lpIlsFwdrLtFbIpHRowStatus=lpIlsFwdrLtFbIpHRowStatus, lpFiLtRowStatusEntry=lpFiLtRowStatusEntry, lpEth100LtFrmCpyIndex=lpEth100LtFrmCpyIndex, laUsageState=laUsageState, lpEnetLtFbTxInfoIndex=lpEnetLtFbTxInfoIndex, lpEth100LtFbStorageType=lpEth100LtFbStorageType, lpFiLtFbMacEnetComponentName=lpFiLtFbMacEnetComponentName, lpIlsFwdrLinkToTrafficSourceValue=lpIlsFwdrLinkToTrafficSourceValue, lpTrNcMacAddress=lpTrNcMacAddress, lpTrTestBitsRx=lpTrTestBitsRx, lpIlsFwdrTestErroredFrmRx=lpIlsFwdrTestErroredFrmRx, lpEnetCidDataTable=lpEnetCidDataTable, lpEnetLtFrmCpyRowStatusTable=lpEnetLtFrmCpyRowStatusTable, lpFiCommentText=lpFiCommentText, lpFiPhyRowStatusTable=lpFiPhyRowStatusTable, laIndex=laIndex, lpEth100IfIndex=lpEth100IfIndex, lpEnetLtCntlComponentName=lpEnetLtCntlComponentName, laStateTable=laStateTable, lpEnetLtRowStatusTable=lpEnetLtRowStatusTable, lpFiLtFbTopTable=lpFiLtFbTopTable, lpIlsFwdrLtFbMacEnetIndex=lpIlsFwdrLtFbMacEnetIndex, lpIlsFwdrLtFbIpxHStorageType=lpIlsFwdrLtFbIpxHStorageType, lpFiLtCntlTopEntry=lpFiLtCntlTopEntry, lpEth100Eth100StatsEntry=lpEth100Eth100StatsEntry, lpEnetLtFbIpHRowStatusEntry=lpEnetLtFbIpHRowStatusEntry, lpTrTokenErrors=lpTrTokenErrors, lpEnetLtFbMacEnetIndex=lpEnetLtFbMacEnetIndex, lpFiPhyLerCutoff=lpFiPhyLerCutoff, lpTrLtPrtCfgRowStatusEntry=lpTrLtPrtCfgRowStatusEntry, lpFiLtFbMacEnetRowStatusTable=lpFiLtFbMacEnetRowStatusTable, lpIlsFwdrIndex=lpIlsFwdrIndex, lpIlsFwdrLtFbFddiMacTopEntry=lpIlsFwdrLtFbFddiMacTopEntry, lpTrTestResultsEntry=lpTrTestResultsEntry, lpEth100AdminInfoEntry=lpEth100AdminInfoEntry, lpTrNcMacOperTable=lpTrNcMacOperTable, lpFiLtFrmCpyComponentName=lpFiLtFrmCpyComponentName, lpFiAcceptAa=lpFiAcceptAa, lpTrLtFbMacTrRowStatus=lpTrLtFbMacTrRowStatus, lpEth100TestElapsedTime=lpEth100TestElapsedTime, lpTrTestStorageType=lpTrTestStorageType, lpTrSoftErrors=lpTrSoftErrors, lpFiLtFbAppleHIndex=lpFiLtFbAppleHIndex, lpTrFrameCopiedErrors=lpTrFrameCopiedErrors, lpFiLtFbStorageType=lpFiLtFbStorageType, lpTrLtFbIpHRowStatus=lpTrLtFbIpHRowStatus, lpIlsFwdrLtFbTxInfoStorageType=lpIlsFwdrLtFbTxInfoStorageType, lpEth100StorageType=lpEth100StorageType, laAdminState=laAdminState, lpTrLtFrmCpyRowStatusEntry=lpTrLtFrmCpyRowStatusEntry, lpEth100LtRowStatusEntry=lpEth100LtRowStatusEntry, lpFiLtRowStatus=lpFiLtRowStatus, lpEth100TestErroredFrmRx=lpEth100TestErroredFrmRx, lpIlsFwdrLtFbTxInfoRowStatus=lpIlsFwdrLtFbTxInfoRowStatus, lpEnetLtFbMacEnet=lpEnetLtFbMacEnet, lpEnetStorageType=lpEnetStorageType, lpEnetLtFbFddiMacIndex=lpEnetLtFbFddiMacIndex, laFramerInterfaceNamesRowStatus=laFramerInterfaceNamesRowStatus, lpEnetTestStorageType=lpEnetTestStorageType, lpFiIfEntryTable=lpFiIfEntryTable, lpTrLtFbFddiMacIndex=lpTrLtFbFddiMacIndex, lpEth100IfEntryTable=lpEth100IfEntryTable, laFramerRowStatusTable=laFramerRowStatusTable, lpFiLtFrmCpyTopEntry=lpFiLtFrmCpyTopEntry, lpEnetLtFbIpxHRowStatus=lpEnetLtFbIpxHRowStatus, lpTrIfAdminStatus=lpTrIfAdminStatus, lpIlsFwdrTestStorageType=lpIlsFwdrTestStorageType, lpEth100LtFbAppleHIndex=lpEth100LtFbAppleHIndex, lpEnetTestErroredFrmRx=lpEnetTestErroredFrmRx, lpEth100LtFbMacTrTopTable=lpEth100LtFbMacTrTopTable, lanDriversMIB=lanDriversMIB, lpIlsFwdrLtCntlTopTable=lpIlsFwdrLtCntlTopTable, lpEnetLtCntlRowStatusEntry=lpEnetLtCntlRowStatusEntry, lpEth100LtCntlComponentName=lpEth100LtCntlComponentName, lpEth100TestType=lpEth100TestType, lpTrLtFbAppleHStorageType=lpTrLtFbAppleHStorageType, lpEnetRowStatusTable=lpEnetRowStatusTable, lpEnetLtFbFddiMacRowStatusTable=lpEnetLtFbFddiMacRowStatusTable, lpEnetLtFbMacTrRowStatusEntry=lpEnetLtFbMacTrRowStatusEntry, laOperStatusTable=laOperStatusTable, lpEnetLtFrmCpyRowStatus=lpEnetLtFrmCpyRowStatus, lpTrLtFbFddiMacRowStatusTable=lpTrLtFbFddiMacRowStatusTable, lpTrLtFbLlchTopEntry=lpTrLtFbLlchTopEntry, lpEth100MacTransmitErrors=lpEth100MacTransmitErrors, lpEth100LtFrmCmpRowStatusTable=lpEth100LtFrmCmpRowStatusTable, lpEth100LtFb=lpEth100LtFb, lpTrNcMacOperEntry=lpTrNcMacOperEntry, lpIlsFwdrLtFbIpxHTData=lpIlsFwdrLtFbIpxHTData, lpFiTest=lpFiTest, lpEnetLtFrmCmpTopTable=lpEnetLtFrmCmpTopTable, lpEnetLtFbLlchIndex=lpEnetLtFbLlchIndex, lpEnetLtPrtCfgRowStatusTable=lpEnetLtPrtCfgRowStatusTable, lpEth100LtFbMacTrRowStatus=lpEth100LtFbMacTrRowStatus, lpFiLtFbIpHTopEntry=lpFiLtFbIpHTopEntry, lpEth100LtFbMacTrIndex=lpEth100LtFbMacTrIndex, lpFiLtFrmCmpRowStatus=lpFiLtFrmCmpRowStatus, lpEth100LtFbAppleHTData=lpEth100LtFbAppleHTData, lpTrAdminInfoTable=lpTrAdminInfoTable, lpTrLtFbMacEnetRowStatusEntry=lpTrLtFbMacEnetRowStatusEntry, lpFiSmtOperEntry=lpFiSmtOperEntry, laFramerInterfaceName=laFramerInterfaceName, lpEth100ApplicationFramerName=lpEth100ApplicationFramerName, lpFiNcUpstreamNeighbor=lpFiNcUpstreamNeighbor, lpEth100LtFbTopEntry=lpEth100LtFbTopEntry, lpEnetLtFbIpxHIndex=lpEnetLtFbIpxHIndex, lpEnetLtPrtCfg=lpEnetLtPrtCfg, lpEth100TestPTOEntry=lpEth100TestPTOEntry, lpTrLtCntlRowStatus=lpTrLtCntlRowStatus, lpIlsFwdrLtPrtCfgIndex=lpIlsFwdrLtPrtCfgIndex, lpTrLtFbTxInfoTData=lpTrLtFbTxInfoTData, lpIlsFwdrLtPrtCfgTData=lpIlsFwdrLtPrtCfgTData, lpEth100=lpEth100, laMediaProvTable=laMediaProvTable, lpTrStateTable=lpTrStateTable, lpFiValidTransmissionTimer=lpFiValidTransmissionTimer, lpEth100LtFbIndex=lpEth100LtFbIndex, lpIlsFwdrSnmpOperStatus=lpIlsFwdrSnmpOperStatus, lpEnetLtFbIpHRowStatus=lpEnetLtFbIpHRowStatus, lpTrTestResultsTable=lpTrTestResultsTable, lpEnetLtFrmCmp=lpEnetLtFrmCmp, lpIlsFwdrLtFbTxInfoIndex=lpIlsFwdrLtFbTxInfoIndex, lpEth100StatsEntry=lpEth100StatsEntry, lpFiLtFbTxInfoIndex=lpFiLtFbTxInfoIndex, lpTrHardErrors=lpTrHardErrors, lpIlsFwdrIfEntryEntry=lpIlsFwdrIfEntryEntry, lpEth100RowStatus=lpEth100RowStatus, lpEnetLtFrmCmpRowStatusTable=lpEnetLtFrmCmpRowStatusTable, lpEth100ActualDuplexMode=lpEth100ActualDuplexMode, lpEth100LtFbLlchTopEntry=lpEth100LtFbLlchTopEntry, lpEth100ExcessiveCollisions=lpEth100ExcessiveCollisions, lpTrLtCntlStorageType=lpTrLtCntlStorageType, lpTrLtRowStatusTable=lpTrLtRowStatusTable, lpTrRingStatus=lpTrRingStatus, lpIlsFwdrLtFrmCpyStorageType=lpIlsFwdrLtFrmCpyStorageType, lpTrLtTopTable=lpTrLtTopTable, lpTrLtFbIpHComponentName=lpTrLtFbIpHComponentName, lpTrLtFbTxInfoRowStatusTable=lpTrLtFbTxInfoRowStatusTable, lpIlsFwdrLtFbMacEnetRowStatusEntry=lpIlsFwdrLtFbMacEnetRowStatusEntry, laStorageType=laStorageType, lpFiLtFrmCmpTopEntry=lpFiLtFrmCmpTopEntry, lpTrLtFbLlchRowStatusEntry=lpTrLtFbLlchRowStatusEntry, lpTrApplicationFramerName=lpTrApplicationFramerName, lpEnetRowStatus=lpEnetRowStatus, lpEnetTestCauseOfTermination=lpEnetTestCauseOfTermination, lpEnetLt=lpEnetLt, lpTrOperationalState=lpTrOperationalState, lpEnetLtFbMacEnetRowStatusTable=lpEnetLtFbMacEnetRowStatusTable, lpIlsFwdrLtFrmCmpTData=lpIlsFwdrLtFrmCmpTData, lpTrTestElapsedTime=lpTrTestElapsedTime, lpFiPhyLerFlag=lpFiPhyLerFlag, lpIlsFwdrLtFbMacEnetRowStatus=lpIlsFwdrLtFbMacEnetRowStatus, lpIlsFwdrLtFbMacTrTopEntry=lpIlsFwdrLtFbMacTrTopEntry, lpFiLtFbMacTrRowStatus=lpFiLtFbMacTrRowStatus, lpEnetLtFbMacTrTopEntry=lpEnetLtFbMacTrTopEntry, lpFiLtPrtCfgComponentName=lpFiLtPrtCfgComponentName, lpFiLtFrmCmp=lpFiLtFrmCmp, lpFiLtFbMacTrRowStatusEntry=lpFiLtFbMacTrRowStatusEntry, lpFiLtFbIpHTopTable=lpFiLtFbIpHTopTable) mibBuilder.exportSymbols('Nortel-Magellan-Passport-LanDriversMIB', lpEth100LtFbIpHTData=lpEth100LtFbIpHTData, lpEth100TestResultsEntry=lpEth100TestResultsEntry, lpEnetLtFrmCmpTData=lpEnetLtFrmCmpTData, lpEnetLtFbAppleHRowStatusTable=lpEnetLtFbAppleHRowStatusTable, lpFiLtFbTData=lpFiLtFbTData, lpEth100TestFrmTx=lpEth100TestFrmTx, lpTrLtFbFddiMacTData=lpTrLtFbFddiMacTData, lpIlsFwdrLtFbDataTopEntry=lpIlsFwdrLtFbDataTopEntry, lpIlsFwdrLtPrtCfg=lpIlsFwdrLtPrtCfg, lpEnetLtPrtCfgTopTable=lpEnetLtPrtCfgTopTable, lpEnetLtFrmCpyIndex=lpEnetLtFrmCpyIndex, lpEth100TestFrmSize=lpEth100TestFrmSize, lpEnetLtFbLlchRowStatus=lpEnetLtFbLlchRowStatus, laFramerIndex=laFramerIndex, lpFiPhyProvEntry=lpFiPhyProvEntry, lpFiLtFbLlchStorageType=lpFiLtFbLlchStorageType, lpEth100LtFbDataStorageType=lpEth100LtFbDataStorageType, lpFiLtFrmCpyIndex=lpFiLtFrmCpyIndex, lpTrLtFbTopEntry=lpTrLtFbTopEntry, lpTrOperStatusEntry=lpTrOperStatusEntry, lpIlsFwdrTestPTOEntry=lpIlsFwdrTestPTOEntry, lpEth100LtFbFddiMac=lpEth100LtFbFddiMac, lpEth100LtPrtCfgStorageType=lpEth100LtPrtCfgStorageType, lpEnetLtCntlTData=lpEnetLtCntlTData, lpTrLtFbIpHRowStatusTable=lpTrLtFbIpHRowStatusTable, lpFiRowStatusEntry=lpFiRowStatusEntry, lpEth100TestStorageType=lpEth100TestStorageType, lpFiMacCOperEntry=lpFiMacCOperEntry, lpEth100LtTopTable=lpEth100LtTopTable, laFramer=laFramer, lpFiPhyLinkErrorMonitor=lpFiPhyLinkErrorMonitor, lpTrLtFbFddiMacTopTable=lpTrLtFbFddiMacTopTable, lpTrLtFbDataRowStatusTable=lpTrLtFbDataRowStatusTable, lanDriversGroup=lanDriversGroup, lpEnetTestElapsedTime=lpEnetTestElapsedTime, lpEth100LtCntlRowStatus=lpEth100LtCntlRowStatus, lpEnetLtComponentName=lpEnetLtComponentName, lpIlsFwdrLtFbTxInfoTopTable=lpIlsFwdrLtFbTxInfoTopTable, lpEnetLtFbFddiMacRowStatus=lpEnetLtFbFddiMacRowStatus, lpEnetTestRowStatusEntry=lpEnetTestRowStatusEntry, lpIlsFwdrLtFbLlchTopTable=lpIlsFwdrLtFbLlchTopTable, lpEnetLtFbDataRowStatus=lpEnetLtFbDataRowStatus, lpEnetLtFbAppleHRowStatus=lpEnetLtFbAppleHRowStatus, lpFiUseThruBa=lpFiUseThruBa, lpEnetLtFbLlchTopEntry=lpEnetLtFbLlchTopEntry, lpTrOperStatusTable=lpTrOperStatusTable, lpTrLtFbFddiMacComponentName=lpTrLtFbFddiMacComponentName, lpEth100LtFbMacTrRowStatusTable=lpEth100LtFbMacTrRowStatusTable, lpFiLtFbFddiMacComponentName=lpFiLtFbFddiMacComponentName, lpTrSingleStation=lpTrSingleStation, lpTrLtFbIpxHTData=lpTrLtFbIpxHTData, lpEth100LtCntlRowStatusTable=lpEth100LtCntlRowStatusTable, lpFiStorageType=lpFiStorageType, lpFiAdminInfoTable=lpFiAdminInfoTable, lpFiLtFbFddiMacRowStatus=lpFiLtFbFddiMacRowStatus, lpTrLtRowStatus=lpTrLtRowStatus, lpEnetApplicationFramerName=lpEnetApplicationFramerName, lpEth100StatsTable=lpEth100StatsTable, lpEnetLtCntlIndex=lpEnetLtCntlIndex, lpFiEcmState=lpFiEcmState, lpFiTestBitsTx=lpFiTestBitsTx, lpEnetTest=lpEnetTest, lpTrLtStorageType=lpTrLtStorageType, lpTrOperTable=lpTrOperTable, lpFiCfState=lpFiCfState, lpEth100RowStatusEntry=lpEth100RowStatusEntry, lpEnetStatsEntry=lpEnetStatsEntry, lpFiLtFbIpHRowStatusEntry=lpFiLtFbIpHRowStatusEntry, lpEnetLtPrtCfgRowStatusEntry=lpEnetLtPrtCfgRowStatusEntry, lpFiLtFbTxInfoRowStatusEntry=lpFiLtFbTxInfoRowStatusEntry, lpIlsFwdrLtFbMacEnetTData=lpIlsFwdrLtFbMacEnetTData, lpEnetLtFrmCpy=lpEnetLtFrmCpy, lpEnetTestFrmSize=lpEnetTestFrmSize, lpFiDupAddressTest=lpFiDupAddressTest, lpFiLtPrtCfgTData=lpFiLtPrtCfgTData, lpEth100StateEntry=lpEth100StateEntry, lpEnetLtFbDataTData=lpEnetLtFbDataTData, lpEth100AlignmentErrors=lpEth100AlignmentErrors, lpFiPhyLemCounts=lpFiPhyLemCounts, lpEth100LtFbTData=lpEth100LtFbTData, lpEth100LtCntlTopEntry=lpEth100LtCntlTopEntry, lpFiAdminState=lpFiAdminState, lpTrLtFbStorageType=lpTrLtFbStorageType, lpIlsFwdrTestFrmSize=lpIlsFwdrTestFrmSize, lpEth100LtFbRowStatus=lpEth100LtFbRowStatus, lpEnetCarrierSenseErrors=lpEnetCarrierSenseErrors, lpTrTestRowStatus=lpTrTestRowStatus, lpTrLtComponentName=lpTrLtComponentName, lpTrLtFbMacEnet=lpTrLtFbMacEnet, lpIlsFwdrLtFbMacTr=lpIlsFwdrLtFbMacTr, lpIlsFwdrTestRowStatusTable=lpIlsFwdrTestRowStatusTable, lpFiTestResultsTable=lpFiTestResultsTable, lpTrLtFbIpH=lpTrLtFbIpH, lpEnetLtFbFddiMacComponentName=lpEnetLtFbFddiMacComponentName, lpEth100DeferredTransmissions=lpEth100DeferredTransmissions, lpEnetLtFbIpxHRowStatusEntry=lpEnetLtFbIpxHRowStatusEntry, lpIlsFwdrLtTopEntry=lpIlsFwdrLtTopEntry, lpEth100MacAddress=lpEth100MacAddress, lpIlsFwdrStateTable=lpIlsFwdrStateTable, lanDriversCapabilitiesBE01A=lanDriversCapabilitiesBE01A, lpFiPhyLemRejectCounts=lpFiPhyLemRejectCounts, lpEnetLtIndex=lpEnetLtIndex, lpFiLtPrtCfg=lpFiLtPrtCfg, lpIlsFwdrLtFbMacEnetStorageType=lpIlsFwdrLtFbMacEnetStorageType, lpTr=lpTr, lpFiLtFrmCmpTData=lpFiLtFrmCmpTData, lpFiLtFbIpHComponentName=lpFiLtFbIpHComponentName, lpEth100LtFbIpHRowStatus=lpEth100LtFbIpHRowStatus, lpFiAcceptBm=lpFiAcceptBm, lpFiErrorCounts=lpFiErrorCounts, lpEnetLtFbIpxHStorageType=lpEnetLtFbIpxHStorageType, laFramerStorageType=laFramerStorageType, lpEnetLtFbTData=lpEnetLtFbTData, lpEnetMacTransmitErrors=lpEnetMacTransmitErrors, lpTrLtFbIpHStorageType=lpTrLtFbIpHStorageType, lpEth100ReceivedFramesIntoRouterBr=lpEth100ReceivedFramesIntoRouterBr, lpEth100LtFbFddiMacStorageType=lpEth100LtFbFddiMacStorageType, lpEnetLtCntlTopEntry=lpEnetLtCntlTopEntry, lpIlsFwdrLtFbIpHStorageType=lpIlsFwdrLtFbIpHStorageType, lpTrLtFbIpHIndex=lpTrLtFbIpHIndex, lpTrCidDataTable=lpTrCidDataTable, lpIlsFwdrLtCntlIndex=lpIlsFwdrLtCntlIndex, lpIlsFwdrLtFbTopEntry=lpIlsFwdrLtFbTopEntry, lpEth100LtFbDataRowStatusEntry=lpEth100LtFbDataRowStatusEntry, lpTrLtFbTopTable=lpTrLtFbTopTable, lpEth100TestBitsTx=lpEth100TestBitsTx, lpEth100LtFbMacEnetIndex=lpEth100LtFbMacEnetIndex, lpEnetIfEntryEntry=lpEnetIfEntryEntry, lpFiLtFbAppleHTopEntry=lpFiLtFbAppleHTopEntry, lpIlsFwdrLtFrmCpyTopEntry=lpIlsFwdrLtFrmCpyTopEntry, lpTrStorageType=lpTrStorageType, lpEnetLtCntlTopTable=lpEnetLtCntlTopTable, lpFiLtFbMacEnet=lpFiLtFbMacEnet, lpTrLtFrmCmpTopTable=lpTrLtFrmCmpTopTable, lpTrLtPrtCfgTopEntry=lpTrLtPrtCfgTopEntry, lpFiLtFbIpxHRowStatus=lpFiLtFbIpxHRowStatus, lpEth100ComponentName=lpEth100ComponentName, lpEnetIfAdminStatus=lpEnetIfAdminStatus, lpEth100ActualLineSpeed=lpEth100ActualLineSpeed, laFramerProvEntry=laFramerProvEntry, lpEnetLtFrmCmpRowStatusEntry=lpEnetLtFrmCmpRowStatusEntry, lpTrLtFrmCmp=lpTrLtFrmCmp, lpIlsFwdrTestRowStatusEntry=lpIlsFwdrTestRowStatusEntry, lpEth100LtFbTxInfo=lpEth100LtFbTxInfo, lpFiLtFrmCpyRowStatusEntry=lpFiLtFrmCpyRowStatusEntry, lpFiLtFbFddiMacRowStatusTable=lpFiLtFbFddiMacRowStatusTable, lpTrLtFrmCpyIndex=lpTrLtFrmCpyIndex, lpIlsFwdrIfIndex=lpIlsFwdrIfIndex, lpEth100StateTable=lpEth100StateTable, lpEnetMacAddress=lpEnetMacAddress, lpEth100LtFbAppleHComponentName=lpEth100LtFbAppleHComponentName, lpTrLtFbAppleHTopEntry=lpTrLtFbAppleHTopEntry, lpEth100LtFrmCpyRowStatusEntry=lpEth100LtFrmCpyRowStatusEntry, lpEth100LtFbLlchStorageType=lpEth100LtFbLlchStorageType, lpEth100LtFrmCpyTopTable=lpEth100LtFrmCpyTopTable, lpEth100LtFrmCmpIndex=lpEth100LtFrmCmpIndex, lpTrLtFbRowStatusEntry=lpTrLtFbRowStatusEntry, lpIlsFwdrLtFbAppleHRowStatusEntry=lpIlsFwdrLtFbAppleHRowStatusEntry, lpFiTvxExpiredCounts=lpFiTvxExpiredCounts, lpEnetLtFrmCpyTopTable=lpEnetLtFrmCpyTopTable, lpFiLtFbMacTr=lpFiLtFbMacTr, lpIlsFwdrProcessedCount=lpIlsFwdrProcessedCount, lpFiPhyComponentName=lpFiPhyComponentName, lpIlsFwdrLtFbRowStatusTable=lpIlsFwdrLtFbRowStatusTable, lpEnetTestTimeRemaining=lpEnetTestTimeRemaining, lpIlsFwdrLtFbLlchStorageType=lpIlsFwdrLtFbLlchStorageType, lpEth100LtFbIpHTopTable=lpEth100LtFbIpHTopTable, lpFiLtFrmCpyStorageType=lpFiLtFrmCpyStorageType, lpEth100LtFbMacTr=lpEth100LtFbMacTr, lpTrLtFbMacTrRowStatusEntry=lpTrLtFbMacTrRowStatusEntry, lpEth100LtFbIpH=lpEth100LtFbIpH, lpEnetStateEntry=lpEnetStateEntry, lpTrNcUpStream=lpTrNcUpStream, lpEth100IfAdminStatus=lpEth100IfAdminStatus, lpFiLtFbAppleHRowStatusTable=lpFiLtFbAppleHRowStatusTable, lpFiLtFbIpxHTopTable=lpFiLtFbIpxHTopTable, lpFiLtPrtCfgStorageType=lpFiLtPrtCfgStorageType, lpTrLtFbAppleHRowStatus=lpTrLtFbAppleHRowStatus, lpEth100LtFbMacTrTopEntry=lpEth100LtFbMacTrTopEntry, lpEth100LtFbLlchRowStatus=lpEth100LtFbLlchRowStatus, lpEth100LtCntl=lpEth100LtCntl, laCidDataEntry=laCidDataEntry, lpFiSmtProvTable=lpFiSmtProvTable, laIfEntryEntry=laIfEntryEntry, lpTrLtFrmCpy=lpTrLtFrmCpy, lpFiStateTable=lpFiStateTable, lpIlsFwdrLtFbIpxHIndex=lpIlsFwdrLtFbIpxHIndex, lpFiLtFbDataTopTable=lpFiLtFbDataTopTable, lpIlsFwdrLtFbMacEnetComponentName=lpIlsFwdrLtFbMacEnetComponentName, lpTrLtCntlTopEntry=lpTrLtCntlTopEntry, lpEth100LtFbTxInfoStorageType=lpEth100LtFbTxInfoStorageType, lpEth100CidDataEntry=lpEth100CidDataEntry, lpEth100LtPrtCfg=lpEth100LtPrtCfg, lpFiPhyOperTable=lpFiPhyOperTable, lpTrLtFbMacTrStorageType=lpTrLtFbMacTrStorageType, lpIlsFwdrTestElapsedTime=lpIlsFwdrTestElapsedTime, lpFiLtComponentName=lpFiLtComponentName, lpEth100LtFbTxInfoIndex=lpEth100LtFbTxInfoIndex, lpTrLtFbTxInfoStorageType=lpTrLtFbTxInfoStorageType, lpFiLtFbFddiMacStorageType=lpFiLtFbFddiMacStorageType, lpFiAcceptBb=lpFiAcceptBb, lpTrTestRowStatusTable=lpTrTestRowStatusTable)
# -*- coding: utf-8 -*- __author__ = """Artem Golubin""" __email__ = 'me@rushter.com' __version__ = '0.3.1'
__author__ = 'Artem Golubin' __email__ = 'me@rushter.com' __version__ = '0.3.1'
def includeme(config): config.add_static_view('static', 'learning_journal:static', cache_max_age=3600) config.add_route('list', '/') config.add_route('detail', '/journal/{id:\d+}') config.add_route('create', '/journal/new-entry') config.add_route('update', '/journal/{id:\d+}/edit-entry') config.add_route('login', '/login') config.add_route('logout', '/logout')
def includeme(config): config.add_static_view('static', 'learning_journal:static', cache_max_age=3600) config.add_route('list', '/') config.add_route('detail', '/journal/{id:\\d+}') config.add_route('create', '/journal/new-entry') config.add_route('update', '/journal/{id:\\d+}/edit-entry') config.add_route('login', '/login') config.add_route('logout', '/logout')
# Copyright 2017 ZTE Corporation. # # 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. # [MSB] MSB_SERVICE_PROTOCOL = 'http' MSB_SERVICE_IP = '127.0.0.1' MSB_SERVICE_PORT = '443' MSB_BASE_URL = "%s://%s:%s" % (MSB_SERVICE_PROTOCOL, MSB_SERVICE_IP, MSB_SERVICE_PORT) # [REDIS] REDIS_HOST = '127.0.0.1' REDIS_PORT = '6379' REDIS_PASSWD = '' # [mysql] DB_IP = "127.0.0.1" DB_PORT = 3306 DB_NAME = "nfvocatalog" DB_USER = "nfvocatalog" DB_PASSWD = "nfvocatalog" # [MDC] SERVICE_NAME = "catalog" FORWARDED_FOR_FIELDS = ["HTTP_X_FORWARDED_FOR", "HTTP_X_FORWARDED_HOST", "HTTP_X_FORWARDED_SERVER"] # [register] REG_TO_MSB_WHEN_START = True REG_TO_MSB_REG_URL = "/api/microservices/v1/services" REG_TO_MSB_REG_PARAM = [{ "serviceName": "catalog", "version": "v1", "url": "/api/catalog/v1", "protocol": "REST", "visualRange": "1", "nodes": [{ "ip": "127.0.0.1", "port": "8806", "ttl": 0 }] }, { "serviceName": "nsd", "version": "v1", "url": "/api/nsd/v1", "protocol": "REST", "visualRange": "1", "nodes": [{ "ip": "127.0.0.1", "port": "8806", "ttl": 0 }] }, { "serviceName": "vnfpkgm", "version": "v1", "url": "/api/vnfpkgm/v1", "protocol": "REST", "visualRange": "1", "nodes": [{ "ip": "127.0.0.1", "port": "8806", "ttl": 0 }] }] MSB_SVC_CALALOG_URL = "/api/microservices/v1/services/catalog/version/v1" MSB_SVC_NSD_URL = "/api/microservices/v1/services/nsd/version/v1" MSB_SVC_VNFPKGM_URL = "/api/microservices/v1/services/vnfpkgm/version/v1" # catalog path(values is defined in settings.py) CATALOG_ROOT_PATH = None CATALOG_URL_PATH = None # [sdc config] SDC_BASE_URL = "http://msb-iag/api" SDC_USER = "aai" SDC_PASSWD = "Kp8bJ4SXszM0WXlhak3eHlcse2gAw84vaoGGmJvUy2U" # [aai config] AAI_BASE_URL = "http://10.0.14.1:80/aai/v11" AAI_USER = "AAI" AAI_PASSWD = "AAI" REPORT_TO_AAI = True VNFD_SCHEMA_VERSION_DEFAULT = "base"
msb_service_protocol = 'http' msb_service_ip = '127.0.0.1' msb_service_port = '443' msb_base_url = '%s://%s:%s' % (MSB_SERVICE_PROTOCOL, MSB_SERVICE_IP, MSB_SERVICE_PORT) redis_host = '127.0.0.1' redis_port = '6379' redis_passwd = '' db_ip = '127.0.0.1' db_port = 3306 db_name = 'nfvocatalog' db_user = 'nfvocatalog' db_passwd = 'nfvocatalog' service_name = 'catalog' forwarded_for_fields = ['HTTP_X_FORWARDED_FOR', 'HTTP_X_FORWARDED_HOST', 'HTTP_X_FORWARDED_SERVER'] reg_to_msb_when_start = True reg_to_msb_reg_url = '/api/microservices/v1/services' reg_to_msb_reg_param = [{'serviceName': 'catalog', 'version': 'v1', 'url': '/api/catalog/v1', 'protocol': 'REST', 'visualRange': '1', 'nodes': [{'ip': '127.0.0.1', 'port': '8806', 'ttl': 0}]}, {'serviceName': 'nsd', 'version': 'v1', 'url': '/api/nsd/v1', 'protocol': 'REST', 'visualRange': '1', 'nodes': [{'ip': '127.0.0.1', 'port': '8806', 'ttl': 0}]}, {'serviceName': 'vnfpkgm', 'version': 'v1', 'url': '/api/vnfpkgm/v1', 'protocol': 'REST', 'visualRange': '1', 'nodes': [{'ip': '127.0.0.1', 'port': '8806', 'ttl': 0}]}] msb_svc_calalog_url = '/api/microservices/v1/services/catalog/version/v1' msb_svc_nsd_url = '/api/microservices/v1/services/nsd/version/v1' msb_svc_vnfpkgm_url = '/api/microservices/v1/services/vnfpkgm/version/v1' catalog_root_path = None catalog_url_path = None sdc_base_url = 'http://msb-iag/api' sdc_user = 'aai' sdc_passwd = 'Kp8bJ4SXszM0WXlhak3eHlcse2gAw84vaoGGmJvUy2U' aai_base_url = 'http://10.0.14.1:80/aai/v11' aai_user = 'AAI' aai_passwd = 'AAI' report_to_aai = True vnfd_schema_version_default = 'base'
"""Top-level package for geo_calcs.""" __author__ = """Drew Heasman""" __email__ = 'heasman.drew@gmail.com' __version__ = '0.1.0'
"""Top-level package for geo_calcs.""" __author__ = 'Drew Heasman' __email__ = 'heasman.drew@gmail.com' __version__ = '0.1.0'
for i in range (1,10000): s=0 for k in range(1,i): if i%k==0: s=s+k if i==s: print(i)
for i in range(1, 10000): s = 0 for k in range(1, i): if i % k == 0: s = s + k if i == s: print(i)
class Baseball_Team: def __init__(self, name, win, lose, draw): self.name = name self.win = win self.lose = lose self.draw = draw def calc_win_rate(self): return self.win/(self.win + self.lose) def show_team_result(self): print(f'{self.name:<8} {self.win:>3} {self.lose:>4} {self.draw:>4} {self.calc_win_rate():.3f}') giants = Baseball_Team("Giants", 77, 64, 2) bayStars = Baseball_Team("BayStars", 71, 69, 3) tigers = Baseball_Team("Tigers", 69, 68, 6) carp = Baseball_Team("Carp", 70, 70, 3) dragons = Baseball_Team("Dragons", 68, 73, 2) swallows = Baseball_Team("Swallows", 59, 82, 2) print("team win lose draw rate") giants.show_team_result() bayStars.show_team_result() tigers.show_team_result() carp.show_team_result() dragons.show_team_result() swallows.show_team_result()
class Baseball_Team: def __init__(self, name, win, lose, draw): self.name = name self.win = win self.lose = lose self.draw = draw def calc_win_rate(self): return self.win / (self.win + self.lose) def show_team_result(self): print(f'{self.name:<8} {self.win:>3} {self.lose:>4} {self.draw:>4} {self.calc_win_rate():.3f}') giants = baseball__team('Giants', 77, 64, 2) bay_stars = baseball__team('BayStars', 71, 69, 3) tigers = baseball__team('Tigers', 69, 68, 6) carp = baseball__team('Carp', 70, 70, 3) dragons = baseball__team('Dragons', 68, 73, 2) swallows = baseball__team('Swallows', 59, 82, 2) print('team win lose draw rate') giants.show_team_result() bayStars.show_team_result() tigers.show_team_result() carp.show_team_result() dragons.show_team_result() swallows.show_team_result()
# API_URL = 'https://hyperkite.ai/api/' API_URL = 'http://localhost:5000/api/' TEST_STUDY_KEY = ''
api_url = 'http://localhost:5000/api/' test_study_key = ''
# # Copyright 2019 The Bazel Authors. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # # Tests compiling using an external Linaro toolchain on a Linux machine # """AArch64 (ARM 64-bit) C/C++ toolchain.""" load( "@bazel_tools//tools/cpp:cc_toolchain_config_lib.bzl", "action_config", "feature", "flag_group", "flag_set", "tool", "tool_path", "with_feature_set", ) load("@bazel_tools//tools/build_defs/cc:action_names.bzl", "ACTION_NAMES") def _impl(ctx): toolchain_identifier = "aarch64-linux-gnu" host_system_name = "aarch64-linux-gnu" target_system_name = "arm_a15" target_cpu = "aarch64-linux-gnu" target_libc = "glibc_2.19" compiler = "gcc" abi_version = "gcc" abi_libc_version = "glibc_2.19" cc_target_os = None # Specify the sysroot. builtin_sysroot = None sysroot_feature = feature( name = "sysroot", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library, ], flag_groups = [ flag_group( flags = ["--sysroot=%{sysroot}"], expand_if_available = "sysroot", ), ], ), ], ) # Support both opt and dbg compile modes (flags defined below). opt_feature = feature(name = "opt") dbg_feature = feature(name = "dbg") # Compiler flags that are _not_ filtered by the `nocopts` rule attribute. unfiltered_compile_flags_feature = feature( name = "unfiltered_compile_flags", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "-no-canonical-prefixes", "-Wno-builtin-macro-redefined", "-D__DATE__=\"redacted\"", "-D__TIMESTAMP__=\"redacted\"", "-D__TIME__=\"redacted\"", ], ), ], ), ], ) # Default compiler settings (in addition to unfiltered settings above). default_compile_flags_feature = feature( name = "default_compile_flags", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "--sysroot=external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc", # "-mfloat-abi=hard", "-nostdinc", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/lib/gcc/aarch64-linux-gnu/7.4.1/include", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/lib/gcc/aarch64-linux-gnu/7.4.1/include-fixed", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/include/c++/7.4.1", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc/usr/include", "-U_FORTIFY_SOURCE", "-fstack-protector", "-fPIE", "-fdiagnostics-color=always", "-Wall", "-Wunused-but-set-parameter", "-Wno-free-nonheap-object", "-fno-omit-frame-pointer", ], ), ], ), flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [flag_group(flags = ["-g"])], with_features = [with_feature_set(features = ["dbg"])], ), flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "-g0", "-O2", "-DNDEBUG", "-ffunction-sections", "-fdata-sections", ], ), ], with_features = [with_feature_set(features = ["opt"])], ), flag_set( actions = [ ACTION_NAMES.linkstamp_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = [ "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/include/c++/7.4.1/aarch64-linux-gnu", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/include/c++/7.4.1", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/include/c++/7.4.1/aarch64-linux-gnu", "-isystem", "external/org_linaro_components_toolchain_gcc_aarch64/include/c++/7.4.1", ], ), ], ), ], ) # User compile flags specified through --copt/--cxxopt/--conlyopt. user_compile_flags_feature = feature( name = "user_compile_flags", enabled = True, flag_sets = [ flag_set( actions = [ ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ], flag_groups = [ flag_group( flags = ["%{user_compile_flags}"], iterate_over = "user_compile_flags", expand_if_available = "user_compile_flags", ), ], ), ], ) # Define linker settings. all_link_actions = [ ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library, ] default_link_flags_feature = feature( name = "default_link_flags", enabled = True, flag_sets = [ flag_set( actions = all_link_actions, flag_groups = [ flag_group( flags = [ "--sysroot=external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc", "-lstdc++", "-latomic", "-lm", "-lpthread", "-Ltools/arm/linaro_linux_gcc_aarch64/clang_more_libs", "-Lexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/lib", "-Lexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc/lib", "-Lexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc/usr/lib", "-Bexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/bin", # "-Wl,--dynamic-linker=/lib/ld-linux-aarch64.so.3", "-Wl,--dynamic-linker=/lib/ld-linux-aarch64.so.1", "-no-canonical-prefixes", "-pie", "-Wl,-z,relro,-z,now", ], ), ], ), flag_set( actions = all_link_actions, flag_groups = [flag_group(flags = ["-Wl,--gc-sections"])], with_features = [with_feature_set(features = ["opt"])], ), ], ) # Define objcopy settings. objcopy_embed_data_action = action_config( action_name = "objcopy_embed_data", enabled = True, tools = [ tool(path = "linaro_linux_gcc_aarch64/aarch64-linux-gnu-objcopy"), ], ) action_configs = [objcopy_embed_data_action] objcopy_embed_flags_feature = feature( name = "objcopy_embed_flags", enabled = True, flag_sets = [ flag_set( actions = ["objcopy_embed_data"], flag_groups = [flag_group(flags = ["-I", "binary"])], ), ], ) # Define build support flags. supports_dynamic_linker_feature = feature(name = "supports_dynamic_linker", enabled = True) supports_pic_feature = feature(name = "supports_pic", enabled = True) # Create the list of all available build features. features = [ default_compile_flags_feature, default_link_flags_feature, supports_pic_feature, objcopy_embed_flags_feature, opt_feature, dbg_feature, user_compile_flags_feature, sysroot_feature, unfiltered_compile_flags_feature, ] # Specify the built-in include directories (set with -isystem). cxx_builtin_include_directories = [ "%package(@org_linaro_components_toolchain_gcc_aarch64//include)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/usr/include)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/usr/lib/include)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/lib/gcc/aarch64-linux-gnu/7.4.1/include-fixed)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//include)%/c++/7.4.1", "%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/lib/gcc/aarch64-linux-gnu/7.4.1/include)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//lib/gcc/aarch64-linux-gnu/7.4.1/include)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//lib/gcc/aarch64-linux-gnu/7.4.1/include-fixed)%", "%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/include)%/c++/7.4.1", ] # List the names of any generated artifacts. artifact_name_patterns = [] # Set any variables to be passed to make. make_variables = [] # Specify the location of all the build tools. tool_paths = [ tool_path( name = "ar", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-ar", ), tool_path( name = "compat-ld", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-ld", ), tool_path( name = "cpp", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-gcc", ), tool_path( name = "gcc", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-gcc", ), tool_path( name = "ld", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-ld", ), tool_path( name = "nm", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-nm", ), tool_path( name = "objcopy", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-objcopy", ), tool_path( name = "objdump", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-objdump", ), tool_path( name = "strip", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-strip", ), # Note: These don't actually exist and don't seem to get used, but they # are required by cc_binary() anyway. tool_path( name = "dwp", path = "arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-dwp", ), tool_path( name = "gcov", path = "arm-frc-linux-gnueabi/arm-frc-linux-gnueabi-gcov-4.9", ), ] # Not sure what this is for but everybody's doing it (including the default # built-in toolchain config @ # https://github.com/bazelbuild/bazel/blob/master/tools/cpp/cc_toolchain_config.bzl) # so... out = ctx.actions.declare_file(ctx.label.name) ctx.actions.write(out, "Fake executable") # Create and return the CcToolchainConfigInfo object. return [ cc_common.create_cc_toolchain_config_info( ctx = ctx, features = features, action_configs = action_configs, artifact_name_patterns = artifact_name_patterns, cxx_builtin_include_directories = cxx_builtin_include_directories, toolchain_identifier = toolchain_identifier, host_system_name = host_system_name, target_system_name = target_system_name, target_cpu = target_cpu, target_libc = target_libc, compiler = compiler, abi_version = abi_version, abi_libc_version = abi_libc_version, tool_paths = tool_paths, make_variables = make_variables, builtin_sysroot = builtin_sysroot, cc_target_os = cc_target_os, ), DefaultInfo( executable = out, ), ] cc_toolchain_config = rule( implementation = _impl, attrs = { "cpu": attr.string(mandatory = True, values = ["aarch64-linux-gnu"]), "compiler": attr.string(mandatory = False, values = ["gcc"]), }, provides = [CcToolchainConfigInfo], executable = True, )
"""AArch64 (ARM 64-bit) C/C++ toolchain.""" load('@bazel_tools//tools/cpp:cc_toolchain_config_lib.bzl', 'action_config', 'feature', 'flag_group', 'flag_set', 'tool', 'tool_path', 'with_feature_set') load('@bazel_tools//tools/build_defs/cc:action_names.bzl', 'ACTION_NAMES') def _impl(ctx): toolchain_identifier = 'aarch64-linux-gnu' host_system_name = 'aarch64-linux-gnu' target_system_name = 'arm_a15' target_cpu = 'aarch64-linux-gnu' target_libc = 'glibc_2.19' compiler = 'gcc' abi_version = 'gcc' abi_libc_version = 'glibc_2.19' cc_target_os = None builtin_sysroot = None sysroot_feature = feature(name='sysroot', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match, ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library], flag_groups=[flag_group(flags=['--sysroot=%{sysroot}'], expand_if_available='sysroot')])]) opt_feature = feature(name='opt') dbg_feature = feature(name='dbg') unfiltered_compile_flags_feature = feature(name='unfiltered_compile_flags', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-no-canonical-prefixes', '-Wno-builtin-macro-redefined', '-D__DATE__="redacted"', '-D__TIMESTAMP__="redacted"', '-D__TIME__="redacted"'])])]) default_compile_flags_feature = feature(name='default_compile_flags', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['--sysroot=external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc', '-nostdinc', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/lib/gcc/aarch64-linux-gnu/7.4.1/include', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/lib/gcc/aarch64-linux-gnu/7.4.1/include-fixed', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/include/c++/7.4.1', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc/usr/include', '-U_FORTIFY_SOURCE', '-fstack-protector', '-fPIE', '-fdiagnostics-color=always', '-Wall', '-Wunused-but-set-parameter', '-Wno-free-nonheap-object', '-fno-omit-frame-pointer'])]), flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-g'])], with_features=[with_feature_set(features=['dbg'])]), flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-g0', '-O2', '-DNDEBUG', '-ffunction-sections', '-fdata-sections'])], with_features=[with_feature_set(features=['opt'])]), flag_set(actions=[ACTION_NAMES.linkstamp_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/include/c++/7.4.1/aarch64-linux-gnu', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/include/c++/7.4.1', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/include/c++/7.4.1/aarch64-linux-gnu', '-isystem', 'external/org_linaro_components_toolchain_gcc_aarch64/include/c++/7.4.1'])])]) user_compile_flags_feature = feature(name='user_compile_flags', enabled=True, flag_sets=[flag_set(actions=[ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.c_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match], flag_groups=[flag_group(flags=['%{user_compile_flags}'], iterate_over='user_compile_flags', expand_if_available='user_compile_flags')])]) all_link_actions = [ACTION_NAMES.cpp_link_executable, ACTION_NAMES.cpp_link_dynamic_library, ACTION_NAMES.cpp_link_nodeps_dynamic_library] default_link_flags_feature = feature(name='default_link_flags', enabled=True, flag_sets=[flag_set(actions=all_link_actions, flag_groups=[flag_group(flags=['--sysroot=external/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc', '-lstdc++', '-latomic', '-lm', '-lpthread', '-Ltools/arm/linaro_linux_gcc_aarch64/clang_more_libs', '-Lexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/lib', '-Lexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc/lib', '-Lexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/libc/usr/lib', '-Bexternal/org_linaro_components_toolchain_gcc_aarch64/aarch64-linux-gnu/bin', '-Wl,--dynamic-linker=/lib/ld-linux-aarch64.so.1', '-no-canonical-prefixes', '-pie', '-Wl,-z,relro,-z,now'])]), flag_set(actions=all_link_actions, flag_groups=[flag_group(flags=['-Wl,--gc-sections'])], with_features=[with_feature_set(features=['opt'])])]) objcopy_embed_data_action = action_config(action_name='objcopy_embed_data', enabled=True, tools=[tool(path='linaro_linux_gcc_aarch64/aarch64-linux-gnu-objcopy')]) action_configs = [objcopy_embed_data_action] objcopy_embed_flags_feature = feature(name='objcopy_embed_flags', enabled=True, flag_sets=[flag_set(actions=['objcopy_embed_data'], flag_groups=[flag_group(flags=['-I', 'binary'])])]) supports_dynamic_linker_feature = feature(name='supports_dynamic_linker', enabled=True) supports_pic_feature = feature(name='supports_pic', enabled=True) features = [default_compile_flags_feature, default_link_flags_feature, supports_pic_feature, objcopy_embed_flags_feature, opt_feature, dbg_feature, user_compile_flags_feature, sysroot_feature, unfiltered_compile_flags_feature] cxx_builtin_include_directories = ['%package(@org_linaro_components_toolchain_gcc_aarch64//include)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/usr/include)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/usr/lib/include)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/lib/gcc/aarch64-linux-gnu/7.4.1/include-fixed)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//include)%/c++/7.4.1', '%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/libc/lib/gcc/aarch64-linux-gnu/7.4.1/include)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//lib/gcc/aarch64-linux-gnu/7.4.1/include)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//lib/gcc/aarch64-linux-gnu/7.4.1/include-fixed)%', '%package(@org_linaro_components_toolchain_gcc_aarch64//aarch64-linux-gnu/include)%/c++/7.4.1'] artifact_name_patterns = [] make_variables = [] tool_paths = [tool_path(name='ar', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-ar'), tool_path(name='compat-ld', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-ld'), tool_path(name='cpp', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-gcc'), tool_path(name='gcc', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-gcc'), tool_path(name='ld', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-ld'), tool_path(name='nm', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-nm'), tool_path(name='objcopy', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-objcopy'), tool_path(name='objdump', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-objdump'), tool_path(name='strip', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-strip'), tool_path(name='dwp', path='arm/linaro_linux_gcc_aarch64/aarch64-linux-gnu-dwp'), tool_path(name='gcov', path='arm-frc-linux-gnueabi/arm-frc-linux-gnueabi-gcov-4.9')] out = ctx.actions.declare_file(ctx.label.name) ctx.actions.write(out, 'Fake executable') return [cc_common.create_cc_toolchain_config_info(ctx=ctx, features=features, action_configs=action_configs, artifact_name_patterns=artifact_name_patterns, cxx_builtin_include_directories=cxx_builtin_include_directories, toolchain_identifier=toolchain_identifier, host_system_name=host_system_name, target_system_name=target_system_name, target_cpu=target_cpu, target_libc=target_libc, compiler=compiler, abi_version=abi_version, abi_libc_version=abi_libc_version, tool_paths=tool_paths, make_variables=make_variables, builtin_sysroot=builtin_sysroot, cc_target_os=cc_target_os), default_info(executable=out)] cc_toolchain_config = rule(implementation=_impl, attrs={'cpu': attr.string(mandatory=True, values=['aarch64-linux-gnu']), 'compiler': attr.string(mandatory=False, values=['gcc'])}, provides=[CcToolchainConfigInfo], executable=True)
class RGBs(object): def __init__(self, rgbcs): self.colors = [] for rgbc in rgbcs: rgb = rgbc[:-1] for i in range(rgbc[-1]): self.colors.append(rgb) def list(self): return self.colors
class Rgbs(object): def __init__(self, rgbcs): self.colors = [] for rgbc in rgbcs: rgb = rgbc[:-1] for i in range(rgbc[-1]): self.colors.append(rgb) def list(self): return self.colors
#!/usr/bin/python3 # ****************************************************************************** # Copyright (c) Huawei Technologies Co., Ltd. 2021-2022. All rights reserved. # licensed under the Mulan PSL v2. # You can use this software according to the terms and conditions of the Mulan PSL v2. # You may obtain a copy of Mulan PSL v2 at: # http://license.coscl.org.cn/MulanPSL2 # THIS SOFTWARE IS PROVIDED ON AN 'AS IS' BASIS, WITHOUT WARRANTIES OF ANY KIND, EITHER EXPRESS OR # IMPLIED, INCLUDING BUT NOT LIMITED TO NON-INFRINGEMENT, MERCHANTABILITY OR FIT FOR A PARTICULAR # PURPOSE. # See the Mulan PSL v2 for more details. # ******************************************************************************/ """ Time: Author: Description: playbook template """ COPY_SCRIPT_TEMPLATE = { 'hosts': 'total_hosts', 'gather_facts': False, 'tasks': [ { 'name': 'copy script', 'become': True, 'become_user': 'root', 'copy': { 'src': 'check.sh', 'dest': '/tmp/check.sh', 'owner': 'root', 'group': 'root', 'mode': 'a+x' } } ] } REBOOT_TEMPLATE = { 'hosts': 'reboot_hosts', 'gather_facts': False, 'tasks': [ { 'name': 'reboot', 'become': True, 'become_user': 'root', 'shell': 'reboot' } ] }
""" Time: Author: Description: playbook template """ copy_script_template = {'hosts': 'total_hosts', 'gather_facts': False, 'tasks': [{'name': 'copy script', 'become': True, 'become_user': 'root', 'copy': {'src': 'check.sh', 'dest': '/tmp/check.sh', 'owner': 'root', 'group': 'root', 'mode': 'a+x'}}]} reboot_template = {'hosts': 'reboot_hosts', 'gather_facts': False, 'tasks': [{'name': 'reboot', 'become': True, 'become_user': 'root', 'shell': 'reboot'}]}
t=int(input()) while(t): t-=1 n=int(input()) n1=n//10 re=n1*(n1+1) re//=2 print(re*10)
t = int(input()) while t: t -= 1 n = int(input()) n1 = n // 10 re = n1 * (n1 + 1) re //= 2 print(re * 10)
class Node: def __init__(self, val): self.val = val self.next = None def main(s, is_part2=False): vals = [int(c) for c in s] if is_part2: num_iters = int(10e6) vals.extend(range(max(vals)+1, int(1e6)+1)) else: num_iters = 100 min_val, max_val = min(vals), max(vals) nodes = [Node(v) for v in vals] num_nodes = len(nodes) node_lookup = dict(zip(vals, nodes)) for i, node in enumerate(nodes): node.next = nodes[(i+1)%num_nodes] curr = nodes[0] for i in range(num_iters): #print('move %d'%(i+1)) #print([x+1 for x in a]) #print('parens:', curr_val+1) up = [curr.next] up.append(up[-1].next) up.append(up[-1].next) curr.next = up[-1].next #print('pick up: %s'%[x+1 for x in up]) up_vals = [n.val for n in up] dest_val = curr.val - 1 while True: if dest_val <= 0: dest_val = max_val if dest_val not in up_vals: break dest_val -= 1 dest = node_lookup[dest_val] up[-1].next = dest.next dest.next = up[0] curr = curr.next one = node_lookup[1] if not is_part2: node = one.next ans = list() while node != one: ans.append(node.val) node = node.next print(''.join([str(a) for a in ans])) else: print(one.next.val * one.next.next.val) if __name__ == '__main__': #s = '389125467' s = '784235916' main(s) main(s, is_part2=True)
class Node: def __init__(self, val): self.val = val self.next = None def main(s, is_part2=False): vals = [int(c) for c in s] if is_part2: num_iters = int(10000000.0) vals.extend(range(max(vals) + 1, int(1000000.0) + 1)) else: num_iters = 100 (min_val, max_val) = (min(vals), max(vals)) nodes = [node(v) for v in vals] num_nodes = len(nodes) node_lookup = dict(zip(vals, nodes)) for (i, node) in enumerate(nodes): node.next = nodes[(i + 1) % num_nodes] curr = nodes[0] for i in range(num_iters): up = [curr.next] up.append(up[-1].next) up.append(up[-1].next) curr.next = up[-1].next up_vals = [n.val for n in up] dest_val = curr.val - 1 while True: if dest_val <= 0: dest_val = max_val if dest_val not in up_vals: break dest_val -= 1 dest = node_lookup[dest_val] up[-1].next = dest.next dest.next = up[0] curr = curr.next one = node_lookup[1] if not is_part2: node = one.next ans = list() while node != one: ans.append(node.val) node = node.next print(''.join([str(a) for a in ans])) else: print(one.next.val * one.next.next.val) if __name__ == '__main__': s = '784235916' main(s) main(s, is_part2=True)
#!/usr/bin/python """ Perhaps a little ambitious, this will be a Scratch style Sprite Actor sim Sprite 1 image = cat: costumes = [ ("costume1" : ... ), ("costume2" : ... ), ... ("costumeN" : ... ), ] sounds = [ ("sound1" : "meow.wav" ), ("sound2" : "purr.wav"), ... ("costumeN" : "chirrup.wav" ), ] class Sprite(...) image = ... @when_start def ... "when start is clicked:" @when_clicked def ... "when sprite 1 is clicked:" @when_I_receive def <event name> "when I receive (event):" " broadcast (event)" " broadcast (event) and wait (for what?)" @when_key_pressed("key?") (value vs __call__ed value) def ... Booleans: - touching (pointer, edge, another sprite) - touching (colour) - color (colour) is touching (colour) - ask (text) and wait (answer in "answer"...) - Attrs - answer - mousex - mousey - mousedown? - timer (since start/reset) - loudness - key <key> pressed ? - distance to <mousepointer, other sprite> - reset timer - {attr} of {sprite} - attr : x pos, y pos, direction, costume #, size, volume - sprite: any sprite - loud? - {sensor} sensor value - sensor: slide, light, sound, resistance A,resistance B,resistance C,resistance D, tilt, distance - sensor {button pressed} - button pressed: button pressed, A connected, B connected, C connected, D connected """
""" Perhaps a little ambitious, this will be a Scratch style Sprite Actor sim Sprite 1 image = cat: costumes = [ ("costume1" : ... ), ("costume2" : ... ), ... ("costumeN" : ... ), ] sounds = [ ("sound1" : "meow.wav" ), ("sound2" : "purr.wav"), ... ("costumeN" : "chirrup.wav" ), ] class Sprite(...) image = ... @when_start def ... "when start is clicked:" @when_clicked def ... "when sprite 1 is clicked:" @when_I_receive def <event name> "when I receive (event):" " broadcast (event)" " broadcast (event) and wait (for what?)" @when_key_pressed("key?") (value vs __call__ed value) def ... Booleans: - touching (pointer, edge, another sprite) - touching (colour) - color (colour) is touching (colour) - ask (text) and wait (answer in "answer"...) - Attrs - answer - mousex - mousey - mousedown? - timer (since start/reset) - loudness - key <key> pressed ? - distance to <mousepointer, other sprite> - reset timer - {attr} of {sprite} - attr : x pos, y pos, direction, costume #, size, volume - sprite: any sprite - loud? - {sensor} sensor value - sensor: slide, light, sound, resistance A,resistance B,resistance C,resistance D, tilt, distance - sensor {button pressed} - button pressed: button pressed, A connected, B connected, C connected, D connected """
# pythonMutateString.py def mutate_string(string, position, character): # Yet another, Python one liner... return string[:position] + character + string[position + 1:]
def mutate_string(string, position, character): return string[:position] + character + string[position + 1:]
a=("Hello world\n\n") print(a) name=("Stan") age=("20+") c=(f"My name is {name}.\nI am {age} years of age.Young, Rigth?\n\n") print(c) d=("The maximum number in this list: [12, 4, 56, 17, 8, 99] is 99") f=(12+4+56+17+8+99)/6 e=( f"The mean: [12, 4, 56, 17, 8, 99] is {f} \n\n") print(d) print(e) print("A for Apple") print("B for Boy") print("C for Cow") print("...\n") print("Z for Zebra")
a = 'Hello world\n\n' print(a) name = 'Stan' age = '20+' c = f'My name is {name}.\nI am {age} years of age.Young, Rigth?\n\n' print(c) d = 'The maximum number in this list: [12, 4, 56, 17, 8, 99] is 99' f = (12 + 4 + 56 + 17 + 8 + 99) / 6 e = f'The mean: [12, 4, 56, 17, 8, 99] is {f} \n\n' print(d) print(e) print('A for Apple') print('B for Boy') print('C for Cow') print('...\n') print('Z for Zebra')
#reads an int 'a' number os lines #reads each line and adds the entire document a = int(input()) s = 0 while(a): line = input() line = (" ".join(line.split())).split(' ') for i in range(0,len(line)): s += int(line[i]) a -= 1 print(s)
a = int(input()) s = 0 while a: line = input() line = ' '.join(line.split()).split(' ') for i in range(0, len(line)): s += int(line[i]) a -= 1 print(s)
# Syntax error in Py2 def foo(): yield from ( foo )
def foo(): yield from foo
def f(l, r): global a if l + 1 >= r: return m = (l + r) // 2 s = m - l f(l, m) f(m, r) t = a[l:m] i = l j = 0 k = m while True: if t[j][0] <= a[k][0]: a[i] = t[j] a[i][2] += k - m i += 1 j += 1 if j == s: break else: a[i] = a[k] a[i][1] += s - j i += 1 k += 1 if k == r: break while j != s: a[i] = t[j] a[i][2] += k - m i += 1 j += 1 n = int(input()) a = [[v, 0, 0] for v in map(int, input().split())] f(0, n) c = 0 for _, l, r in a: c += l * r print(c)
def f(l, r): global a if l + 1 >= r: return m = (l + r) // 2 s = m - l f(l, m) f(m, r) t = a[l:m] i = l j = 0 k = m while True: if t[j][0] <= a[k][0]: a[i] = t[j] a[i][2] += k - m i += 1 j += 1 if j == s: break else: a[i] = a[k] a[i][1] += s - j i += 1 k += 1 if k == r: break while j != s: a[i] = t[j] a[i][2] += k - m i += 1 j += 1 n = int(input()) a = [[v, 0, 0] for v in map(int, input().split())] f(0, n) c = 0 for (_, l, r) in a: c += l * r print(c)
class InputError(Exception): """ """ pass boundary_prop = dict() boundary_list = [ "MASTER_ROTOR_BOUNDARY", "SLAVE_ROTOR_BOUNDARY", "MASTER_SLAVE_ROTOR_BOUNDARY", "SB_ROTOR_BOUNDARY", "MASTER_STATOR_BOUNDARY", "SLAVE_STATOR_BOUNDARY", "MASTER_SLAVE_STATOR_BOUNDARY", "SB_STATOR_BOUNDARY", "AIRGAP_ARC_BOUNDARY", "VP0_BOUNDARY", ] boundary_prop["int_airgap_line_1"] = "MASTER_ROTOR_BOUNDARY" boundary_prop["int_airgap_line_2"] = "SLAVE_ROTOR_BOUNDARY" boundary_prop["int_sb_line_1"] = "MASTER_ROTOR_BOUNDARY" boundary_prop["int_sb_line_2"] = "SLAVE_ROTOR_BOUNDARY" boundary_prop[ "Rotor_Yoke_Side" ] = "MASTER_SLAVE_ROTOR_BOUNDARY" # it needs to be found out later boundary_prop["int_sb_arc"] = "SB_ROTOR_BOUNDARY" boundary_prop["ext_airgap_line_1"] = "MASTER_STATOR_BOUNDARY" boundary_prop["ext_airgap_line_2"] = "SLAVE_STATOR_BOUNDARY" boundary_prop["ext_sb_line_1"] = "MASTER_STATOR_BOUNDARY" boundary_prop["ext_sb_line_2"] = "SLAVE_STATOR_BOUNDARY" boundary_prop["airbox_line_1"] = "MASTER_STATOR_BOUNDARY" boundary_prop["airbox_line_2"] = "SLAVE_STATOR_BOUNDARY" boundary_prop[ "Stator_Yoke_Side" ] = "MASTER_SLAVE_STATOR_BOUNDARY" # it needs to be found out later boundary_prop["ext_sb_arc"] = "SB_STATOR_BOUNDARY" boundary_prop["ext_airgap_arc_copy"] = "AIRGAP_ARC_BOUNDARY" boundary_prop["airbox_arc"] = "VP0_BOUNDARY"
class Inputerror(Exception): """ """ pass boundary_prop = dict() boundary_list = ['MASTER_ROTOR_BOUNDARY', 'SLAVE_ROTOR_BOUNDARY', 'MASTER_SLAVE_ROTOR_BOUNDARY', 'SB_ROTOR_BOUNDARY', 'MASTER_STATOR_BOUNDARY', 'SLAVE_STATOR_BOUNDARY', 'MASTER_SLAVE_STATOR_BOUNDARY', 'SB_STATOR_BOUNDARY', 'AIRGAP_ARC_BOUNDARY', 'VP0_BOUNDARY'] boundary_prop['int_airgap_line_1'] = 'MASTER_ROTOR_BOUNDARY' boundary_prop['int_airgap_line_2'] = 'SLAVE_ROTOR_BOUNDARY' boundary_prop['int_sb_line_1'] = 'MASTER_ROTOR_BOUNDARY' boundary_prop['int_sb_line_2'] = 'SLAVE_ROTOR_BOUNDARY' boundary_prop['Rotor_Yoke_Side'] = 'MASTER_SLAVE_ROTOR_BOUNDARY' boundary_prop['int_sb_arc'] = 'SB_ROTOR_BOUNDARY' boundary_prop['ext_airgap_line_1'] = 'MASTER_STATOR_BOUNDARY' boundary_prop['ext_airgap_line_2'] = 'SLAVE_STATOR_BOUNDARY' boundary_prop['ext_sb_line_1'] = 'MASTER_STATOR_BOUNDARY' boundary_prop['ext_sb_line_2'] = 'SLAVE_STATOR_BOUNDARY' boundary_prop['airbox_line_1'] = 'MASTER_STATOR_BOUNDARY' boundary_prop['airbox_line_2'] = 'SLAVE_STATOR_BOUNDARY' boundary_prop['Stator_Yoke_Side'] = 'MASTER_SLAVE_STATOR_BOUNDARY' boundary_prop['ext_sb_arc'] = 'SB_STATOR_BOUNDARY' boundary_prop['ext_airgap_arc_copy'] = 'AIRGAP_ARC_BOUNDARY' boundary_prop['airbox_arc'] = 'VP0_BOUNDARY'
class Kibibyte: def __init__(self, value_kibibytes: int): self._value_kibibytes = value_kibibytes self.one_kibibyte_in_bits = 8192 self._value_bits = self._convert_into_bits(value_kibibytes) self.id = "KiB" def _convert_into_bits(self, value_kibibytes: int) -> int: return value_kibibytes * self.one_kibibyte_in_bits def convert_from_bits_to_kibibytes(self, bits: int) -> float: return (bits / self.one_kibibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_kibibytes(self) -> int: return self._value_kibibytes class Mebibyte: def __init__(self, value_mebibytes: int): self._value_mebibytes = value_mebibytes self.one_mebibyte_in_bits = 8.389e+6 self._value_bits = self._convert_into_bits(value_mebibytes) self.id = "MiB" def _convert_into_bits(self, value_mebibytes: int) -> int: return value_mebibytes * self.one_mebibyte_in_bits def convert_from_bits_to_mebibytes(self, bits: int) -> float: return (bits / self.one_mebibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_mebibytes(self) -> int: return self._value_mebibytes class Gibibyte: def __init__(self, value_gibibytes: int): self._value_gibibytes = value_gibibytes self.one_gibibyte_in_bits = 8.59e+9 self._value_bits = self._convert_into_bits(value_gibibytes) self.id = "GiB" def _convert_into_bits(self, value_gibibytes: int) -> int: return value_gibibytes * self.one_gibibyte_in_bits def convert_from_bits_to_gibibytes(self, bits: int) -> float: return (bits / self.one_gibibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_gibibytes(self) -> int: return self._value_gibibytes class Tebibyte: def __init__(self, value_tebibytes: int): self._value_tebibytes = value_tebibytes self.one_tebibyte_in_bits = 8.796e+12 self._value_bits = self._convert_into_bits(value_tebibytes) self.id = "TiB" def _convert_into_bits(self, value_terabytes: int) -> int: return value_terabytes * self.one_tebibyte_in_bits def convert_from_bits_to_tebibytes(self, bits: int) -> float: return (bits / self.one_tebibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_terabytes(self) -> int: return self._value_tebibytes class Pebibyte: def __init__(self, value_pebibytes: int): self._value_pebibytes = value_pebibytes self.one_pebibyte_in_bits = 9.007e+15 self._value_bits = self._convert_into_bits(value_pebibytes) self.id = "PiB" def _convert_into_bits(self, value_petabytes: int) -> int: return value_petabytes * self.one_pebibyte_in_bits def convert_from_bits_to_pebibytes(self, bits: int) -> float: return (bits / self.one_pebibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_pebibytes(self) -> int: return self._value_pebibytes class Exbibyte: def __init__(self, value_exbibytes: int): self._value_exbibytes = value_exbibytes self.one_exbibyte_in_bits = 9.223e+18 self._value_bits = self._convert_into_bits(value_exbibytes) self.id = "EiB" def _convert_into_bits(self, value_exabytes: int) -> int: return value_exabytes * self.one_exbibyte_in_bits def convert_from_bits_to_exbibytes(self, bits: int) -> float: return (bits / self.one_exbibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_exbibytes(self) -> int: return self._value_exbibytes class Zebibyte: def __init__(self, value_zebibytes: int): self._value_zebibytes = value_zebibytes self.one_zebibyte_in_bits = 9.445e+21 self._value_bits = self._convert_into_bits(value_zebibytes) self.id = "ZiB" def _convert_into_bits(self, value_zettabytes: int) -> int: return value_zettabytes * self.one_zebibyte_in_bits def convert_from_bits_to_zebibytes(self, bits: int) -> float: return (bits / self.one_zebibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_zebibyte(self) -> int: return self._value_zebibytes class Yobibyte: def __init__(self, value_yobibytes: int): self._value_yobibytes = value_yobibytes self.one_yobibyte_in_bits = 9.671e+24 self._value_bits = self._convert_into_bits(value_yobibytes) self.id = "YiB" def _convert_into_bits(self, value_yottabytes: int) -> int: return value_yottabytes * self.one_yobibyte_in_bits def convert_from_bits_to_yobibytes(self, bits: int) -> float: return (bits / self.one_yobibyte_in_bits) def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_yobibyte(self) -> int: return self._value_yobibytes
class Kibibyte: def __init__(self, value_kibibytes: int): self._value_kibibytes = value_kibibytes self.one_kibibyte_in_bits = 8192 self._value_bits = self._convert_into_bits(value_kibibytes) self.id = 'KiB' def _convert_into_bits(self, value_kibibytes: int) -> int: return value_kibibytes * self.one_kibibyte_in_bits def convert_from_bits_to_kibibytes(self, bits: int) -> float: return bits / self.one_kibibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_kibibytes(self) -> int: return self._value_kibibytes class Mebibyte: def __init__(self, value_mebibytes: int): self._value_mebibytes = value_mebibytes self.one_mebibyte_in_bits = 8389000.0 self._value_bits = self._convert_into_bits(value_mebibytes) self.id = 'MiB' def _convert_into_bits(self, value_mebibytes: int) -> int: return value_mebibytes * self.one_mebibyte_in_bits def convert_from_bits_to_mebibytes(self, bits: int) -> float: return bits / self.one_mebibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_mebibytes(self) -> int: return self._value_mebibytes class Gibibyte: def __init__(self, value_gibibytes: int): self._value_gibibytes = value_gibibytes self.one_gibibyte_in_bits = 8590000000.0 self._value_bits = self._convert_into_bits(value_gibibytes) self.id = 'GiB' def _convert_into_bits(self, value_gibibytes: int) -> int: return value_gibibytes * self.one_gibibyte_in_bits def convert_from_bits_to_gibibytes(self, bits: int) -> float: return bits / self.one_gibibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_gibibytes(self) -> int: return self._value_gibibytes class Tebibyte: def __init__(self, value_tebibytes: int): self._value_tebibytes = value_tebibytes self.one_tebibyte_in_bits = 8796000000000.0 self._value_bits = self._convert_into_bits(value_tebibytes) self.id = 'TiB' def _convert_into_bits(self, value_terabytes: int) -> int: return value_terabytes * self.one_tebibyte_in_bits def convert_from_bits_to_tebibytes(self, bits: int) -> float: return bits / self.one_tebibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_terabytes(self) -> int: return self._value_tebibytes class Pebibyte: def __init__(self, value_pebibytes: int): self._value_pebibytes = value_pebibytes self.one_pebibyte_in_bits = 9007000000000000.0 self._value_bits = self._convert_into_bits(value_pebibytes) self.id = 'PiB' def _convert_into_bits(self, value_petabytes: int) -> int: return value_petabytes * self.one_pebibyte_in_bits def convert_from_bits_to_pebibytes(self, bits: int) -> float: return bits / self.one_pebibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_pebibytes(self) -> int: return self._value_pebibytes class Exbibyte: def __init__(self, value_exbibytes: int): self._value_exbibytes = value_exbibytes self.one_exbibyte_in_bits = 9.223e+18 self._value_bits = self._convert_into_bits(value_exbibytes) self.id = 'EiB' def _convert_into_bits(self, value_exabytes: int) -> int: return value_exabytes * self.one_exbibyte_in_bits def convert_from_bits_to_exbibytes(self, bits: int) -> float: return bits / self.one_exbibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_exbibytes(self) -> int: return self._value_exbibytes class Zebibyte: def __init__(self, value_zebibytes: int): self._value_zebibytes = value_zebibytes self.one_zebibyte_in_bits = 9.445e+21 self._value_bits = self._convert_into_bits(value_zebibytes) self.id = 'ZiB' def _convert_into_bits(self, value_zettabytes: int) -> int: return value_zettabytes * self.one_zebibyte_in_bits def convert_from_bits_to_zebibytes(self, bits: int) -> float: return bits / self.one_zebibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_zebibyte(self) -> int: return self._value_zebibytes class Yobibyte: def __init__(self, value_yobibytes: int): self._value_yobibytes = value_yobibytes self.one_yobibyte_in_bits = 9.671e+24 self._value_bits = self._convert_into_bits(value_yobibytes) self.id = 'YiB' def _convert_into_bits(self, value_yottabytes: int) -> int: return value_yottabytes * self.one_yobibyte_in_bits def convert_from_bits_to_yobibytes(self, bits: int) -> float: return bits / self.one_yobibyte_in_bits def get_val_in_bits(self) -> int: return self._value_bits def get_val_in_yobibyte(self) -> int: return self._value_yobibytes
class Solution: def twoSum(self, nums: List[int], target: int) -> List[int]: counter=0 addends = [] for i in nums: y=nums y[counter]=None compnum = target-i if compnum in y: addends.append(counter) addends.append(y.index(target-i)) return addends else: counter+=1
class Solution: def two_sum(self, nums: List[int], target: int) -> List[int]: counter = 0 addends = [] for i in nums: y = nums y[counter] = None compnum = target - i if compnum in y: addends.append(counter) addends.append(y.index(target - i)) return addends else: counter += 1
#------------------------------------------------------------------------------------------# # This file is part of Pyccel which is released under MIT License. See the LICENSE file or # # go to https://github.com/pyccel/pyccel/blob/master/LICENSE for full license details. # #------------------------------------------------------------------------------------------# """ Constants that represent simple type checker error message, i.e. messages that do not have any parameters. """ NO_RETURN_VALUE_EXPECTED = 'No return value expected' MISSING_RETURN_STATEMENT = 'Missing return statement' INVALID_IMPLICIT_RETURN = 'Implicit return in function which does not return' INCOMPATIBLE_RETURN_VALUE_TYPE = 'Incompatible return value type' RETURN_VALUE_EXPECTED = 'Return value expected' NO_RETURN_EXPECTED = 'Return statement in function which does not return' RECURSIVE_RESULTS_REQUIRED = ("A results type must be provided for recursive functions with one of the following three syntaxes:\n" "def FUNC_NAME(arg1_name:arg1_type, ...) -> RESULT_TYPES\n" "@types('ARG_TYPES', results='RESULT_TYPES')\n" "#$ header function FUNC_NAME(ARG_TYPES) results(RESULT_TYPES)\n") INCOMPATIBLE_TYPES = 'Incompatible types' INCOMPATIBLE_TYPES_IN_ASSIGNMENT = "Variable has already been defined with type '{}'. Type '{}' in assignment is incompatible" INCOMPATIBLE_REDEFINITION = 'Incompatible redefinition' INCOMPATIBLE_REDEFINITION_STACK_ARRAY = 'Cannot change shape of stack array, because it does not support memory reallocation. Avoid redefinition, or use standard heap array.' STACK_ARRAY_DEFINITION_IN_LOOP = 'Cannot create stack array in loop, because if does not support memory reallocation. Create array before loop, or use standard heap array.' INCOMPATIBLE_ARGUMENT = 'Incompatible argument {} passed to function (expected {}). Please cast the argument explicitly or overload the function (see https://github.com/pyccel/pyccel/blob/master/tutorial/headers.md for details)' UNRECOGNISED_FUNCTION_CALL = 'Function call cannot be processed. Please ensure that your code runs correctly in python. If this is the case then you may be using function arguments which are not currently supported by pyccel. Please create an issue at https://github.com/pyccel/pyccel/issues and provide a small example of your problem.' UNSUPPORTED_ARRAY_RETURN_VALUE = 'Array return arguments are currently not supported' UNSUPPORTED_ARRAY_RANK = 'Arrays of dimensions > 15 are currently not supported' INCOMPATIBLE_TYPES_IN_STR_INTERPOLATION = 'Incompatible types in string interpolation' MUST_HAVE_NONE_RETURN_TYPE = 'The return type of "{}" must be None' INVALID_TUPLE_INDEX_TYPE = 'Invalid tuple index type' TUPLE_INDEX_OUT_OF_RANGE = 'Tuple index out of range' ITERABLE_EXPECTED = 'Iterable expected' INVALID_SLICE_INDEX = 'Slice index must be an integer or None' CANNOT_INFER_LAMBDA_TYPE = 'Cannot infer type of lambda' CANNOT_INFER_ITEM_TYPE = 'Cannot infer iterable item type' CANNOT_ACCESS_INIT = 'Cannot access "__init__" directly' CANNOT_ASSIGN_TO_METHOD = 'Cannot assign to a method' CANNOT_ASSIGN_TO_TYPE = 'Cannot assign to a type' INCONSISTENT_ABSTRACT_OVERLOAD = \ 'Overloaded method has both abstract and non-abstract variants' READ_ONLY_PROPERTY_OVERRIDES_READ_WRITE = \ 'Read-only property cannot override read-write property' FORMAT_REQUIRES_MAPPING = 'Format requires a mapping' RETURN_TYPE_CANNOT_BE_CONTRAVARIANT = "Cannot use a contravariant type variable as return type" FUNCTION_PARAMETER_CANNOT_BE_COVARIANT = "Cannot use a covariant type variable as a parameter" INCOMPATIBLE_IMPORT_OF = "Incompatible import of" FUNCTION_TYPE_EXPECTED = "Function is missing a type annotation" ONLY_CLASS_APPLICATION = "Type application is only supported for generic classes" RETURN_TYPE_EXPECTED = "Function is missing a return type annotation" ARGUMENT_TYPE_EXPECTED = "Function is missing a type annotation for one or more arguments" KEYWORD_ARGUMENT_REQUIRES_STR_KEY_TYPE = \ 'Keyword argument only valid with "str" key type in call to "dict"' ALL_MUST_BE_SEQ_STR = 'Type of __all__ must be {}, not {}' INVALID_TYPEDDICT_ARGS = \ 'Expected keyword arguments, {...}, or dict(...) in TypedDict constructor' TYPEDDICT_KEY_MUST_BE_STRING_LITERAL = \ 'Expected TypedDict key to be string literal' MALFORMED_ASSERT = 'Assertion is always true, perhaps remove parentheses?' NON_BOOLEAN_IN_CONDITIONAL = 'Condition must be a boolean' DUPLICATE_TYPE_SIGNATURES = 'Function has duplicate type signatures' GENERIC_INSTANCE_VAR_CLASS_ACCESS = 'Access to generic instance variables via class is ambiguous' CANNOT_ISINSTANCE_TYPEDDICT = 'Cannot use isinstance() with a TypedDict type' CANNOT_ISINSTANCE_NEWTYPE = 'Cannot use isinstance() with a NewType type' BARE_GENERIC = 'Missing type parameters for generic type' IMPLICIT_GENERIC_ANY_BUILTIN = 'Implicit generic "Any". Use \'{}\' and specify generic parameters' INCOMPATIBLE_TYPEVAR_VALUE = 'Value of type variable "{}" of {} cannot be {}' INCOMPATIBLE_TYPEVAR_TO_FUNC = 'TypeError: ufunc "{}" not supported for the input types, and the inputs could not be safely coerced to any supported types according to the casting rule \'safe\'' UNSUPPORTED_ARGUMENT_2_FOR_SUPER = 'Unsupported argument 2 for "super"' WRONG_NUMBER_OUTPUT_ARGS = 'Number of output arguments does not match number of provided variables' INDEXED_TUPLE = 'Tuples must be indexed with constant integers for the type inference to work' LIST_OF_TUPLES = 'Cannot create list of non-homogeneous tuples' UNUSED_DECORATORS = 'Decorator(s) not used' UNDEFINED_LAMBDA_VARIABLE = 'Unknown variable(s) in lambda function' UNDEFINED_LAMBDA_FUNCTION = 'Unknown function in lambda function' UNDEFINED_INTERFACE_FUNCTION = 'Interface function(s) not found' UNDEFINED_WITH_ACCESS = 'The __enter__ or __exit__ method for the with construct cannot be found' VARARGS = 'An undefined number of input arguments is not covered by Pyccel' # sympy limitation SYMPY_RESTRICTION_DICT_KEYS = 'sympy does not allow dictionary keys to be strings' # Pyccel limitation PYCCEL_RESTRICTION_TRY_EXCEPT_FINALLY = 'Uncovered try/except/finally statements by Pyccel' PYCCEL_RESTRICTION_RAISE = 'Uncovered raise statement by Pyccel' PYCCEL_RESTRICTION_YIELD = 'Uncovered yield statement by Pyccel' PYCCEL_RESTRICTION_IS_ISNOT = 'Only booleans and None are allowed as rhs/lhs for is/isnot statement' PYCCEL_RESTRICTION_PRIMITIVE_IMMUTABLE = 'Cannot translate "is" comparison, because function "id()" is not implemented for basic types "int", "float", "complex" and "str". Please use "==" for comparison instead.' PYCCEL_RESTRICTION_IMPORT = 'Import must be inside a def statement or a module' PYCCEL_RESTRICTION_IMPORT_IN_DEF = 'Only From Import is allowed inside a def statement' PYCCEL_RESTRICTION_IMPORT_STAR = 'import * not allowed' PYCCEL_RESTRICTION_OPTIONAL_NONE = 'Variables cannot be equal to None unless they are optional arguments and None is the default value' PYCCEL_RESTRICTION_UNSUPPORTED_SYNTAX = 'Pyccel has encountered syntax that it does not recognise' PYCCEL_RESTRICTION_TODO = "Pyccel has encountered syntax that has not been implemented yet. Please create an issue at https://github.com/pyccel/pyccel/issues and provide a small example of your problem. Do not forget to specify your target language" PYCCEL_RESTRICTION_MULTIPLE_COMPARISONS = 'Uncovered multi operator comparison statement' PYCCEL_RESTRICTION_LIST_COMPREHENSION_ASSIGN = "The result of a list comprehension expression must be saved in a variable" PYCCEL_RESTRICTION_LIST_COMPREHENSION_SIZE = 'Could not deduce the size of this list comprehension. If you believe this expression is simple then please create an issue at https://github.com/pyccel/pyccel/issues and provide a small example of your problem.' PYCCEL_RESTRICTION_LIST_COMPREHENSION_LIMITS = 'Pyccel cannot handle this list comprehension. This is because there are occasions where the upper bound is smaller than the lower bound for variable {}' PYCCEL_RESTRICTION_INHOMOG_LIST = 'Inhomogeneous lists are not supported by Pyccel. Please use a tuple' # Fortran limitation FORTRAN_ALLOCATABLE_IN_EXPRESSION = 'An allocatable function cannot be used in an expression' FORTRAN_RANDINT_ALLOCATABLE_IN_EXPRESSION = "Numpy's randint function does not have a fortran equivalent. It can be expressed as '(high-low)*rand(size)+low' using numpy's rand, however allocatable function cannot be used in an expression" FORTRAN_ELEMENTAL_SINGLE_ARGUMENT = 'Elemental functions are defined as scalar operators, with a single dummy argument' # other Pyccel messages PYCCEL_INVALID_HEADER = 'Annotated comments must start with omp, acc or header' PYCCEL_MISSING_HEADER = 'Cannot find associated header' MACRO_MISSING_HEADER_OR_FUNC = 'Cannot find associated header/FunctionDef to macro' PYCCEL_UNFOUND_IMPORTED_MODULE = 'Unable to import' FOUND_DUPLICATED_IMPORT = 'Duplicated import ' PYCCEL_UNEXPECTED_IMPORT = 'Pyccel has not correctly handled "import module" statement. Try again with "from module import function" syntax' IMPORTING_EXISTING_IDENTIFIED = \ 'Trying to import an identifier that already exists in the namespace. Hint: use import as' UNDEFINED_FUNCTION = 'Undefined function' UNDEFINED_METHOD = 'Undefined method' UNDEFINED_VARIABLE = 'Undefined variable' UNDEFINED_INDEXED_VARIABLE = 'Undefined indexed variable' UNDEFINED_IMPORT_OBJECT = 'Could not find {} in imported module {}' REDEFINING_VARIABLE = 'Variable already defined' INVALID_FOR_ITERABLE = 'Invalid iterable object in For statement' INVALID_FILE_DIRECTORY = 'No file or directory of this name' INVALID_FILE_EXTENSION = 'Wrong file extension. Expecting `py` of `pyh`, but found' INVALID_PYTHON_SYNTAX = 'Python syntax error' # ARRAY ERRORS ASSIGN_ARRAYS_ONE_ANOTHER = 'Arrays which own their data cannot become views on other arrays' ARRAY_ALREADY_IN_USE = 'Attempt to reallocate an array which is being used by another variable' ARRAY_IS_ARG = 'Attempt to reallocate an array which is an argument. Array arguments cannot be used as local variables' INVALID_POINTER_REASSIGN = 'Attempt to give data ownership to a pointer' INVALID_INDICES = 'only integers and slices (`:`) are valid indices' # warnings UNDEFINED_INIT_METHOD = 'Undefined `__init__` method' FOUND_SYMBOLIC_ASSIGN = 'Found symbolic assignment [Ignored]' FOUND_IS_IN_ASSIGN = 'Found `is` statement in assignment [Ignored]' ARRAY_REALLOCATION = 'Array redefinition may cause memory reallocation at runtime' ARRAY_DEFINITION_IN_LOOP = 'Array definition in for loop may cause memory reallocation at each cycle. Consider creating the array before the loop' TEMPLATE_IN_UNIONTYPE = 'Cannot use templates in a union type' DUPLICATED_SIGNATURE = 'Same signature defined for the same function multiple times'
""" Constants that represent simple type checker error message, i.e. messages that do not have any parameters. """ no_return_value_expected = 'No return value expected' missing_return_statement = 'Missing return statement' invalid_implicit_return = 'Implicit return in function which does not return' incompatible_return_value_type = 'Incompatible return value type' return_value_expected = 'Return value expected' no_return_expected = 'Return statement in function which does not return' recursive_results_required = "A results type must be provided for recursive functions with one of the following three syntaxes:\ndef FUNC_NAME(arg1_name:arg1_type, ...) -> RESULT_TYPES\n@types('ARG_TYPES', results='RESULT_TYPES')\n#$ header function FUNC_NAME(ARG_TYPES) results(RESULT_TYPES)\n" incompatible_types = 'Incompatible types' incompatible_types_in_assignment = "Variable has already been defined with type '{}'. Type '{}' in assignment is incompatible" incompatible_redefinition = 'Incompatible redefinition' incompatible_redefinition_stack_array = 'Cannot change shape of stack array, because it does not support memory reallocation. Avoid redefinition, or use standard heap array.' stack_array_definition_in_loop = 'Cannot create stack array in loop, because if does not support memory reallocation. Create array before loop, or use standard heap array.' incompatible_argument = 'Incompatible argument {} passed to function (expected {}). Please cast the argument explicitly or overload the function (see https://github.com/pyccel/pyccel/blob/master/tutorial/headers.md for details)' unrecognised_function_call = 'Function call cannot be processed. Please ensure that your code runs correctly in python. If this is the case then you may be using function arguments which are not currently supported by pyccel. Please create an issue at https://github.com/pyccel/pyccel/issues and provide a small example of your problem.' unsupported_array_return_value = 'Array return arguments are currently not supported' unsupported_array_rank = 'Arrays of dimensions > 15 are currently not supported' incompatible_types_in_str_interpolation = 'Incompatible types in string interpolation' must_have_none_return_type = 'The return type of "{}" must be None' invalid_tuple_index_type = 'Invalid tuple index type' tuple_index_out_of_range = 'Tuple index out of range' iterable_expected = 'Iterable expected' invalid_slice_index = 'Slice index must be an integer or None' cannot_infer_lambda_type = 'Cannot infer type of lambda' cannot_infer_item_type = 'Cannot infer iterable item type' cannot_access_init = 'Cannot access "__init__" directly' cannot_assign_to_method = 'Cannot assign to a method' cannot_assign_to_type = 'Cannot assign to a type' inconsistent_abstract_overload = 'Overloaded method has both abstract and non-abstract variants' read_only_property_overrides_read_write = 'Read-only property cannot override read-write property' format_requires_mapping = 'Format requires a mapping' return_type_cannot_be_contravariant = 'Cannot use a contravariant type variable as return type' function_parameter_cannot_be_covariant = 'Cannot use a covariant type variable as a parameter' incompatible_import_of = 'Incompatible import of' function_type_expected = 'Function is missing a type annotation' only_class_application = 'Type application is only supported for generic classes' return_type_expected = 'Function is missing a return type annotation' argument_type_expected = 'Function is missing a type annotation for one or more arguments' keyword_argument_requires_str_key_type = 'Keyword argument only valid with "str" key type in call to "dict"' all_must_be_seq_str = 'Type of __all__ must be {}, not {}' invalid_typeddict_args = 'Expected keyword arguments, {...}, or dict(...) in TypedDict constructor' typeddict_key_must_be_string_literal = 'Expected TypedDict key to be string literal' malformed_assert = 'Assertion is always true, perhaps remove parentheses?' non_boolean_in_conditional = 'Condition must be a boolean' duplicate_type_signatures = 'Function has duplicate type signatures' generic_instance_var_class_access = 'Access to generic instance variables via class is ambiguous' cannot_isinstance_typeddict = 'Cannot use isinstance() with a TypedDict type' cannot_isinstance_newtype = 'Cannot use isinstance() with a NewType type' bare_generic = 'Missing type parameters for generic type' implicit_generic_any_builtin = 'Implicit generic "Any". Use \'{}\' and specify generic parameters' incompatible_typevar_value = 'Value of type variable "{}" of {} cannot be {}' incompatible_typevar_to_func = 'TypeError: ufunc "{}" not supported for the input types, and the inputs could not be safely coerced to any supported types according to the casting rule \'safe\'' unsupported_argument_2_for_super = 'Unsupported argument 2 for "super"' wrong_number_output_args = 'Number of output arguments does not match number of provided variables' indexed_tuple = 'Tuples must be indexed with constant integers for the type inference to work' list_of_tuples = 'Cannot create list of non-homogeneous tuples' unused_decorators = 'Decorator(s) not used' undefined_lambda_variable = 'Unknown variable(s) in lambda function' undefined_lambda_function = 'Unknown function in lambda function' undefined_interface_function = 'Interface function(s) not found' undefined_with_access = 'The __enter__ or __exit__ method for the with construct cannot be found' varargs = 'An undefined number of input arguments is not covered by Pyccel' sympy_restriction_dict_keys = 'sympy does not allow dictionary keys to be strings' pyccel_restriction_try_except_finally = 'Uncovered try/except/finally statements by Pyccel' pyccel_restriction_raise = 'Uncovered raise statement by Pyccel' pyccel_restriction_yield = 'Uncovered yield statement by Pyccel' pyccel_restriction_is_isnot = 'Only booleans and None are allowed as rhs/lhs for is/isnot statement' pyccel_restriction_primitive_immutable = 'Cannot translate "is" comparison, because function "id()" is not implemented for basic types "int", "float", "complex" and "str". Please use "==" for comparison instead.' pyccel_restriction_import = 'Import must be inside a def statement or a module' pyccel_restriction_import_in_def = 'Only From Import is allowed inside a def statement' pyccel_restriction_import_star = 'import * not allowed' pyccel_restriction_optional_none = 'Variables cannot be equal to None unless they are optional arguments and None is the default value' pyccel_restriction_unsupported_syntax = 'Pyccel has encountered syntax that it does not recognise' pyccel_restriction_todo = 'Pyccel has encountered syntax that has not been implemented yet. Please create an issue at https://github.com/pyccel/pyccel/issues and provide a small example of your problem. Do not forget to specify your target language' pyccel_restriction_multiple_comparisons = 'Uncovered multi operator comparison statement' pyccel_restriction_list_comprehension_assign = 'The result of a list comprehension expression must be saved in a variable' pyccel_restriction_list_comprehension_size = 'Could not deduce the size of this list comprehension. If you believe this expression is simple then please create an issue at https://github.com/pyccel/pyccel/issues and provide a small example of your problem.' pyccel_restriction_list_comprehension_limits = 'Pyccel cannot handle this list comprehension. This is because there are occasions where the upper bound is smaller than the lower bound for variable {}' pyccel_restriction_inhomog_list = 'Inhomogeneous lists are not supported by Pyccel. Please use a tuple' fortran_allocatable_in_expression = 'An allocatable function cannot be used in an expression' fortran_randint_allocatable_in_expression = "Numpy's randint function does not have a fortran equivalent. It can be expressed as '(high-low)*rand(size)+low' using numpy's rand, however allocatable function cannot be used in an expression" fortran_elemental_single_argument = 'Elemental functions are defined as scalar operators, with a single dummy argument' pyccel_invalid_header = 'Annotated comments must start with omp, acc or header' pyccel_missing_header = 'Cannot find associated header' macro_missing_header_or_func = 'Cannot find associated header/FunctionDef to macro' pyccel_unfound_imported_module = 'Unable to import' found_duplicated_import = 'Duplicated import ' pyccel_unexpected_import = 'Pyccel has not correctly handled "import module" statement. Try again with "from module import function" syntax' importing_existing_identified = 'Trying to import an identifier that already exists in the namespace. Hint: use import as' undefined_function = 'Undefined function' undefined_method = 'Undefined method' undefined_variable = 'Undefined variable' undefined_indexed_variable = 'Undefined indexed variable' undefined_import_object = 'Could not find {} in imported module {}' redefining_variable = 'Variable already defined' invalid_for_iterable = 'Invalid iterable object in For statement' invalid_file_directory = 'No file or directory of this name' invalid_file_extension = 'Wrong file extension. Expecting `py` of `pyh`, but found' invalid_python_syntax = 'Python syntax error' assign_arrays_one_another = 'Arrays which own their data cannot become views on other arrays' array_already_in_use = 'Attempt to reallocate an array which is being used by another variable' array_is_arg = 'Attempt to reallocate an array which is an argument. Array arguments cannot be used as local variables' invalid_pointer_reassign = 'Attempt to give data ownership to a pointer' invalid_indices = 'only integers and slices (`:`) are valid indices' undefined_init_method = 'Undefined `__init__` method' found_symbolic_assign = 'Found symbolic assignment [Ignored]' found_is_in_assign = 'Found `is` statement in assignment [Ignored]' array_reallocation = 'Array redefinition may cause memory reallocation at runtime' array_definition_in_loop = 'Array definition in for loop may cause memory reallocation at each cycle. Consider creating the array before the loop' template_in_uniontype = 'Cannot use templates in a union type' duplicated_signature = 'Same signature defined for the same function multiple times'
# -*- coding: utf-8 -*- """ Created on Thu Dec 24 11:09:37 2020 @author: nacer """ """ Problem link : https://leetcode.com/problems/integer-to-roman/ """ class Solution: def intToRoman(self, n: int) -> str: result = writeDigit( ["I","V","X"], n%10 ) n = n // 10 result = writeDigit( ["X","L","C"], n%10 ) + result n = n // 10 result = writeDigit( ["C","D","M"], n%10 ) + result n = n // 10 result = writeDigit( ["M","",""], n%10 ) + result return result def writeDigit(symbols,digit): if digit<=3 : return symbols[0] * digit elif digit == 4 : return symbols[0] + symbols[1] elif digit == 5 : return symbols[1] elif digit <= 8 : return symbols[1] + (symbols[0] * (digit-5)) elif digit == 9 : return symbols[0] + symbols[2]
""" Created on Thu Dec 24 11:09:37 2020 @author: nacer """ '\nProblem link : https://leetcode.com/problems/integer-to-roman/\n' class Solution: def int_to_roman(self, n: int) -> str: result = write_digit(['I', 'V', 'X'], n % 10) n = n // 10 result = write_digit(['X', 'L', 'C'], n % 10) + result n = n // 10 result = write_digit(['C', 'D', 'M'], n % 10) + result n = n // 10 result = write_digit(['M', '', ''], n % 10) + result return result def write_digit(symbols, digit): if digit <= 3: return symbols[0] * digit elif digit == 4: return symbols[0] + symbols[1] elif digit == 5: return symbols[1] elif digit <= 8: return symbols[1] + symbols[0] * (digit - 5) elif digit == 9: return symbols[0] + symbols[2]
def number(): nl=[] for x in range(2000, 3500): if (x%7==0) and (x%5!=0): nl.append(str(x)) print (','.join(nl)) print ("NUMBER DIVISIBLE BY 7 BUT ARE NOT MULTIPLE OF 5") number()
def number(): nl = [] for x in range(2000, 3500): if x % 7 == 0 and x % 5 != 0: nl.append(str(x)) print(','.join(nl)) print('NUMBER DIVISIBLE BY 7 BUT ARE NOT MULTIPLE OF 5') number()
r""" We treat an s-expression as a binary tree, where leaf nodes are atoms and pairs are nodes with two children. We then number the paths as follows: 1 / \ / \ / \ / \ / \ / \ 2 3 / \ / \ / \ / \ 4 6 5 7 / \ / \ / \ / \ 8 12 10 14 9 13 11 15 etc. You're probably thinking "the first two rows make sense, but why do the numbers do that weird thing after?" The reason has to do with making the implementation simple. We want a simple loop which starts with the root node, then processes bits starting with the least significant, moving either left or right (first or rest). So the LEAST significant bit controls the first branch, then the next-least the second, and so on. That leads to this ugly-numbered tree. """ def compose_paths(path_0, path_1): """ The binary representation of a path is a 1 (which means "stop"), followed by the path as binary digits, where 0 is "left" and 1 is "right". Look at the diagram at the top for these examples. Example: 9 = 0b1001, so right, left, left Example: 10 = 0b1010, so left, right, left How it works: we write both numbers as binary. We ignore the terminal in path_0, since it's not the terminating condition anymore. We shift path_1 enough places to OR in the rest of path_0. Example: path_0 = 9 = 0b1001, path_1 = 10 = 0b1010. Shift path_1 three places (so there is room for 0b001) to 0b1010000. Then OR in 0b001 to yield 0b1010001 = 81, which is right, left, left, left, right, left. """ mask = 1 temp_path = path_0 while temp_path > 1: path_1 <<= 1 mask <<= 1 temp_path >>= 1 mask -= 1 path = path_1 | (path_0 & mask) return path class NodePath: """ Use 1-based paths """ def __init__(self, index=1): if index < 0: byte_count = (index.bit_length() + 7) >> 3 blob = index.to_bytes(byte_count, byteorder="big", signed=True) index = int.from_bytes((b"\0" + blob), byteorder="big", signed=False) self._index = index def as_short_path(self): index = self._index byte_count = (index.bit_length() + 7) >> 3 return index.to_bytes(byte_count, byteorder="big") as_path = as_short_path def __add__(self, other_node): return self.__class__(compose_paths(self._index, other_node._index)) def first(self): return self.__class__(self._index * 2) def rest(self): return self.__class__(self._index * 2 + 1) def __str__(self): return "NodePath: %d" % self._index def __repr__(self): return "NodePath: %d" % self._index TOP = NodePath() LEFT = TOP.first() RIGHT = TOP.rest()
""" We treat an s-expression as a binary tree, where leaf nodes are atoms and pairs are nodes with two children. We then number the paths as follows: 1 / \\ / \\ / \\ / \\ / \\ / \\ 2 3 / \\ / \\ / \\ / \\ 4 6 5 7 / \\ / \\ / \\ / \\ 8 12 10 14 9 13 11 15 etc. You're probably thinking "the first two rows make sense, but why do the numbers do that weird thing after?" The reason has to do with making the implementation simple. We want a simple loop which starts with the root node, then processes bits starting with the least significant, moving either left or right (first or rest). So the LEAST significant bit controls the first branch, then the next-least the second, and so on. That leads to this ugly-numbered tree. """ def compose_paths(path_0, path_1): """ The binary representation of a path is a 1 (which means "stop"), followed by the path as binary digits, where 0 is "left" and 1 is "right". Look at the diagram at the top for these examples. Example: 9 = 0b1001, so right, left, left Example: 10 = 0b1010, so left, right, left How it works: we write both numbers as binary. We ignore the terminal in path_0, since it's not the terminating condition anymore. We shift path_1 enough places to OR in the rest of path_0. Example: path_0 = 9 = 0b1001, path_1 = 10 = 0b1010. Shift path_1 three places (so there is room for 0b001) to 0b1010000. Then OR in 0b001 to yield 0b1010001 = 81, which is right, left, left, left, right, left. """ mask = 1 temp_path = path_0 while temp_path > 1: path_1 <<= 1 mask <<= 1 temp_path >>= 1 mask -= 1 path = path_1 | path_0 & mask return path class Nodepath: """ Use 1-based paths """ def __init__(self, index=1): if index < 0: byte_count = index.bit_length() + 7 >> 3 blob = index.to_bytes(byte_count, byteorder='big', signed=True) index = int.from_bytes(b'\x00' + blob, byteorder='big', signed=False) self._index = index def as_short_path(self): index = self._index byte_count = index.bit_length() + 7 >> 3 return index.to_bytes(byte_count, byteorder='big') as_path = as_short_path def __add__(self, other_node): return self.__class__(compose_paths(self._index, other_node._index)) def first(self): return self.__class__(self._index * 2) def rest(self): return self.__class__(self._index * 2 + 1) def __str__(self): return 'NodePath: %d' % self._index def __repr__(self): return 'NodePath: %d' % self._index top = node_path() left = TOP.first() right = TOP.rest()
a = [2, 3, 4, 7] b = list(a) # b = [:] # b = a liga uma lista na outra b[2] = 8 print(f'Lista A: {a}') print(f'Lista B: {b}')
a = [2, 3, 4, 7] b = list(a) b[2] = 8 print(f'Lista A: {a}') print(f'Lista B: {b}')
class LM75: def __init__(self, i2c, address=72): self.i2c = i2c self.address = address def get_temperature(self): data = self.i2c.readfrom_mem(self.address, 0, 2) temperature = data[0] + (data[1] / 256) return temperature def shutdown(self): self.i2c.writeto_mem(self.address, 1, b"\x01") def wakeup(self): self.i2c.writeto_mem(self.address, 1, b"0x00") def is_shutdown(self): data = self.i2c.readfrom_mem(self.address, 1, 1) return (data[0] & 0x01) == 0x01
class Lm75: def __init__(self, i2c, address=72): self.i2c = i2c self.address = address def get_temperature(self): data = self.i2c.readfrom_mem(self.address, 0, 2) temperature = data[0] + data[1] / 256 return temperature def shutdown(self): self.i2c.writeto_mem(self.address, 1, b'\x01') def wakeup(self): self.i2c.writeto_mem(self.address, 1, b'0x00') def is_shutdown(self): data = self.i2c.readfrom_mem(self.address, 1, 1) return data[0] & 1 == 1
def fastmult1(m,n): def loop(m,n,ans): if n > 0: if n%2==0: return loop(2*m, n//2, ans) else: return loop(m, n-1, m+ans) else: return ans return loop(m,n,0)
def fastmult1(m, n): def loop(m, n, ans): if n > 0: if n % 2 == 0: return loop(2 * m, n // 2, ans) else: return loop(m, n - 1, m + ans) else: return ans return loop(m, n, 0)
del_items(0x80138630) SetType(0x80138630, "struct Creds CreditsText[50]") del_items(0x80138888) SetType(0x80138888, "int CreditsTable[224]") del_items(0x80139C60) SetType(0x80139C60, "struct DIRENTRY card_dir[16][2]") del_items(0x8013A160) SetType(0x8013A160, "struct file_header card_header[16][2]") del_items(0x80139BC0) SetType(0x80139BC0, "struct sjis sjis_table[37]") del_items(0x8013F13C) SetType(0x8013F13C, "unsigned char save_buffer[81920]") del_items(0x80153140) SetType(0x80153140, "struct CharDataStructDef CharDataStruct") del_items(0x80154F20) SetType(0x80154F20, "char TempStr[64]") del_items(0x80154F60) SetType(0x80154F60, "char AlertStr[128]") del_items(0x8013F09C) SetType(0x8013F09C, "struct FeTable McLoadGameMenu") del_items(0x8013F048) SetType(0x8013F048, "int ClassStrTbl[3]") del_items(0x8013F0B8) SetType(0x8013F0B8, "struct FeTable McLoadCard1Menu") del_items(0x8013F0D4) SetType(0x8013F0D4, "struct FeTable McLoadCard2Menu")
del_items(2148763184) set_type(2148763184, 'struct Creds CreditsText[50]') del_items(2148763784) set_type(2148763784, 'int CreditsTable[224]') del_items(2148768864) set_type(2148768864, 'struct DIRENTRY card_dir[16][2]') del_items(2148770144) set_type(2148770144, 'struct file_header card_header[16][2]') del_items(2148768704) set_type(2148768704, 'struct sjis sjis_table[37]') del_items(2148790588) set_type(2148790588, 'unsigned char save_buffer[81920]') del_items(2148872512) set_type(2148872512, 'struct CharDataStructDef CharDataStruct') del_items(2148880160) set_type(2148880160, 'char TempStr[64]') del_items(2148880224) set_type(2148880224, 'char AlertStr[128]') del_items(2148790428) set_type(2148790428, 'struct FeTable McLoadGameMenu') del_items(2148790344) set_type(2148790344, 'int ClassStrTbl[3]') del_items(2148790456) set_type(2148790456, 'struct FeTable McLoadCard1Menu') del_items(2148790484) set_type(2148790484, 'struct FeTable McLoadCard2Menu')
""" Bucket by height, similar to last problem I need a lookup for i, j to know how much "volume" is interior and occupied between "i, j" Make a lookup table of value -> [min index of at least value, max index of at least value] Lookup (i, j) -> volume of walls between i, j """ """ i, j = 0, 1 total = 0 walVolume = 0 startInd = 0 for i in range(0, len(height)): """ class Solution: def trap(self, height): waterColumns = [0 for _ in range(len(height))] highestSeen = height[0] for i in range(len(height)): waterColumns[i] = max(highestSeen, height[i]) highestSeen = max(highestSeen, height[i]) highestSeen = 0 for i in range(len(height) - 1, -1, -1): waterColumns[i] = min(max(highestSeen, height[i]), waterColumns[i]) highestSeen = max(highestSeen, height[i]) total = 0 for i in range(len(height)): waterInColumn = waterColumns[i] - height[i] if waterInColumn > 0: total += waterInColumn return total def test(heights): solver = Solution() print(solver.trap(heights)) test([0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1]) test([4, 2, 0, 3, 2, 5])
""" Bucket by height, similar to last problem I need a lookup for i, j to know how much "volume" is interior and occupied between "i, j" Make a lookup table of value -> [min index of at least value, max index of at least value] Lookup (i, j) -> volume of walls between i, j """ '\ni, j = 0, 1\ntotal = 0\nwalVolume = 0\nstartInd = 0\nfor i in range(0, len(height)):\n\n\n' class Solution: def trap(self, height): water_columns = [0 for _ in range(len(height))] highest_seen = height[0] for i in range(len(height)): waterColumns[i] = max(highestSeen, height[i]) highest_seen = max(highestSeen, height[i]) highest_seen = 0 for i in range(len(height) - 1, -1, -1): waterColumns[i] = min(max(highestSeen, height[i]), waterColumns[i]) highest_seen = max(highestSeen, height[i]) total = 0 for i in range(len(height)): water_in_column = waterColumns[i] - height[i] if waterInColumn > 0: total += waterInColumn return total def test(heights): solver = solution() print(solver.trap(heights)) test([0, 1, 0, 2, 1, 0, 1, 3, 2, 1, 2, 1]) test([4, 2, 0, 3, 2, 5])
class TweetParser(object): def __init__(self): pass ''' get an entity from a tweet if it exists ''' def get_entity(self, entity_type, tweet): if self.contains_entity(entity_type, tweet): return [entity for entity in tweet["entities"][entity_type]] return [] ''' returns True if tweet contains one or more entities (hashtag, url, or media) ''' @staticmethod def contains_entity(entity_type, tweet): if "entities" not in tweet: return False elif entity_type in tweet["entities"] and len(tweet["entities"][entity_type]) > 0: return True return False ''' gets a particular field for an entity if it exists ''' @staticmethod def get_entity_field(field, entity): # beacuse all entities are actually lists # of entity objects for entity_object in entity: if field in entity_object: return entity[field] return None ''' tests a tweet to see if it passes a custom filter method, this just returns the value of the filter method passed in ''' @staticmethod def tweet_passes_custom_filter(function, tweet): return function(tweet) ''' removes all the the specified field from a tweet ''' @staticmethod def strip_tweet(keep_fields, tweet): stripped_tweet = {} expanded_fields = [field_path.split('.') for field_path in keep_fields] for expanded_field in expanded_fields: prev = {} prev_tweet = {} temp_iteration_dict = {} for count, field in enumerate(expanded_field): #if its a top level field if field in tweet: if count+1 == len(expanded_field): temp_iteration_dict[field] = tweet[field] else: temp_iteration_dict[field] = {} prev_tweet = tweet[field] prev = temp_iteration_dict[field] # if its a mid level field elif field in prev_tweet: if count+1 == len(expanded_field): prev[field] = prev_tweet[field] else: prev[field] = {} prev_tweet = prev_tweet[field] prev = prev[field] # merge into main dict c = temp_iteration_dict.copy() stripped_tweet.update(c) return stripped_tweet ''' just tests multiple custom filters see, tweet_passes_custom_filter ''' def tweet_passes_custom_filter_list(self, function_list, tweet): for function in function_list: if not self.tweet_passes_custom_filter(function, tweet): return False return True ''' return true or false depends if tweet passes through the filter filters are just dictionaries. filter = mongo style query dict ''' def tweet_passes_filter(self, filter_obj, tweet): if filter_obj == {}: return True # lists of tuples that # come from our dicts flat_tweet_list = [] for tweet_tuple in self.flatten_dict(tweet): flat_tweet_list.append(tweet_tuple) for filter_tuple in self.flatten_dict(filter_obj): if filter_tuple not in flat_tweet_list: return False return True ''' get a list where each element in the list is a tuple that contains, (['path','to','value'], value_at_path) ''' def flatten_dict(self, dict_obj, path=None): if path is None: path = [] if isinstance(dict_obj, dict): for key in dict_obj.keys(): local_path = path[:] local_path.append(key) for val in self.flatten_dict(dict_obj[key], local_path): yield val else: yield path, dict_obj ''' pulls out the columns from a tweet, usually used for making tweets into a fixed schema/csv/sql table/columnd based data structure, used for csv dump and sqlite db generation ''' def parse_columns_from_tweet(self, tweet, columns): def return_val_for_column(tweet, columns): temp_tweet = {} for sub_field in columns: if temp_tweet == {}: temp_tweet = tweet try: if sub_field.isdigit(): sub_field = int(sub_field) val = temp_tweet[sub_field] if isinstance(val,dict) or isinstance(val,list): temp_tweet = val continue else: if isinstance(val,str): val = val.replace('\n',' ').replace('\r',' ') return val except (KeyError, IndexError) as e: return None break ret_columns = [] for field in columns: split_field = field.split('.') ret_columns.append((field,return_val_for_column(tweet, split_field))) return ret_columns ''' author @yvan tweet parser is a tool for making tweet filters to apply to streams of tweets '''
class Tweetparser(object): def __init__(self): pass '\n get an entity from a tweet if it exists\n ' def get_entity(self, entity_type, tweet): if self.contains_entity(entity_type, tweet): return [entity for entity in tweet['entities'][entity_type]] return [] '\n returns True if tweet contains one or more entities (hashtag, url, or media)\n ' @staticmethod def contains_entity(entity_type, tweet): if 'entities' not in tweet: return False elif entity_type in tweet['entities'] and len(tweet['entities'][entity_type]) > 0: return True return False '\n gets a particular field for an entity if it exists\n ' @staticmethod def get_entity_field(field, entity): for entity_object in entity: if field in entity_object: return entity[field] return None '\n tests a tweet to see if it passes a \n custom filter method, this just returns the\n value of the filter method passed in\n ' @staticmethod def tweet_passes_custom_filter(function, tweet): return function(tweet) '\n removes all the the specified field from a tweet\n ' @staticmethod def strip_tweet(keep_fields, tweet): stripped_tweet = {} expanded_fields = [field_path.split('.') for field_path in keep_fields] for expanded_field in expanded_fields: prev = {} prev_tweet = {} temp_iteration_dict = {} for (count, field) in enumerate(expanded_field): if field in tweet: if count + 1 == len(expanded_field): temp_iteration_dict[field] = tweet[field] else: temp_iteration_dict[field] = {} prev_tweet = tweet[field] prev = temp_iteration_dict[field] elif field in prev_tweet: if count + 1 == len(expanded_field): prev[field] = prev_tweet[field] else: prev[field] = {} prev_tweet = prev_tweet[field] prev = prev[field] c = temp_iteration_dict.copy() stripped_tweet.update(c) return stripped_tweet '\n just tests multiple custom filters\n see, tweet_passes_custom_filter\n ' def tweet_passes_custom_filter_list(self, function_list, tweet): for function in function_list: if not self.tweet_passes_custom_filter(function, tweet): return False return True '\n return true or false depends if\n tweet passes through the filter\n filters are just dictionaries.\n filter = mongo style query dict\n ' def tweet_passes_filter(self, filter_obj, tweet): if filter_obj == {}: return True flat_tweet_list = [] for tweet_tuple in self.flatten_dict(tweet): flat_tweet_list.append(tweet_tuple) for filter_tuple in self.flatten_dict(filter_obj): if filter_tuple not in flat_tweet_list: return False return True "\n get a list where each element in the list\n is a tuple that contains, (['path','to','value'], value_at_path)\n " def flatten_dict(self, dict_obj, path=None): if path is None: path = [] if isinstance(dict_obj, dict): for key in dict_obj.keys(): local_path = path[:] local_path.append(key) for val in self.flatten_dict(dict_obj[key], local_path): yield val else: yield (path, dict_obj) '\n pulls out the columns from a tweet, usually used for making\n tweets into a fixed schema/csv/sql table/columnd based data\n structure, used for csv dump and sqlite db generation\n ' def parse_columns_from_tweet(self, tweet, columns): def return_val_for_column(tweet, columns): temp_tweet = {} for sub_field in columns: if temp_tweet == {}: temp_tweet = tweet try: if sub_field.isdigit(): sub_field = int(sub_field) val = temp_tweet[sub_field] if isinstance(val, dict) or isinstance(val, list): temp_tweet = val continue else: if isinstance(val, str): val = val.replace('\n', ' ').replace('\r', ' ') return val except (KeyError, IndexError) as e: return None break ret_columns = [] for field in columns: split_field = field.split('.') ret_columns.append((field, return_val_for_column(tweet, split_field))) return ret_columns '\nauthor @yvan\ntweet parser is a tool for making tweet filters to apply to streams of tweets\n'
""" Standard exceptions :Author: Jonathan Karr <karr@mssm.edu> :Date: 2021-04-29 :Copyright: 2021, SED-ML Editors :License: Apache 2.0 """ __all__ = [ 'AlgorithmCannotBeSubstitutedException', ] class AlgorithmCannotBeSubstitutedException(Exception): """ Exception that the algorithm substitution policy does not allow an algorithm to be substituted """ pass # pragma: no cover
""" Standard exceptions :Author: Jonathan Karr <karr@mssm.edu> :Date: 2021-04-29 :Copyright: 2021, SED-ML Editors :License: Apache 2.0 """ __all__ = ['AlgorithmCannotBeSubstitutedException'] class Algorithmcannotbesubstitutedexception(Exception): """ Exception that the algorithm substitution policy does not allow an algorithm to be substituted """ pass
class Headers(object): def __init__(self): self.app_key = None self.Authorization = None def getApp_key(self): return self.app_key def setApp_key(self, app_key): self.app_key = app_key def getAuthorization(self): return self.Authorization def setAuthorization(self, Authorization): self.Authorization = Authorization
class Headers(object): def __init__(self): self.app_key = None self.Authorization = None def get_app_key(self): return self.app_key def set_app_key(self, app_key): self.app_key = app_key def get_authorization(self): return self.Authorization def set_authorization(self, Authorization): self.Authorization = Authorization
#finding sum of elements of a list lst=[10,20,30] sum=0 for i in lst: sum=sum+i print(sum) print('\n') #printing index values along with their names for i in range(1,11): print(i,'CHENNAI') print('\n') #dsplaying elements of a list using for lst=[10,20,30] for i in (lst): print(i)
lst = [10, 20, 30] sum = 0 for i in lst: sum = sum + i print(sum) print('\n') for i in range(1, 11): print(i, 'CHENNAI') print('\n') lst = [10, 20, 30] for i in lst: print(i)
# Definition for a binary tree node. # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution: def lowestCommonAncestor(self, root: 'TreeNode', p: 'TreeNode', q: 'TreeNode') -> 'TreeNode': ''' dfs, bottom up ''' self.ans = None def dfs(node, p, q): if not node: return 0 lres = dfs(node.left, p, q) if node.left else 0 rres = dfs(node.right, p, q) if node.right else 0 nres = 1 if node == p else 2 if node == q else 0 if lres + rres + nres == 3: self.ans = node return 0 return max(lres, rres, nres) dfs(root, p, q) return self.ans
class Solution: def lowest_common_ancestor(self, root: 'TreeNode', p: 'TreeNode', q: 'TreeNode') -> 'TreeNode': """ dfs, bottom up """ self.ans = None def dfs(node, p, q): if not node: return 0 lres = dfs(node.left, p, q) if node.left else 0 rres = dfs(node.right, p, q) if node.right else 0 nres = 1 if node == p else 2 if node == q else 0 if lres + rres + nres == 3: self.ans = node return 0 return max(lres, rres, nres) dfs(root, p, q) return self.ans
def laceStringsRecur(s1, s2): """ s1 and s2 are strings. Returns a new str with elements of s1 and s2 interlaced, beginning with s1. If strings are not of same length, then the extra elements should appear at the end. """ def helpLaceStrings(s1, s2, out): if s1 == '': return out + s2 if s2 == '': return out + s1 else: return out + helpLaceStrings(s1[1:], s2[1:], s1[0] + s2[0]) return helpLaceStrings(s1, s2, '')
def lace_strings_recur(s1, s2): """ s1 and s2 are strings. Returns a new str with elements of s1 and s2 interlaced, beginning with s1. If strings are not of same length, then the extra elements should appear at the end. """ def help_lace_strings(s1, s2, out): if s1 == '': return out + s2 if s2 == '': return out + s1 else: return out + help_lace_strings(s1[1:], s2[1:], s1[0] + s2[0]) return help_lace_strings(s1, s2, '')
class Employee: def __init__(self, name, age, salary): self.name = name self.age = age self.salary = salary def work(self): print(f'{self.name} is working ...') class SoftwareEngineer(Employee): def __init__(self, name, age, level, salary): super().__init__(name,age,salary) self.level = level def debug(self): print(f'{self.name} is debuging ... and he gets {self.salary} $$$') class Designer(Employee): pass se = SoftwareEngineer('Mihai', 22, 'Junior', 2500) d = Designer('John', 24, 4000) print(se.salary, se.level) print(se.debug())
class Employee: def __init__(self, name, age, salary): self.name = name self.age = age self.salary = salary def work(self): print(f'{self.name} is working ...') class Softwareengineer(Employee): def __init__(self, name, age, level, salary): super().__init__(name, age, salary) self.level = level def debug(self): print(f'{self.name} is debuging ... and he gets {self.salary} $$$') class Designer(Employee): pass se = software_engineer('Mihai', 22, 'Junior', 2500) d = designer('John', 24, 4000) print(se.salary, se.level) print(se.debug())
print('Welcome to the YES/NO POLLiNG APP.') issue = input('\nWhat is the yes/no issue you will be voting on today? : ') vote_number = int(input('What is the number of voters you will allow on the issue? : ')) password = input('Enter a password for the polling results: ') yes = 0 no = 0 results = {} for i in range(vote_number): name = input('\nEnter your full name: ').title().strip() if name in results.keys(): print('\nSorry, it seems that someone with that name has already voted.') else: print('\nHere is our issue: ' + issue ) choice = input('What do you think? YES/NO: ').lower().strip() if choice == 'yes' or choice == 'y': choice = 'yes' yes += 1 elif choice == 'no' or choice == 'n': choice = 'no' no += 1 else: print('That is not a YES/NO answer, but okay...') # add vote to dictionary results # the trickiest part :/ results[name] = choice print('\nThank you ' + name + '. Your vote of ' + results[name] + ' has been recorded.') # show who actually voted total_votes = len(results.keys()) print('\nThe following ' + str(total_votes) + ' peaple voted: ') for key in results.keys(): print(key) # summarize the voting results print('\nOn the following issue: ' + issue) if yes > no: print('YES wins! ' + str(yes) + ' votes to ' + str(no) + '.') if yes < no: print('NO wins! ' + str(no) + ' votes to ' + str(yes) + '.') else: print('It was a tie. ' + str(yes) + ' votes to ' + str(no) + '.') # admin access guess = input('\nTo see the voting results, enter the admin password: ') if guess == password: for key, value in results.items(): print('Voter: ' + key + '\tVote: ' + value) else: print('Sorry, that is not the correct password.')
print('Welcome to the YES/NO POLLiNG APP.') issue = input('\nWhat is the yes/no issue you will be voting on today? : ') vote_number = int(input('What is the number of voters you will allow on the issue? : ')) password = input('Enter a password for the polling results: ') yes = 0 no = 0 results = {} for i in range(vote_number): name = input('\nEnter your full name: ').title().strip() if name in results.keys(): print('\nSorry, it seems that someone with that name has already voted.') else: print('\nHere is our issue: ' + issue) choice = input('What do you think? YES/NO: ').lower().strip() if choice == 'yes' or choice == 'y': choice = 'yes' yes += 1 elif choice == 'no' or choice == 'n': choice = 'no' no += 1 else: print('That is not a YES/NO answer, but okay...') results[name] = choice print('\nThank you ' + name + '. Your vote of ' + results[name] + ' has been recorded.') total_votes = len(results.keys()) print('\nThe following ' + str(total_votes) + ' peaple voted: ') for key in results.keys(): print(key) print('\nOn the following issue: ' + issue) if yes > no: print('YES wins! ' + str(yes) + ' votes to ' + str(no) + '.') if yes < no: print('NO wins! ' + str(no) + ' votes to ' + str(yes) + '.') else: print('It was a tie. ' + str(yes) + ' votes to ' + str(no) + '.') guess = input('\nTo see the voting results, enter the admin password: ') if guess == password: for (key, value) in results.items(): print('Voter: ' + key + '\tVote: ' + value) else: print('Sorry, that is not the correct password.')
class Solution(object): def findMedianSortedArrays(self, nums1, nums2): """ :type nums1: List[int] :type nums2: List[int] :rtype: float """ n1 = len(nums1) n2 = len(nums2) even = 1 if (n1+n2) == 1: if n1==1: return nums1[0] else: return nums2[0] elif (n1+n2)%2 == 1: even = 0 else: even = 1 i1 = 0 i2 = 0 count = 0 sum = 0 temp = 0 list = [] print ((n1+n2)//2+1) while count < ((n1+n2)//2+1): if i2 == n2: list.append(nums1[i1]) i1 = i1+1 elif i1 == n1: list.append(nums2[i2]) i2 = i2+1 elif nums1[i1]>=nums2[i2]: list.append(nums2[i2]) i2 = i2+1 else: list.append(nums1[i1]) i1 = i1+1 count = count +1 if even == 0: return list[count-1] else: return float(list[count-2]+list[count-1])/2
class Solution(object): def find_median_sorted_arrays(self, nums1, nums2): """ :type nums1: List[int] :type nums2: List[int] :rtype: float """ n1 = len(nums1) n2 = len(nums2) even = 1 if n1 + n2 == 1: if n1 == 1: return nums1[0] else: return nums2[0] elif (n1 + n2) % 2 == 1: even = 0 else: even = 1 i1 = 0 i2 = 0 count = 0 sum = 0 temp = 0 list = [] print((n1 + n2) // 2 + 1) while count < (n1 + n2) // 2 + 1: if i2 == n2: list.append(nums1[i1]) i1 = i1 + 1 elif i1 == n1: list.append(nums2[i2]) i2 = i2 + 1 elif nums1[i1] >= nums2[i2]: list.append(nums2[i2]) i2 = i2 + 1 else: list.append(nums1[i1]) i1 = i1 + 1 count = count + 1 if even == 0: return list[count - 1] else: return float(list[count - 2] + list[count - 1]) / 2
def onlyFlag(): flag = hero.findFlag() if flag: if hero.isReady("jump"): hero.jumpTo(flag.pos) hero.pickUpFlag(flag) def summonIt(): if hero.canCast("summon-burl"): hero.cast("summon-burl") if hero.canCast("summon-undead"): hero.cast("summon-undead") if hero.canCast("raise-dead") and len(hero.findCorpses()): hero.cast("raise-dead") def attackIt(enemy): distance = hero.distanceTo(enemy) if distance < 25 and hero.canCast("fear"): hero.cast("fear", enemy) elif distance < 30 and hero.canCast("chain-lightning"): hero.cast("chain-lightning", enemy) elif distance < 30 and hero.canCast("poison-cloud"): hero.cast("poison-cloud", enemy) elif distance < 15 and hero.health < hero.maxHealth / 1.5: hero.cast("drain-life", enemy) else: hero.attack(enemy) def drainFriend(): friend = hero.findNearest(hero.findFriends()) if friend and friend.type != "burl" and hero.distanceTo(friend) <= 15: hero.cast("drain-life", friend) def battleTactics(): onlyFlag() summonIt() enemy = hero.findNearestEnemy() if enemy and enemy.type != "sand-yak": attackIt(enemy) if hero.health < hero.maxHealth / 2: drainFriend() while True: battleTactics()
def only_flag(): flag = hero.findFlag() if flag: if hero.isReady('jump'): hero.jumpTo(flag.pos) hero.pickUpFlag(flag) def summon_it(): if hero.canCast('summon-burl'): hero.cast('summon-burl') if hero.canCast('summon-undead'): hero.cast('summon-undead') if hero.canCast('raise-dead') and len(hero.findCorpses()): hero.cast('raise-dead') def attack_it(enemy): distance = hero.distanceTo(enemy) if distance < 25 and hero.canCast('fear'): hero.cast('fear', enemy) elif distance < 30 and hero.canCast('chain-lightning'): hero.cast('chain-lightning', enemy) elif distance < 30 and hero.canCast('poison-cloud'): hero.cast('poison-cloud', enemy) elif distance < 15 and hero.health < hero.maxHealth / 1.5: hero.cast('drain-life', enemy) else: hero.attack(enemy) def drain_friend(): friend = hero.findNearest(hero.findFriends()) if friend and friend.type != 'burl' and (hero.distanceTo(friend) <= 15): hero.cast('drain-life', friend) def battle_tactics(): only_flag() summon_it() enemy = hero.findNearestEnemy() if enemy and enemy.type != 'sand-yak': attack_it(enemy) if hero.health < hero.maxHealth / 2: drain_friend() while True: battle_tactics()
end = 6 total = 0 for num in range(end + 1): total += num print(total)
end = 6 total = 0 for num in range(end + 1): total += num print(total)
class BaseButton: def __init__(self): pass def onclick(self): pass
class Basebutton: def __init__(self): pass def onclick(self): pass
def getSumOf3Numbers(array , target): """ Write a function that takes in a non-empty array of distinct integers and an integer representing a target sum. The function should find all triplets in the array that sum up to the target sum and return a two-dimensional array of all these triplets. The numbers in each triplet should be ordered in ascending order, and the triplets themselves should be ordered in ascending order with respect to the numbers they hold. If no three numbers sum up to the target sum, the function should return an empty array. """ #sort the array array.sort() NumSums = [] for i in range(len(array)-2): right = len(array)-1 left = i+1 while left < right: # print(right , left) currSum = array[i]+array[left]+array[right] if currSum == target: NumSums.append([array[i],array[left],array[right]]) left +=1 right -=1 elif currSum < target: left +=1 elif currSum > target: right -=1 else: print("passs") pass return NumSums def GetSumByIteration(array , target): """ THis function uses iterations """ NumSums =[] for i in range(len(array)-2): for j in range(i+1 , len(array)-1): for k in range(j+1 , len(array)): currSum = array[i]+array[j]+array[k] if currSum == target: NumSums.append((array[i],array[j],array[k])) return NumSums res1 = GetSumByIteration([12, 3, 1, 2, -6, 5, -8, 6], 0) print(res1) res = getSumOf3Numbers([12, 3, 1, 2, -6, 5, -8, 6], 0) print(res)
def get_sum_of3_numbers(array, target): """ Write a function that takes in a non-empty array of distinct integers and an integer representing a target sum. The function should find all triplets in the array that sum up to the target sum and return a two-dimensional array of all these triplets. The numbers in each triplet should be ordered in ascending order, and the triplets themselves should be ordered in ascending order with respect to the numbers they hold. If no three numbers sum up to the target sum, the function should return an empty array. """ array.sort() num_sums = [] for i in range(len(array) - 2): right = len(array) - 1 left = i + 1 while left < right: curr_sum = array[i] + array[left] + array[right] if currSum == target: NumSums.append([array[i], array[left], array[right]]) left += 1 right -= 1 elif currSum < target: left += 1 elif currSum > target: right -= 1 else: print('passs') pass return NumSums def get_sum_by_iteration(array, target): """ THis function uses iterations """ num_sums = [] for i in range(len(array) - 2): for j in range(i + 1, len(array) - 1): for k in range(j + 1, len(array)): curr_sum = array[i] + array[j] + array[k] if currSum == target: NumSums.append((array[i], array[j], array[k])) return NumSums res1 = get_sum_by_iteration([12, 3, 1, 2, -6, 5, -8, 6], 0) print(res1) res = get_sum_of3_numbers([12, 3, 1, 2, -6, 5, -8, 6], 0) print(res)