content stringlengths 7 1.05M |
|---|
# We could use f'' string but it is lunched after version 3.5
# So before f'' string developers are used format specifier.
name = 'Amresh'
channel = 'TechieDuo'
# a = f'Good morning, {name}'
# a = 'Good morning, {}\nWelcome to {}, Chief'.format(name, channel)
# customize the position
a = 'Good morning, {1}\nWelcome to {0}, Chief'.format(name, channel)
print (a) |
class Solution:
def romanToInt(self, s: str) -> int:
roman_dict = {'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000}
temp = roman_dict[s[-1]]
summation = temp
for i in s[:-1][::-1]:
value = roman_dict[i]
if value >= temp:
summation += value
temp = value
else:
summation -= value
return summation
sol = Solution()
print(sol.romanToInt("LVIII"))
print(sol.romanToInt("MCMXCIV")) # 1000 = M + 900 = CM + 90 = XC + IV = 4
print(sol.romanToInt("III"))
|
np.random.seed(2020) # set random seed
# sweep through values for lambda
lambdas = np.arange(0.05, 0.95, 0.01)
empirical_variances = np.zeros_like(lambdas)
analytical_variances = np.zeros_like(lambdas)
sig = 0.87
# compute empirical equilibrium variance
for i, lam in enumerate(lambdas):
empirical_variances[i] = ddm_eq_var(5000, x0, xinfty, lambdas[i], sig)
# Hint: you can also do this in one line outside the loop!
analytical_variances = sig**2 / (1 - lambdas**2)
with plt.xkcd():
var_comparison_plot(empirical_variances, analytical_variances) |
#Crie um programa que leia um número inteiro e mostre na tela se ele é par ou ímpar.
n1 = int(input('Digite um número inteiro: '))
resultado = n1 % 2
if resultado == 0:
print('O número é par')
else:
print('o número é impar') |
class SubscriptionSubstitutionTag(object):
"""The subscription substitution tag of an SubscriptionTracking."""
def __init__(self, subscription_substitution_tag=None):
"""Create a SubscriptionSubstitutionTag object
:param subscription_substitution_tag: A tag that will be replaced with
the unsubscribe URL. for example:
[unsubscribe_url]. If this
parameter is used, it will
override both the text and html
parameters. The URL of the link
will be placed at the
substitution tag's location,
with no additional formatting.
:type subscription_substitution_tag: string, optional
"""
self._subscription_substitution_tag = None
if subscription_substitution_tag is not None:
self.subscription_substitution_tag = subscription_substitution_tag
@property
def subscription_substitution_tag(self):
"""A tag that will be replaced with the unsubscribe URL. for example:
[unsubscribe_url]. If this parameter is used, it will override both
the text and html parameters. The URL of the link will be placed at
the substitution tag's location, with no additional formatting.
:rtype: string
"""
return self._subscription_substitution_tag
@subscription_substitution_tag.setter
def subscription_substitution_tag(self, value):
"""A tag that will be replaced with the unsubscribe URL. for example:
[unsubscribe_url]. If this parameter is used, it will override both
the text and html parameters. The URL of the link will be placed at
the substitution tag's location, with no additional formatting.
:param value: A tag that will be replaced with the unsubscribe URL.
for example: [unsubscribe_url]. If this parameter is
used, it will override both the text and html parameters.
The URL of the link will be placed at the substitution
tag's location, with no additional formatting.
:type value: string
"""
self._subscription_substitution_tag = value
def get(self):
"""
Get a JSON-ready representation of this SubscriptionSubstitutionTag.
:returns: This SubscriptionSubstitutionTag, ready for use in a request
body.
:rtype: string
"""
return self.subscription_substitution_tag
|
# No Copyright @u@
TaskType={
"classification":0,
"SANclassification":1
}
TaskID = {
"csqa":0,
"mcscript2":1,
"cosmosqa":2
}
TaskName = ["csqa","mcscript2","cosmosqa"] |
def open_file():
while True:
file_name = input("Enter input file name>>> ")
try:
fhand = open(file_name, "r")
break
except FileNotFoundError:
print("Couldn't open file, Invalid name or file doesn't exist!")
continue
return fhand
def process_file(fhand):
while True:
year = input("Enter year>>> ")
if len(year) == 4: # the entered year must have 4 characters.
break
else: # When the user enters a wrong year, he is re-prompted until a valid year is entered
print("Year must be four digits,please enter a valid year!!")
continue
while True: # Prompt the user for income level
print("Income levels;\n Input 1 for WB_LI\n Input 2 for WB_LMI\n Input 3 for WB_UMI\n Input 4 for WB_HI")
income = input("Enter income level>> ")
if income == "1":
income = "WB_LI"
break
elif income == "2":
income = "WB_LMI"
break
elif income == "3":
income = "WB_UMI"
break
elif income == "4":
income = "WB_HI"
break
else:
print("Invalid income level!!") # if an income level other than (1,2,3,4) is input
continue
count = 0
percentages = []
countries = []
for line in fhand:
if (line[88:92] == year) and (line[51:56] == income or line[51:57] == income):
count += 1
percentages.append(int(line[59:61])) # For each line met,add percentages to the percentages list.
country = ((str(line[0:51])).strip())
countries.append(country) # adds percentages to the list of countries
continue
# A dictionary with country as the key and percentages as the value.
country_percentage = dict(zip(countries, percentages))
if count > 0:
percent_sum = sum(percentages)
average = percent_sum / count
maximum = max(percentages)
minimum = min(percentages)
# this gets countries for maximum percentages to this list
country_max = [country for country, percentage in country_percentage.items() if percentage == maximum]
# this gets countries for minimum percentages to this list
country_min = [country for country, percentage in country_percentage.items() if percentage == minimum]
print(f"Number of countries in the record: {count}")
print(f"Average percentage for {year} with {income} is {average:.1f}%")
print(f"The following countries have the maximum percentage in {year} with {income} of {maximum}%")
for i in country_max:
print(" -", i) # This prints the countries with maximum percentage.
print(f"The following countries have the minimum percentage in {year} with {income} of {minimum}%")
for i in country_min:
print(" -", i) # This prints the countries with minimum percentage.
else:
print(f"There are no records for the year {year} in the file") # in case there are no items in the list
def main():
fhand = open_file()
process_file(fhand)
fhand.close()
main()
|
data = [[0,1.5],[2,1.7],[3,2.1],[5,2.2],[6,2.8],[7,2.9],[9,3.2],[11,3.7]]
def dEa(a, b):
sum = 0
for i in data:
sum += i[0] * (i[0]*a + b - i[1])
return sum
def dEb(a, b):
sum = 0
for i in data:
sum += i[0]*a + b - i[1]
return sum
eta = 0.006 # study rate
a, b = 2,1 # start
for i in range(0,200):
a += -eta *dEa(a,b)
b += -eta *dEb(a,b)
print([a,b])
|
print('hi all')
print ('hello world')
print('hi')
print('hii')
print('hello2') |
grocery = ["rice", "water", "tomato", "onion", "ginger"]
for i in range(2, len(grocery), 2):
print(grocery[i])
|
# coding: utf-8
# author: Fei Gao <leetcode.com@feigao.xyz>
# Problem: verify preorder serialization of a binary tree
#
# One way to serialize a binary tree is to use pre-order traversal. When we
# encounter a non-null node, we record the node's value. If it is a null node,
# we record using a sentinel value such as #.
#
# _9_
# / \
# 3 2
# / \ / \
# 4 1 # 6
# / \ / \ / \
# # # # # # #
#
# For example, the above binary tree can be serialized to the string
# "9,3,4,#,#,1,#,#,2,#,6,#,#", where # represents a null node.
#
# Given a string of comma separated values, verify whether it is a correct
# preorder traversal serialization of a binary tree. Find an algorithm without
# reconstructing the tree.
# Each comma separated value in the string must be either an integer or a
# character '#' representing null pointer.
# You may assume that the input format is always valid, for example it could
# never contain two consecutive commas such as "1,,3".
# Example 1:
# "9,3,4,#,#,1,#,#,2,#,6,#,#"
# Return true
# Example 2:
# "1,#"
# Return false
# Example 3:
# "9,#,#,1"
# Return false
# Credits:Special thanks to @dietpepsi for adding this problem and creating
# all test cases.
#
# Subscribe to see which companies asked this question
#
# Show Tags
#
# Stack
class Solution(object):
def isValidSerialization(self, preorder):
"""
:type preorder: str
:rtype: bool
"""
tree = ''.join('n' if c != '#' else '#' for c in preorder.split(','))
while tree.count('n##'):
tree = tree.replace('n##', '#')
return tree == '#'
def main():
solver = Solution()
tests = [
(("9,3,4,#,#,1,#,#,2,#,6,#,#",), 1),
(("1,#",), 0),
(("1,#,#,1",), 0)
]
for params, expect in tests:
print('-' * 5 + 'TEST' + '-' * 5)
print('Input: ' + str(params))
print('Expect: ' + str(expect))
result = solver.isValidSerialization(*params)
print('Result: ' + str(result))
pass
if __name__ == '__main__':
main()
pass
|
#!/usr/bin/env python3.4
class Board:
"""Represents one board to a Tic-Tac-Toe game."""
def __init__(self):
"""Initializes a new board.
A board is a dictionary which the key is the position in the board
and the value can be 'X', 'O' or ' ' (representing an empty position
in the board.)"""
self.board =[' ',' ',' ',' ',' ',' ',' ',' ',' ',' ']
def print_board(self):
"""Prints the board."""
print(" %c | %c | %c " % (self.board[1],self.board[2],self.board[3]))
print("___|___|___")
print(" %c | %c | %c " % (self.board[4],self.board[5],self.board[6]))
print("___|___|___")
print(" %c | %c | %c " % (self.board[7],self.board[8],self.board[9]))
print(" | | ")
def _is_valid_move(self, position):
if self.board[position] is " ":
return True
return False
def change_board(self, position, type):
"""Receive a position and if the player is 'X' or 'O'.
Checks if the position is valid, modifies the board and returns the modified board.
Returns None if the move is not valid."""
if self._is_valid_move(position):
return None
def is_winner(self, player):
"""Returns True if the player won and False otherwise."""
if self.board[1] == player.type and self.board[2] == player.type and self.board[3] == player.type or \
self.board[4] == player.type and self.board[5] == player.type and self.board[6] == player.type or \
self.board[7] == player.type and self.board[8] == player.type and self.board[9] == player.type or \
self.board[1] == player.type and self.board[4] == player.type and self.board[7] == player.type or \
self.board[2] == player.type and self.board[5] == player.type and self.board[8] == player.type or \
self.board[3] == player.type and self.board[6] == player.type and self.board[9] == player.type or \
self.board[1] == player.type and self.board[5] == player.type and self.board[9] == player.type or \
self.board[7] == player.type and self.board[5] == player.type and self.board[3] == player.type:
return True
return False
def get_free_positions(self):
'''Get the list of available positions'''
moves = []
for i,v in enumerate(self.board):
if v==' ':
moves.append(i)
return moves
|
class FMSAPIEventRankingsParser(object):
def parse(self, response):
"""
This currently only works for the 2015 game.
"""
rankings = [['Rank', 'Team', 'Qual Avg', 'Auto', 'Container', 'Coopertition', 'Litter', 'Tote', 'Played']]
for team in response['Rankings']:
rankings.append([
team['rank'],
team['teamNumber'],
team['qualAverage'],
team['autoPoints'],
team['containerPoints'],
team['coopertitionPoints'],
team['litterPoints'],
team['totePoints'],
team['matchesPlayed']])
return rankings if len(rankings) > 1 else None
|
class Database():
def __init__(self, connector, id):
self.connector = connector
self.id = id
self.base_url = 'https://api.devicemagic.com/api/forms' \
'/{0}/device_magic_database.json'.format(self.id)
def json(self, *args):
return self._filtered_query(args) if args else self._basic_query()
def _basic_query(self):
path = self.base_url
request = self.connector.execute_request(path, 'GET')
return request
def _join_params(self, parameters):
params = [param.strip() for param in parameters]
params_for_url = '?' + '&'.join(params)
return params_for_url
def _filtered_query(self, parameters):
params = self._join_params(parameters)
path = self.base_url + params
request = self.connector.execute_request(path, 'GET')
return request
|
description = """
Adds Oracle database settings to your project.
For more information, visit:
http://cx-oracle.sourceforge.net/
"""
|
expected_output = {
"program": {
"rcp_fs": {
"instance": {
"default": {
"active": "0/0/CPU0",
"active_state": "RUNNING",
"group": "central-services",
"jid": "1168",
"standby": "NONE",
"standby_state": "NOT_SPAWNED",
}
}
},
"ospf": {
"instance": {
"1": {
"active": "0/0/CPU0",
"active_state": "RUNNING",
"group": "v4-routing",
"jid": "1018",
"standby": "NONE",
"standby_state": "NOT_SPAWNED",
}
}
},
"bgp": {
"instance": {
"default": {
"active": "0/0/CPU0",
"active_state": "RUNNING",
"group": "v4-routing",
"jid": "1018",
"standby": "NONE",
"standby_state": "NOT_SPAWNED",
}
}
},
"statsd_manager_g": {
"instance": {
"default": {
"active": "0/0/CPU0",
"active_state": "RUNNING",
"group": "netmgmt",
"jid": "1141",
"standby": "NONE",
"standby_state": "NOT_SPAWNED",
}
}
},
"pim": {
"instance": {
"default": {
"active": "0/0/CPU0",
"active_state": "RUNNING",
"group": "mcast-routing",
"jid": "1158",
"standby": "NONE",
"standby_state": "NOT_SPAWNED",
}
}
},
"ipv6_local": {
"instance": {
"default": {
"active": "0/0/CPU0",
"active_state": "RUNNING",
"group": "v6-routing",
"jid": "1156",
"standby": "NONE",
"standby_state": "NOT_SPAWNED",
}
}
},
}
}
|
number = 5
def summation(first, second):
total = first + second + number
return total
outer_total = summation(10, 20)
print("The first number we initialised was " + str(number))
print("The total after summation s " + str(outer_total))
|
"""Tests for CharLSTM class."""
def test_forward(char_cnn, vocab_dataset):
"""Test `CharLSTM.forward()` method."""
_, dataset = vocab_dataset
for src, tgt in dataset:
res = char_cnn(*src[:-2])
n_words, dim = res.size()
assert n_words == tgt.size()[0]
assert dim == char_cnn.output_size
|
# -*- coding: UTF-8 -*-
# author by : (学员ID)
# 目的:
# 掌握函数的用法
def double_list(input_list):
'Double all elements of a list'
for idx in range(len(input_list)):
input_list[idx]*= 2
return
# call function
mylist = [1,3,5,7,9]
double_list(mylist)
print(mylist)
|
def checkio(number):
result = []
if number % 3 == 0:
result.append('Fizz')
if number % 5 == 0:
result.append('Buzz')
if result:
return ' '.join(result)
return str(number)
# These "asserts" using only for self-checking and not necessary for
# auto-testing
if __name__ == '__main__': # pragma: no cover
assert checkio(15) == "Fizz Buzz", "15 is divisible by 3 and 5"
assert checkio(6) == "Fizz", "6 is divisible by 3"
assert checkio(5) == "Buzz", "5 is divisible by 5"
assert checkio(7) == "7", "7 is not divisible by 3 or 5"
|
# By listing the first six prime numbers: 2, 3, 5, 7, 11, and 13,
# we can see that the 6th prime is 13.
# What is the 10 001st prime number?
def is_prime(n: int) -> bool:
if n <= 3: return n > 1
elif not(n%2 and n%3): return False
i = 5
while i**2 <= n:
if not(n%i and n%(i+2)): return False
i += 6
return True
def solution(number: int) -> int:
i, count = 1, 0
while count != number:
if is_prime(i):
count += 1
prime = i
i += 2
return prime
if __name__ == '__main__':
print(solution(10001))
|
"""dloud_ads - Abstract Data Structures commonly used in CS scenarios.
Implemented by Data Loud Labs!"""
__version__ = '0.0.2'
__author__ = 'Pedro Sousa <pjgs.sousa@gmail.com>'
__all__ = []
|
class Regularizer(object):
"""Regularizer base class."""
def __call__(self, x):
return self.call(x)
def call(self, x):
"""Invokes the `Regularizer` instance."""
return 0.0
def gradient(self, x):
"""Compute gradient for the `Regularizer` instance."""
return 0.0
|
data1 = "10" # String
data2 = 5 # Int
data3 = 5.23 # Float
data4 = False # Bool
print(data1)
print(data2)
print(data3)
print(data4) |
def setup_module(module):
pass
def teardown_module(module):
print("TD MO")
def test_passing():
assert True
def test_failing():
assert False
class TestClassPassing(object):
def setup_method(self, method):
pass
def teardown_method(self, method):
pass
def test_passing(self):
assert True
class TestClassFailing(object):
def setup_method(self, method):
pass
def teardown_method(self, method):
print("TD M")
def test_failing(self):
assert False
|
#!/usr/bin/python35
s1 = '12345'
s2 = 'abcde'
print('s1 = %s, id(s1) = %d' %(s1, id(s1)))
print('s2 = %s, id(s2) = %d' %(s2, id(s2)))
s2 = '12345'
print('')
print('s1 = %s, id(s1) = %d' %(s1, id(s1)))
print('s2 = %s, id(s2) = %d' %(s2, id(s2)))
|
# MIT License
# (C) Copyright 2021 Hewlett Packard Enterprise Development LP.
#
# pauseOrchestration : Set or get appliances nePks which are paused from
# orchestration
def get_pause_orchestration(self) -> dict:
"""Get appliances currently paused for orchestration
.. list-table::
:header-rows: 1
* - Swagger Section
- Method
- Endpoint
* - pauseOrchestration
- GET
- /pauseOrchestration
:return: Returns dictionary of appliances in nePk format
:rtype: dict
"""
return self._get("/pauseOrchestration")
def set_pause_orchestration(
self,
ne_pk_list: list[str],
) -> bool:
"""Set appliances to pause orchestration
.. list-table::
:header-rows: 1
* - Swagger Section
- Method
- Endpoint
* - pauseOrchestration
- POST
- /pauseOrchestration
:param ne_pk_list: List of appliances in the format of integer.NE
e.g. ``["3.NE","5.NE"]``
:type ne_pk_list: list[str]
:return: Returns True/False based on successful call
:rtype: bool
"""
return self._post(
"/pauseOrchestration",
data=ne_pk_list,
expected_status=[204],
return_type="bool",
)
|
"""Generated definition of rust_grpc_library."""
load("//rust:rust_grpc_compile.bzl", "rust_grpc_compile")
load("//internal:compile.bzl", "proto_compile_attrs")
load("//rust:rust_proto_lib.bzl", "rust_proto_lib")
load("@rules_rust//rust:defs.bzl", "rust_library")
def rust_grpc_library(name, **kwargs): # buildifier: disable=function-docstring
# Compile protos
name_pb = name + "_pb"
name_lib = name + "_lib"
rust_grpc_compile(
name = name_pb,
**{
k: v
for (k, v) in kwargs.items()
if k in proto_compile_attrs.keys()
} # Forward args
)
# Create lib file
rust_proto_lib(
name = name_lib,
compilation = name_pb,
externs = ["protobuf", "grpc", "grpc_protobuf"],
)
# Create rust library
rust_library(
name = name,
srcs = [name_pb, name_lib],
deps = GRPC_DEPS + kwargs.get("deps", []),
visibility = kwargs.get("visibility"),
tags = kwargs.get("tags"),
)
GRPC_DEPS = [
Label("//rust/raze:futures"),
Label("//rust/raze:grpc"),
Label("//rust/raze:grpc_protobuf"),
Label("//rust/raze:protobuf"),
]
|
if __name__ == "__main__":
with open('input.txt') as data:
numbers = [int(number) for number in data.readlines()]
current_freq = 0
idx = 0
past_frequencies = set()
while True:
if idx == len(numbers):
idx = 0
if current_freq in past_frequencies:
break
past_frequencies.add(current_freq)
current_freq += numbers[idx]
idx += 1
print(f"The first repeated frequency is {current_freq}")
|
test = { 'name': 'q42',
'points': 3,
'suites': [ { 'cases': [ { 'code': '>>> '
'print(np.round(model.coef_, '
'3))\n'
'[ 0.024 0.023 -0.073 0.001 '
'-0.263 -0.016 0.289 0.011 '
'-0.438 0.066\n'
' -0.274 -0.026 0.126 -0.019 '
'-0.276 -0.418 0.223 -0.022 '
'-0.215 -0.997\n'
' 0.946 0.21 -0.021 -0.366 '
'-0.121 -0.399 0.823 -0.282 '
'-0.229 -0.392\n'
' -0.227 -0.147 -0.497 -0.701 '
'-0.514 0.637 -0.514]\n',
'hidden': False,
'locked': False}],
'scored': True,
'setup': '',
'teardown': '',
'type': 'doctest'}]}
|
print('-=' * 5, 'Gerador de PA Advance', '-=' * 5)
t1 = int(input('Primeiro termo:'))
razao = int(input('Razão:'))
termo = t1
c = 1
total = 0
mais = 10
while mais != 0:
total += mais
while c <= total:
print(f'{termo} - ', end='')
termo += razao
c += 1
print('PAUSA')
mais = int(input('Quantos termos você quer mostrar mais?'))
print(f'Progressão finalizada com {total} termos mostrados')
|
def main(j, args, params, tags, tasklet):
doc = params.doc
e = params.requestContext.env
addr = j.core.portal.runningPortal.ipaddr
querystr = e["QUERY_STRING"]
querystr = querystr.replace("&format=text", "")
querystr = querystr.replace("&key=,", "")
querystr = querystr.replace("&key=", "")
querystr = querystr.replace("key=,", "")
querystr = querystr.replace("key=", "")
querystr += "key=%s" % j.apps.system.usermanager.extensions.usermanager.getUserFromCTX(params.requestContext).secret
if "machine" in params:
url = "http://" + addr +\
e["PATH_INFO"].strip("/") + "?" + querystr
params.page.addLink(url, url)
else:
url = "http://" + addr + "/restmachine/" +\
e["PATH_INFO"].replace("/rest/", "").strip("/") + "?" + querystr
params.page.addLink(url, url)
params.page.addMessage("Be careful generated key above has been generated for you as administrator.")
return params
def match(j, args, params, tags, tasklet):
return True
|
# Title : Number of tuple equal to a user specified value
# Author : Kiran raj R.
# Date : 31:10:2020
def find_tuple(list_in, sum_in):
length = len(list_in)
count_tup = 0
list_tuples = []
if(sum(list_in) < sum_in) | length < 1:
print(f"Cannot find any combination of sum {sum_in}")
for i in range(length-2):
tuple_with_sum = set()
current_sum = sum_in - list_in[i]
for j in range(i+1, length):
if(current_sum - list_in[j]) in tuple_with_sum:
count_tup += 1
tuple_with_sum.add(list_in[j])
for k in range(j+1, length):
sub = [list_in[i], list_in[j], list_in[k]]
if sum(sub) == sum_in:
list_tuples.append(sub)
print(f"The number of tuples with sum {sum_in} is: {count_tup}")
print(f"The tuples are: {list_tuples}")
find_tuple([1, 2, 3, 4, 7, 6], 7)
find_tuple([1, 2, 3, 4, 5, 6, 7, 8, 9], 9)
find_tuple([1, 3, 4, 5, 2], 9)
find_tuple([1, 2, 3, 4, 5, 6, 7, 8, 9], 8)
|
'''
Продажи
'''
def bill(x):
temp = {}
for i in x:
prod, count = i
if prod in temp:
temp[prod] += int(count)
else:
temp[prod] = int(count)
return temp
base = {}
with open('input.txt', 'r', encoding='utf8') as in_file:
for line in in_file:
man, prod, count = line.split()
if man in base:
base[man].append((prod, count))
else:
base[man] = [(prod, count)]
for i in sorted(base):
print(i + ':')
for x, i in sorted(bill(base[i]).items()):
print(x, i)
|
"""
Implement an algorithm to find the kth to last element of a singly linked list.
1->3->5->7->9->0
"""
class Node:
def __init__(self, data, next_elem=None):
self.data = data
self.next_elem = next_elem
data = Node(1, Node(3, Node(5, Node(7, Node(9, Node(0))))))
curr = data
while curr is not None:
print(curr.data, end=', ')
curr = curr.next_elem
print()
def get_kth_to_end(head, k):
runner = head
for i in range(0, k):
if runner.next_elem:
runner = runner.next_elem
curr = head
while runner:
if not runner.next_elem:
return curr.data
runner = runner.next_elem
curr = curr.next_elem
return None
print(get_kth_to_end(data, 5))
|
def tram(m, n):
alfabet = "ABCDEFGHIJKLMNOPQRSTUVW"[:m]
przystanki = (alfabet + alfabet[1:-1][::-1]) * 2 * n
rozklad = ""
while przystanki:
curr = przystanki[n - 1]
#print(przystanki[:m * 2], " -- >", curr)
rozklad += curr
przystanki = popall(przystanki[n:], curr)
return rozklad
def popall(slowo, x):
ret = " "
for lit in slowo:
if lit != x and lit != ret[-1]:
ret += lit
ret = ret[1:]
if len(ret) == 1:
ret = ret * len(slowo)
return ret
|
# Path for log. Make sure the files (if present, otherwise the containing directory) are writable by the user that will be running the daemon.
logPath = '/var/log/carillon/carillon.log'
logDebug = False
# Note, you can monitor the log in real time with tail -f [logPath]
# MIDI info
midiPort = 20 #Find with aplaymidi -l
midiHWPort = 'hw:1' #Find with amidi -l
midiPath = "/path/to/midifiles"
# See README.md for details on how to provide MIDI files to be added to the chime program.
# Silent hours: do not send any MIDI between these hours (exclusive). For no silent hours, use False.
silentHours = (22,7)
# The first minute (:00) of the first silent hour is allowed to sound, so any pre-hour chimes aren't left w/o strikes.
# The range can cross a midnight (e.g. 22,7) or not (e.g. 0,7 or 1,7).
# For more fine-grained control over silent times, duplicate midi files and set them to trigger at specific times.
strikingDelay = 3 #Seconds between hourly strokes |
DATA = ''
MODEL_INIT = '$(pwd)/model_init'
MODEL_TRUE = '$(pwd)/model_true'
PRECOND = ''
SPECFEM_DATA = '$(pwd)/specfem2d/DATA'
SPECFEM_BIN = '$(pwd)/../../../specfem2d/bin'
|
def example():
return [1721, 979, 366, 299, 675, 1456]
def input_data():
with open( "input.txt" ) as fl:
nums = [ int(i) for i in fl.readlines() ]
return nums
def find_it(nums):
for idx in range(len(nums)):
for idy in range(len(nums))[idx+1:]:
if (nums[idx] + nums[idy] == 2020):
print("found it!")
print(nums[idx],",", nums[idy])
print(nums[idx] * nums[idy])
return nums[idx] * nums[idy]
def test_example():
assert find_it(example()) == 514579
find_it(input_data())
print ("script done")
|
# This is for the perso that i yearn
# i shall do a petty iterator
# it shall has a for cicle
# Dictionary
name = {
"Mayra":"love",
"Alejandra":"faith and hope",
"Arauz":" all my life",
"Mejia":"the best in civil engeenering"
}
# for Cicle
for maam in name:
print(f"She is {maam} and for me is {name[maam]}")
|
#!/usr/bin/env python
'''The Goal of this script is to place the data in a
python dictionary of unique results.'''
# To accomplish this parsing we need a XML file that can be
# parsed so do scan your localhost using this command
# nmap -oX test 127.0.0.1
|
def info_carro(fabricante: str, modelo: str, **info_extra) -> dict:
"""
-> Guarda as informações de um imagem em um dicionário.
:param fabricante: Nome do fabricante do imagem.
:param modelo: Nome do modelo do imagem.
:param info_extra: Dicionário contendo informações extras do imagem.
:return: Retorna um dicionário contendo informações sobre o imagem.
"""
carro = dict()
carro['fabricante'] = fabricante
carro['modelo'] = modelo
for k, v in info_extra.items():
carro[k] = v
return carro
carro_dict = info_carro('subaru', 'outback',
cor='azul', reboque=True)
print(carro_dict)
|
"""
Write a function that takes in a string of lowercase English-alphabet letters
and returns the index of the string's first non-repeating character.
The first non-repeating character is the first character in a string that
occurs only once.
If the input string doesn't have any non-repeating characters, your function
should return -1.
Example:
input
string = "abcdcaf"
output
1 // the first non-repeating char is 'b' and is at the [1] index
two ideas come to mind:
1. look at each char in order and see if it exists in hashmap
if it does, remove that char from list.
if not, than you've found a duplicate
'a': 2
'b': 1
'c': 2
'd': 1
'f': 1
algorithm:
look at each char in string one at a Time checking if it exists in the dictionary
if yes, increment value of Key
if not, intialize key with value of 1.
and initialize key in indexOfChar dictionary with current index.
then I want to gather all the keys into a list
then look at each key in dictionary if it has a value greater than 1 move on.
the first character you check that has a value of 1 is the first character that does not repeat.
"""
def first_non_repeating_char(string):
times_seen = {}
index_of_char = {}
# look at each char in string one at a Time checking if it exists in the dictionary
for index in range(len(string)):
char = string[index]
if times_seen.get(char, False):
# if yes, increment value of Key times_seen[char]
times_seen[char] += 1
else:
# if not, intialize key with value of 1.
times_seen[char] = 1
# and initialize key in indexOfChar dictionary with current index.
index_of_char[char] = index
list_of_keys = times_seen.keys()
# then I want to gather all the keys into a list
# then look at each key in dictionary if it has a value greater than 1 move on.
for key in list_of_keys:
if times_seen.get(key, False) == 1:
return index_of_char[key]
# the first character you check that has a value of 1 is the first character that does not repeat.
return -1
"""
solution code from org via steph:
# O(n) time | O(1) space - where n is the length of the input string.
# The constant space is because the input string only has lowercase
# English-alphabet letters; thus, our hash table will never have more
# than 26 character frequencies.
def firstNonRepeatingCharacter(string):
characterFrequencies = {}
for character in string:
characterFrequencies[character] = characterFrequencies.get(character, 0) + 1
for idx in range(len(string)):
character = string[idx]
if characterFrequencies[character] == 1:
return idx
return -1
"""
|
"""
HPC Base image
Contents:
FFTW version 3.3.8
HDF5 version 1.10.6
Mellanox OFED version 5.0-2.1.8.0
NVIDIA HPC SDK version 20.7
OpenMPI version 4.0.4
Python 2 and 3 (upstream)
"""
# pylint: disable=invalid-name, undefined-variable, used-before-assignment
# The NVIDIA HPC SDK End-User License Agreement must be accepted.
# https://docs.nvidia.com/hpc-sdk/eula
nvhpc_eula=False
if USERARG.get('nvhpc_eula_accept', False):
nvhpc_eula=True
else:
raise RuntimeError('NVIDIA HPC SDK EULA not accepted. To accept, use "--userarg nvhpc_eula_accept=yes"\nSee NVIDIA HPC SDK EULA at https://docs.nvidia.com/hpc-sdk/eula')
# Choose between either Ubuntu 18.04 (default) or CentOS 8
# Add '--userarg centos=true' to the command line to select CentOS
image = 'ubuntu:18.04'
if USERARG.get('centos', False):
image = 'centos:8'
######
# Devel stage
######
Stage0 += comment(__doc__, reformat=False)
Stage0 += baseimage(image=image, _as='devel')
# Python
Stage0 += python()
# NVIDIA HPC SDK
compiler = nvhpc(eula=nvhpc_eula, mpi=False, redist=['compilers/lib/*'],
version='20.7')
compiler.toolchain.CUDA_HOME = '/opt/nvidia/hpc_sdk/Linux_x86_64/20.7/cuda'
Stage0 += compiler
# Mellanox OFED
Stage0 += mlnx_ofed(version='5.0-2.1.8.0')
# OpenMPI
Stage0 += openmpi(version='4.0.4', toolchain=compiler.toolchain)
# FFTW
Stage0 += fftw(version='3.3.8', mpi=True, toolchain=compiler.toolchain)
# HDF5
Stage0 += hdf5(version='1.10.6', toolchain=compiler.toolchain)
# nvidia-container-runtime
Stage0 += environment(variables={
'NVIDIA_VISIBLE_DEVICES': 'all',
'NVIDIA_DRIVER_CAPABILITIES': 'compute,utility',
'NVIDIA_REQUIRE_CUDA': '"cuda>=10.1 brand=tesla,driver>=384,driver<385 brand=tesla,driver>=396,driver<397 brand=tesla,driver>=410,driver<411"'})
######
# Runtime image
######
Stage1 += baseimage(image=image)
Stage1 += Stage0.runtime(_from='devel')
# nvidia-container-runtime
Stage0 += environment(variables={
'NVIDIA_VISIBLE_DEVICES': 'all',
'NVIDIA_DRIVER_CAPABILITIES': 'compute,utility',
'NVIDIA_REQUIRE_CUDA': '"cuda>=10.1 brand=tesla,driver>=384,driver<385 brand=tesla,driver>=396,driver<397 brand=tesla,driver>=410,driver<411"'})
|
"""
Copyright 2020, University Corporation for Atmospheric Research
See LICENSE.txt for details
"""
nlat = 19
nlon = 36
ntime = 10
nchar = 7
slices = ['input{0}.nc'.format(i) for i in range(5)]
scalars = ['scalar{0}'.format(i) for i in range(2)]
chvars = ['char{0}'.format(i) for i in range(1)]
timvars = ['tim{0}'.format(i) for i in range(2)]
xtimvars = ['tim{0}'.format(i) for i in range(2, 5)]
tvmvars = ['tvm{0}'.format(i) for i in range(2)]
tsvars = ['tsvar{0}'.format(i) for i in range(4)]
fattrs = {'attr1': 'attribute one', 'attr2': 'attribute two'}
|
def main():
sequence = input().split(',')
programs = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p']
program_string = ''.join(programs)
seen = [program_string]
for index in range(1000000000):
for command in sequence:
programs = run_command(programs, command)
program_string = ''.join(programs)
if program_string not in seen:
seen.append(program_string)
else:
index_of_seen = seen.index(program_string)
seen = seen[index_of_seen:]
program_string = seen[(1000000000-index-1)%len(seen)]
break
print(program_string)
def run_command(programs, command):
if(command[0] == 's'):
num_to_switch = -1*int(command[1:])
programs = programs[num_to_switch:]+programs[0:num_to_switch]
elif(command[0] == 'x'):
command = [int(x) for x in command[1:].split('/')]
programs[command[0]], programs[command[1]] = programs[command[1]], programs[command[0]]
elif(command[0] == 'p'):
command = command[1:].split('/')
index_1, index_2 = [programs.index(x) for x in command]
programs[index_1], programs[index_2] = programs[index_2], programs[index_1]
return programs
if __name__ == '__main__':
main() |
def rec_bin_search(arr, element):
if len(arr) == 0:
return False
else:
mid = len(arr) // 2
if arr[mid] == element:
return True
else:
if element < arr[mid]:
return rec_bin_search(arr[:mid], element)
else:
return rec_bin_search(arr[mid+1:], element)
lst = [1,2,3,4,5,6,7]
print(rec_bin_search(lst, 2))
print(rec_bin_search(lst, 10)) |
class Dog:
def bark(self):
print("Bark")
d = Dog()
d.bark()
|
"""
Submodules for AST manipulation.
"""
def remove_implications(ast):
"""
@brief Removes implications in an AST.
@param ast The ast
@return another AST
"""
if len(ast) == 3:
op, oper1, oper2 = ast
oper1 = remove_implications(oper1)
oper2 = remove_implications(oper2)
if op == '->':
return ('ou', ('non', oper1), oper2)
else:
return ast
return ast
def is_node_op(ast, op):
return ast[0] == op
def is_litteral(ast):
return ast[0] == 'sym' or ast[0] == 'value'
def distribute_or(ast):
"""
@brief Distributes or on and if needed.
@param ast The ast
@return another ast
"""
assert not is_node_op(ast, '->'), \
"Or can only be distributed on implication free AST"
assert ast is not None, "Empty ast"
if is_node_op(ast, 'or'):
_, exprA, exprB = ast
exprA = distribute_or(exprA)
exprB = distribute_or(exprB)
if is_node_op(exprB, 'and'):
_, exprC, exprD = exprB
exprC = distribute_or(exprC)
exprD = distribute_or(exprD)
left = distribute_or(('or', exprA, exprC))
right = distribute_or(('or', exprA, exprD))
return ('and', left, right)
if is_node_op(exprA, 'and'):
_, exprC, exprD = exprA
exprC = distribute_or(exprC)
exprD = distribute_or(exprD)
left = distribute_or(('or', exprC, exprB))
right = distribute_or(('or', exprD, exprB))
return ('and', left, right)
if len(ast) == 2:
return ast
if len(ast) == 3:
a, b, c = ast
return (a, distribute_or(b), distribute_or(c))
def remove_negations(ast):
"""
@brief Removes all negations.
@param ast The ast
@return another ast
"""
assert not is_node_op(ast, '->'), \
"Negations can only be removed on implication free AST"
assert ast is not None, "Empty ast"
if is_node_op(ast, 'non'):
_, exprA = ast
if is_node_op(exprA, 'or'):
_, exprB, exprC = exprA
exprB = remove_negations(('non', exprB))
exprC = remove_negations(('non', exprC))
return ('and', exprB, exprC)
if is_node_op(exprA, 'and'):
_, exprB, exprC = exprA
exprB = remove_negations(('non', exprB))
exprC = remove_negations(('non', exprC))
return ('or', exprB, exprC)
if is_litteral(exprA):
return ('non', exprA)
if is_node_op(exprA, 'non'):
_, exprB = exprA
exprB = remove_negations(exprB)
return exprB
if len(ast) == 3:
op, A, B = ast
A = remove_negations(A)
B = remove_negations(B)
return (op, A, B)
if len(ast) == 2:
return ast
def prepare_for_cnf(ast):
"""
@brief Prepare an ast to be converted in Conjuntive Normal Form.
@param ast The ast
@return another AST ready to be converted in CNF.
"""
ast = remove_implications(ast)
ast = remove_negations(ast)
ast = distribute_or(ast)
return ast |
class ModelDot:
"""The ModelDot object can be used to access an actual MeshNode, ReferencePoint, or ConstrainedSketchVertex
object.
Notes
-----
This object can be accessed by:
"""
pass
|
LONG_BLOG_POST = """
Lorem ipsum dolor sit amet, consectetur adipiscing elit. Aliquam eget nibh ac purus euismod pharetra nec ac justo. Suspendisse fringilla tellus ipsum, quis vulputate leo eleifend pellentesque. Vivamus rhoncus augue justo, elementum commodo urna egestas in. Maecenas fermentum et orci sit amet egestas. Aenean malesuada odio vitae tellus pellentesque sodales. Cum sociis natoque penatibus et magnis dis parturient montes, nascetur ridiculus mus. Cras facilisis nunc ac lacus mattis luctus. Curabitur a turpis eu sapien fringilla sagittis. Mauris ultricies, arcu non rutrum fringilla, tortor lectus fermentum augue, et consectetur velit sem ac mi. Cras tortor neque, tempor vitae risus sed, ornare convallis ligula. Sed vestibulum scelerisque bibendum. Donec id volutpat tortor. Ut quis gravida lectus.
Nulla auctor vehicula sem, id ultricies velit dapibus vitae. Suspendisse fringilla sapien eu elit vehicula pulvinar. Vestibulum et felis in tortor sollicitudin porta non nec augue. Vestibulum ornare metus eu dolor maximus varius. Pellentesque viverra dapibus sagittis. Mauris dui est, efficitur sed lorem eu, auctor suscipit nunc. Cras lacus dui, venenatis et metus sit amet, lacinia dictum augue. Aenean et tincidunt risus. Etiam iaculis tortor purus, nec finibus risus congue id. Sed porttitor molestie viverra. Mauris tempor ipsum in orci efficitur aliquet. Phasellus lorem magna, ultricies eget lectus nec, semper blandit nulla. Maecenas tristique lacus felis, eget gravida orci eleifend molestie.
Etiam ut vestibulum augue, ac mollis nulla. Nam porttitor massa sit amet velit faucibus tristique. Aenean volutpat diam dolor, ut ultrices erat accumsan ut. Nunc cursus, erat ac euismod condimentum, mauris tortor dapibus lectus, a placerat mauris elit non tellus. Integer eu quam varius, egestas risus sed, iaculis nulla. Sed luctus turpis id erat interdum placerat. Aliquam dapibus sit amet nunc id euismod. Proin scelerisque ultricies nibh. Ut non lacus quis libero viverra fringilla et tristique est. Cras vel vehicula lorem. Sed vel urna mi. Curabitur egestas purus blandit est sollicitudin vestibulum. Maecenas non interdum felis. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas. Duis tincidunt enim eu eros fermentum lobortis. Pellentesque habitant morbi tristique senectus et netus et malesuada fames ac turpis egestas.
Vestibulum ut consequat mauris. Etiam mollis orci eros, eget scelerisque nulla dignissim ac. Mauris in congue nulla, lacinia tincidunt neque. Sed auctor nunc vitae condimentum sollicitudin. Sed non metus libero. Vivamus tincidunt, nunc eget finibus mattis, ex tellus consequat libero, sit amet tristique arcu lorem ac tellus. Morbi fringilla velit in tincidunt efficitur. Nunc ut magna eget massa laoreet euismod at eget metus. Pellentesque blandit sapien nibh, eu tempus nibh eleifend non. Sed faucibus augue nisl. Nulla non dolor lobortis, rhoncus velit ac, maximus enim. Pellentesque rhoncus, tellus vel mollis accumsan, nibh ante volutpat erat, a sodales velit sem quis neque. Vestibulum sit amet commodo erat. Vivamus sed mauris sit amet nisi euismod scelerisque.
Nullam rutrum turpis lacus, non fringilla nibh viverra nec. Fusce sodales consequat scelerisque. Praesent faucibus ligula lacus, at consequat diam cursus vel. Aliquam erat volutpat. Proin in nibh justo. Suspendisse sit amet metus vel elit mollis gravida at sit amet nunc. Fusce pulvinar, tortor vel consectetur dapibus, massa ex viverra odio, et feugiat lacus quam a nisi. Vestibulum dictum dapibus elit nec dictum. Suspendisse imperdiet viverra neque. Morbi libero sapien, egestas sed purus eu, ultrices accumsan augue. Phasellus feugiat lorem felis, sit amet accumsan libero mattis id. Cum sociis natoque penatibus et magnis dis parturient montes, nascetur ridiculus mus. Duis egestas sed nisl vitae faucibus.
Maecenas rhoncus metus ut ante consequat iaculis. Nunc ornare, neque ut suscipit molestie, lorem urna accumsan urna, a pulvinar mi eros sed sem. Cras in lorem pulvinar risus rhoncus commodo sed non odio. Morbi commodo nec metus a fermentum. Fusce vel tincidunt nunc. Curabitur a blandit risus. Suspendisse sit amet euismod lectus. Nullam semper mollis ornare. Aliquam quis quam quis est sollicitudin pulvinar.
Nunc suscipit erat non ultricies ultricies. Etiam ac elit aliquet velit ultricies placerat. Aenean nec auctor massa. Suspendisse ac nisl non libero pulvinar commodo. Phasellus vestibulum porttitor pellentesque. In sed est tellus. Class aptent taciti sociosqu ad litora torquent per conubia nostra, per inceptos himenaeos. Nullam tincidunt est eu mauris aliquam, at sagittis dolor efficitur. Integer tempor at mi vitae maximus. Nam dui lacus, venenatis et egestas at, egestas nec sapien.
""" |
"""Example of Counting Permutations with Recursive Factorial Functions"""
# Data
n = 5
# The One-Liner
factorial = lambda n: n * factorial(n-1) if n > 1 else 1
# The Result
print(factorial(n)) |
[
alg.createtemp (
"revenue",
alg.aggregation (
"l_suppkey",
[ ( Reduction.SUM, "revenue", "sum_revenue" ) ],
alg.map (
"revenue",
scal.MulExpr (
scal.AttrExpr ( "l_extendedprice" ),
scal.SubExpr (
scal.ConstExpr ( "1.0", Type.FLOAT ),
scal.AttrExpr ( "l_discount" )
)
),
alg.selection (
scal.AndExpr (
scal.LargerEqualExpr (
scal.AttrExpr ( "l_shipdate" ),
scal.ConstExpr ( "19960101", Type.DATE )
),
scal.SmallerExpr (
scal.AttrExpr ( "l_shipdate" ),
scal.ConstExpr ( "19960401", Type.DATE )
)
),
alg.scan ( "lineitem" )
)
)
)
),
alg.projection (
[ "s_suppkey", "s_name", "s_address", "s_phone", "total_revenue" ],
alg.join (
( "l_suppkey", "s_suppkey" ),
alg.join (
( "total_revenue", "sum_revenue" ),
alg.aggregation (
[],
[( Reduction.MAX, "sum_revenue", "total_revenue" )],
alg.scan ( "revenue", "r1" )
),
alg.scan ( "revenue", "r2" )
),
alg.scan ( "supplier" )
)
)
]
|
#!/usr/bin/env python
__all__ = [
"osutils",
]
|
def searchInsert(self, nums, target):
start = 0
end = len(nums) - 1
while start <= end:
middle = (start + end) // 2
if nums[middle] == target:
return middle
elif target > nums[middle]:
start = middle + 1
elif target < nums[middle]:
end = middle - 1
return start
|
#!/usr/bin/python3
RYD_TO_EV = 13.6056980659
class EnergyVals():
def __init__(self, **kwargs):
kwargs = {k.lower():v for k,v in kwargs.items()}
self._eqTol = 1e-5
self._e0Tot = kwargs.get("e0tot", None)
self._e0Coh = kwargs.get("e0coh", None)
self.e1 = kwargs.get("e1", None)
self.e2 = kwargs.get("e2", None)
self.entropy = kwargs.get("entropy", None)
self.tb2CohesiveFree = kwargs.get("tb2CohesiveFree".lower(), None)
self.dftTotalElectronic = kwargs.get("dftTotalElectronic".lower(),None)
self.castepTotalElectronic = kwargs.get("castepTotalElectronic".lower(), None)
self.dispersion = kwargs.get("dispersion",None)
#These are numerical-attributes which form the base-data for the class. Keep them
#here since they are used both to convert the object into a dictionary AND
#to check equality between objects
self.numAttrs = ["e0Tot", "e0Coh", "e1", "e2", "entropy", "tb2CohesiveFree",
"dftTotalElectronic", "castepTotalElectronic", "dispersion"]
def convRydToEv(self):
for key in self.numAttrs:
if getattr(self,key) is not None:
setattr(self, key, getattr(self, key)*RYD_TO_EV)
def toDict(self):
extraAttrs = ["electronicTotalE", "electronicMinusEntropy", "electronicMinusHalfEntropy"]
basicDict = {attr:getattr(self,attr) for attr in self.numAttrs if getattr(self,attr) is not None}
extraAttrDict = {attr:getattr(self,attr) for attr in extraAttrs if getattr(self,attr) is not None}
outDict = dict()
outDict.update(basicDict)
outDict.update(extraAttrDict)
return outDict
@property
def e0Tot(self):
return self._e0Tot
@property
def e0Coh(self):
return self._e0Coh
@property
def electronicCohesiveE(self):
if self.tb2CohesiveFree is not None:
return self.tb2CohesiveFree + self.entropy
elif (self.e0Coh is not None) and (self.e1 is not None): #In this case the file is Tb1. Meaning these values are relative to the atomic ones
return self.e0Coh + self.e1
else:
raise ValueError("No information on electronic Cohesive Energy appears to be "
"held in current EnergyVals object")
@property
def electronicTotalE(self):
""" Note: Castep/CP2K (at least) include the entropy contribution here """
if self.castepTotalElectronic is not None:
return self.castepTotalElectronic
if self.dftTotalElectronic is not None:
return self.dftTotalElectronic
elif self.tb2CohesiveFree is not None:
return self.e0Tot + self.e1
else:
raise ValueError("No information on total electronic energy is present in current "
"EnergyVals object")
@property
def electronicMinusEntropy(self):
if self.entropy is None:
outVal = None
else:
outVal = self.electronicTotalE - self.entropy
return outVal
@property
def electronicMinusHalfEntropy(self):
""" This is what castep uses to get 0K estimates """
if self.entropy is None:
outVal = None
else:
outVal = self.electronicTotalE - (0.5*self.entropy)
return outVal
@property
def freeCohesiveE(self):
if self.tb2CohesiveFree is not None:
return self.tb2CohesiveFree
else:
return self.e0Coh + self.e1 + self.entropy
# else:
# raise ValueError("No information on free Cohesive Energy appears to be "
# "held in current EnergyVals object")
def __eq__(self, other):
eqTol = min([abs(x._eqTol) for x in [self,other]])
for currAttr in self.numAttrs:
if not self._attrsAreTheSameOnOtherObj(currAttr, other, eqTol):
return False
return True
def _attrsAreTheSameOnOtherObj(self, attr, other, eqTol):
valA, valB = getattr(self, attr), getattr(other,attr)
if (valA is None) and (valB is None):
return True
elif (valA is None) or (valB is None):
return False
if abs(valA-valB)>eqTol:
return False
return True
|
f = open("input1.txt").readlines()
count = 0
for i in range(1,len(f)):
if int(f[i-1])<int(f[i]):
count+=1
print(count)
count = 0
for i in range(3,len(f)):
if int(f[i-3])<int(f[i]):
count+=1
print(count)
|
_base_ = "soft_teacher_faster_rcnn_r50_caffe_fpn_coco_full_720k.py"
lr_config = dict(step=[120000 * 8, 160000 * 8])
runner = dict(_delete_=True, type="IterBasedRunner", max_iters=180000 * 8)
|
# melhora a performace do codigo
l1 = [1, 2, 3, 4, 5, 6, 7, 8, 9]
ex1 = [variavel for variavel in l1]
ex2 = [v * 2 for v in l1] # multiplica cado elemento da lista 1 por 2
ex3 = [(v, v2) for v in l1 for v2 in range(3)]
print(ex3)
l2 = ['pedro', 'mauro', 'maria']
ex4 = [v.replace('a', '@').upper() for v in l2] # muda a letra a de uma variavel
print(ex4)
tupla = (
('chave1', 'valor1'),
('chave2', 'valor2'),
)
ex5 = [(y, x) for x, y in tupla]
ex5 = dict(ex5) # inverter num dicionario
print(ex5['valor1'])
l3 = list(range(100)) # lista de 0 a 100
ex6 = [va for va in l3 if va % 3 == 0 if va % 8 == 0] # numeros divisiveis por 3 e por 8
print(ex6)
ex7 = [v if v % 3 == 0 and v % 8 == 0 else 0 for v in l3]
print(ex7) |
#!/usr/bin/env python3
# coding=utf-8
"""
类型系统
"""
s = 'Hello World!'
# 返回变量s的类型
# type函数:返回指定引用的类型,type(x)即返回x的类型
t = type(s)
# 打印 t
print(t)
print(type)
print(type(type), type(str))
print(type(type(type(type(type)))))
print('1' + '2')
print(1 == '1', 1 == 1)
# int 把任何对象转换为整数
print(int('1'), int('1') == '1', int('1') == 1)
print(type(1) == int, type('1') == str, type(int('1')) == int)
# str 把任何对象转换为字符串
# type 返回对象的类型, 其中type的类型就是其本身
print(str(1) == '1', type(str(1)) == str, type(int) == type, type(type) == type)
# bool 布尔类型,有且只有两个值,即True和False
print(type(True), type(False) == bool, bool('1'), bool(1),
bool(0), bool('0'), bool(''))
# float 浮点类型(实数类型)
print(type(3.14), type(3.14) == float, type(float(1)) == float,
type(int(3.14)) == int)
# list 列表类型,多个有序值的集合
s = [1, 2, 3]
print(s, type(s), type(s) == list)
# list作为函数的时候,作用是把对象转换为列表
print(range(1, 4), type(range(1, 4)), type(range(1, 4)) == range,
list(range(1, 4)) == s)
# 数值0,空字符串,空列表等含有零或空的意思的值转换为bool时,都会转为False
print([], type([]) == list, bool([]), bool([1]))
# len,返回对象的长度(length),比如字符串的字符数,列表的元素个数等
print(len([]), len(['1']), len([True, 3.14]), len(['', 1, [], 0.0]))
print(len(''), len('a'), len('abc'), len('3.14'))
print(len(['']), len(['a']), len(['abc']), len(['3.14']), len([3.14]))
# None 空类型
print(None, type(None), bool(None))
if None:
print('None')
elif 0:
print('0')
elif 0.0:
print('0.0')
elif '':
print("''")
elif []:
print('[]')
elif False:
print('False')
else:
print('else')
|
""" This module contains the functions to compare MISRA rules """
def misra_c2004_compare(rule):
""" compare misra C2004 rules """
return int(rule.split('.')[0])*100 + int(rule.split('.')[1])
def misra_c2012_compare(rule):
""" compare misra C2012 rules """
return int(rule.split('.')[0])*100 + int(rule.split('.')[1])
def determine_compare_method(standard):
""" determine the compare method based upon the provided standard """
possibles = globals().copy()
possibles.update(locals())
method_name = "misra_" + standard.lower() + "_compare"
method = possibles.get(method_name)
if not method:
raise NotImplementedError("Method %s not implemented" % method_name)
return method
|
# defines a function that takes two arguments
def cheese_and_crackers(cheese_count, boxes_of_crackers):
# prints a string with the first argument passed into the function inserted into the output
print(f"You have {cheese_count} cheeses!")
# prints a string with the second argument passed into the function inserted into the output
print(f"You have {boxes_of_crackers} boxes of crackers!")
# prints a string
print("Man that's enough for a party!")
# prints a string
print("Get a blanket.\n")
# prints a string
print("We can just give the function numbers directly:")
# calls the cheese_and_crackers function with 20 and 30 as the arguments being passed in
cheese_and_crackers(20,30)
# prints a string
print("OR, we can use variables from our script:")
# stores a value of 10 in the variable amount_of_cheese
amount_of_cheese = 10
# stores a value of 50 in the variable amount_of_crackers
amount_of_crackers = 50
# calls the cheese_and_crackers function, passing in the values stored in the variables amount_of_cheese and amount_of_crackers
cheese_and_crackers(amount_of_cheese, amount_of_crackers)
# prints a string
print("We can even do math inside too:")
# calls the cheese_and_crackers function with the results of 1 + 20 and 5 + 6 passed in as the arguments.
cheese_and_crackers(10 + 20, 5 + 6)
# prints a string
print("And we can combine the two, variables and math:")
# calls the cheese_and_crackers function with the results of adding 100 to the value stored in amount_of_cheese and 1000 to the value stored in amount_of_crackers as the arguments
cheese_and_crackers(amount_of_cheese + 100, amount_of_crackers + 1000) |
def selection_sort(arr):
for i in range(len(arr)):
min = i # index of min elem
for j in range(i+1,len(arr)):
# arr[j] is smaller than the min elem
if arr[j] < arr[min]:
min = j
arr[i],arr[min] = arr[min],arr[i] # swap
# print(arr)
return arr
|
SWITCH_ON = 1
SWITCH_OFF = 0
SWITCH_UNDEF = -1
class Sequence(object):
def __init__(self, start_time, start_range, end_time,
end_range, pin=None, sequence_id=-1):
self.pin = pin
self.id = sequence_id
if (type(start_range) is int):
start_range = str(start_range)
if (type(end_range) is int):
end_range = str(end_range)
if (type(start_time) is int):
start_time = str(start_time)
if (type(end_time) is int):
end_time = str(end_time)
self.start_time = start_time
self.start_range = start_range
self.end_time = end_time
self.end_range = end_range
def get_pin(self):
return self.pin
def set_pin(self, pin):
self.pin = pin
if (self.pin):
self.pin_id = pin.get_id()
def get_id(self):
return self.id
def set_id(self, sequence_id):
self.id = sequence_id
def get_start(self):
return (self.start_time, self.start_range)
def set_start(self, start_time, start_range):
self.start_time, self.start_range = start_time, start_range
def get_end(self):
return (self.end_time, self.end_range)
def set_end(self, end_time, end_range):
self.end_time, self.end_range = end_time, end_range
def __str__(self):
return "<Sequence: Start " + self.start_time + " End " +\
self.end_time + " Pin " + str(self.pin) + ">"
class Pin(object):
def __init__(self, number, sequences=None, name=None, state=0, prio=0):
''' State = 0 -> Undef | 1 -> ON | -1 -> OFF
'''
self.number = number
self.prio = prio
self.sequences = sequences if sequences else []
for sequence in self.sequences:
sequence.set_pin(self)
self.state = state
self.id = number
if name is None:
self.name = "Pin {0}".format(number)
else:
self.name = name
def get_sequences(self):
return self.sequences
def get_name(self):
return self.name
def set_name(self, new_name):
self.name = new_name
def get_state(self):
return self.state
def set_state(self, new_state):
if (new_state in [SWITCH_ON, SWITCH_OFF, SWITCH_UNDEF]):
self.state = new_state
else:
raise ValueError("Pin state not valide.")
def get_id(self):
return self.number
def set_id(self, pin_id):
self.id = pin_id
def get_prio(self):
return self.prio
def set_prio(self, prio):
self.prio = prio
|
class System_Status():
def __init__(self, plant_state=None):
if plant_state is None:
plant_state = [1, 1, 1]
self.plant_state = plant_state
def __str__(self):
return f"El estado de la planta es {self.plant_state}" |
class IPVerify:
def __init__(self):
super(IPVerify, self).__init__()
# self.octetLst = []
# self.subnetMaskLst = []
# def __initializeIP(self, ip: str):
# self.octetLst.clear()
# [self.octetLst.append(i) for i in ip.split(".")]
# return self.octetLst
def __initializeIP(self, ip: str):
lst = []
[lst.append(i) for i in ip.split(".")]
if len(lst[0]) == 8:
lst = self.__binInput(lst)
return lst
@staticmethod
def __binInput(lst):
lst2 = []
[lst2.append(str(int(i, 2))) for i in lst]
return lst2
# @staticmethod
def __initializeMask(self, mask: str):
m = mask.split(".")
l = len(m)
if l == 4:
# t = deque()
t = []
try:
for i in m:
num = int(i)
if 256 > num >= 0:
t.append(str(num))
else:
return None
return t
except:
return None
elif l == 1:
mask = self.CIDRtoDefaultNotation(m[0])
m = mask.split(".")
return m
# print()
else:
return None
@staticmethod
def CIDRtoDefaultNotation(mask: str):
"""Convert subnet mask notation from CIDR to default """
mask = int(mask[1:])
q = int(mask / 8) # no. of complete octet in mask
r = int(mask % 8) # bit size of incomplete octet in mask
c = 1 # no. of incomplete octet in mask
l1 = [8] * q
l1.append(r)
if r == 0:
c = 0 # if size is zero, then change no. of incomplete octet to 0
l1.pop() # remove
l2 = [0] * (4 - q - c)
# noofSetBitForEachOctetinMask = deque()
noofSetBitForEachOctetinMask = []
[noofSetBitForEachOctetinMask.append(i) for i in l1]
[noofSetBitForEachOctetinMask.append(i) for i in l2]
# print(noofSetBitForEachOctetinMask)
newMask = []
for i in noofSetBitForEachOctetinMask:
octet = "0b"
for _ in range(i):
octet += "1"
for _ in range(8 - i):
octet += "0"
newMask.append(str(int(octet, 2)))
return ".".join(newMask)
# print(".".join(newMask))
@staticmethod
def __firstCheck(octetlst: list):
try:
for octet in octetlst:
o = int(octet)
if o > 255 or o < 0:
return False
return True
except:
return False
@staticmethod
def __secondCheck(lst: list):
for octet in lst:
i = octet[0]
if i == "0" and len(octet) > 1:
return False
return True
def verify(self, lst: list):
"""Verify ipv4 address"""
if len(lst) == 4:
first = self.__firstCheck(lst)
if first:
if self.__secondCheck(lst):
return True
# print("Valid IP Address")
else:
return False
# print("Invalid IP Address")
else:
return False
else:
return False
# print("Invalid IP Address")
# def printVerify(self):
# if self.verify(self.octetLst):
# print("Valid IP Address")
# else:
# print("Invalid IP Address")
def verifyAndPrint(self, ipv4_add: str):
"""Verify ipv4 address and print valid/Invalid """
ls = self.__initializeIP(ipv4_add)
if self.verify(ls):
print("Valid IP Address")
else:
print("Invalid IP Address")
def findClassName(self, ipv4_add: str):
"""Return class name if valid ipv4 address otherwise return None"""
ls = self.__initializeIP(ipv4_add)
if self.verify(ls):
i = int(ls[0])
if 127 >= i >= 0:
return "A"
elif 191 >= i >= 128:
return "B"
elif 223 >= i >= 192:
return "C"
elif 239 >= i >= 224:
return "D"
elif 255 >= i >= 240:
return "E"
else:
return None
def printClassName(self, ipv4_add: str):
"""Print class name if valid ipv4 address otherwise print invalid """
j = self.findClassName(ipv4_add)
if j is not None:
print("Class Name is {}".format(j))
print("Default Mask= {}".format(self.defaultMask(j)))
else:
print("Invalid IP Address")
def networkPartOfIP(self, ipv4_add: str, subnetmask: str):
"""Return network part of ipv4 address"""
# maskOct = subnetmask.split(".")
# ipOctet = ipv4_add.split(".")
maskOct = self.__initializeMask(subnetmask)
ipOctet = self.__initializeIP(ipv4_add)
netPart = []
if not (maskOct is None):
if self.verify(ipOctet):
for i in range(4):
t1 = int(ipOctet[i])
t2 = int(maskOct[i])
t = t1 & t2
# t = int(hex(int(self.octetLst[i])) and hex(int(maskOct[i])), 0)
# if not t == 0:
netPart.append(str(t))
return ".".join(netPart)
else:
raise Exception("Invalid ipv4 address")
else:
raise Exception("Invalid Subnet Mask")
def hostPartofIP(self, ipv4_add: str, subnetmask: str):
"""Return host part of ipv4 address"""
# maskOct = subnetmask.split(".")
# ipOctet = ipv4_add.split(".")
maskOct = self.__initializeMask(subnetmask)
ipOctet = self.__initializeIP(ipv4_add)
hostPart = []
if not (maskOct is None):
if self.verify(ipOctet):
for i in range(4):
t1 = int(ipOctet[i])
t2 = (~ int(maskOct[i]))
t = t1 & t2
hostPart.append(str(t))
return ".".join(hostPart)
else:
raise Exception("Invalid ipv4 address")
else:
raise Exception("Invalid Subnet Mask")
def printHostAndNetworkPart(self, ipv4_add: str, mask: str):
"""Print Host and Network part of ipv4 address"""
netPart = self.networkPartOfIP(ipv4_add, mask)
hostPart = self.hostPartofIP(ipv4_add, mask)
print("Network Part of IPv4 Address= {}".format(netPart))
print("Host Part of IPv4 Address= {}".format(hostPart))
@staticmethod
def defaultMask(cl: str):
if cl == "A":
return "255.0.0.0"
elif cl == "B":
return "255.255.0.0"
elif cl == "c":
return "255.255.0.0"
else:
return "None"
|
NODE_LIST = [
{
'name': 'syslog_source',
'type': 'syslog_file_monitor',
'outputs': [
'filter',
],
'params': {
'filename': 'testlog1.log',
}
},
{
'name': 'filter',
'type': 'rx_grouper',
'params': {
'groups': {
'imap_auth': {
'rx_list': [
".*hint.*",
("host", "publicapi1"),
],
'outputs': ['writer',],
},
},
},
},
{
'name': 'writer',
'type': 'console_output',
'params': {
},
'outputs': [],
},
]
|
def Convert(number,mode):
if mode.startswith("mili") and mode.endswith("meter") == True:
Milimeter = number
Centimeter = number / 10
Meter = Centimeter / 100
Kilometer = Meter / 1000
Result1 = f"Milimeters : {Milimeter}"
Result2 =f"Centimeters : {Centimeter}"
Result3 =f"Meters : {Meter}"
Result4=f"Kilometers : {Kilometer}"
return Result1,Result2,Result3,Result4
if mode.startswith("centi") and mode.endswith("meter") == True:
Centimeter = number
Milimeter = number * 10
Meter = number /100
Kilometer = Meter / 1000
Result1 = f"Milimeters : {Milimeter}"
Result2 =f"Centimeters : {Centimeter}"
Result3 =f"Meters : {Meter}"
Result4=f"Kilometers : {Kilometer}"
return Result1,Result2,Result3,Result4
if mode.startswith("me") and mode.endswith("ter") == True:
Meter = number
Centimeter = number * 100
Milimeter = Centimeter * 10
Kilometer = number / 1000
Result1 = f"Milimeters : {Milimeter}"
Result2 =f"Centimeters : {Centimeter}"
Result3 =f"Meters : {Meter}"
Result4=f"Kilometers : {Kilometer}"
return Result1,Result2,Result3,Result4
if mode.startswith("kilo") and mode.endswith("meter") == True:
Kilometer = number
Meter = number * 1000
Centimeter = Meter * 100
Milimeter = Centimeter * 10
Result1 = f"Milimeters : {Milimeter}"
Result2 =f"Centimeters : {Centimeter}"
Result3 =f"Meters : {Meter}"
Result4=f"Kilometers : {Kilometer}"
return Result1,Result2,Result3,Result4
|
class Solution:
def simplifyPath(self, path: str) -> str:
paths = path.split('/')
stack = []
for p in paths:
if p not in ['', '.', '..']:
# 表示目录字符串
stack.append(p)
if stack and '..' == p:
stack.pop()
if not stack:
# 如果栈为空,直接返回 '/'
return '/'
return '/' + '/'.join(stack)
if __name__ == '__main__':
path = "/home//foo/"
solution = Solution()
res = solution.simplifyPath(path)
print(res)
|
pt = int(input('digite o primeiro termo da PA '))
r = int(input('digite a razao '))
termos = 1
total=0
total2=0
contador = 10
print('{} -> '.format(pt),end='')
while contador > 1 :
if contador == 10:
total=pt+r
print('{} -> '.format(total),end='')
contador=contador-1
else:
total= total+r
print('{} -> '.format(total),end='')
contador=contador-1
print('Fim')
|
def analysis(sliceno, job):
job.save('this_is_the_data_analysis ' + str(sliceno), 'myfile1', sliceno=sliceno)
def synthesis(job):
job.save('this_is_the_data_2', 'myfile2')
|
"""Common configuration constants
"""
PROJECTNAME = 'rendereasy.cnawhatsapp'
ADD_PERMISSIONS = {
# -*- extra stuff goes here -*-
'Envio': 'rendereasy.cnawhatsapp: Add Envio',
'Grupo': 'rendereasy.cnawhatsapp: Add Grupo',
}
|
class IIIF_Photo(object):
def __init__(self, iiif, country):
self.iiif = iiif
self.country = country
def get_photo_link(self):
return self.iiif["images"][0]["resource"]["@id"]
|
birth_year = input('Birth year: ')
print(type(birth_year))
age = 2019 - int(birth_year)
print(type(age))
print(age)
#exercise
weight_in_lbs = input('What is your weight (in pounds)? ')
weight_in_kg = float(weight_in_lbs) * 0.454
print('Your weight is (in kg): ' + str(weight_in_kg))
|
#!/usr/bin/python
# -*- coding: utf-8 -*-
# Copyright: (c) 2017, Michael Eaton <meaton@iforium.com>
# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)
# this is a windows documentation stub. actual code lives in the .ps1
# file of the same name
ANSIBLE_METADATA = {'metadata_version': '1.1',
'status': ['preview'],
'supported_by': 'community'}
DOCUMENTATION = r'''
---
module: win_firewall
version_added: '2.4'
short_description: Enable or disable the Windows Firewall
description:
- Enable or Disable Windows Firewall profiles.
requirements:
- This module requires Windows Management Framework 5 or later.
options:
profiles:
description:
- Specify one or more profiles to change.
type: list
choices: [ Domain, Private, Public ]
default: [ Domain, Private, Public ]
state:
description:
- Set state of firewall for given profile.
type: str
choices: [ disabled, enabled ]
seealso:
- module: win_firewall_rule
author:
- Michael Eaton (@michaeldeaton)
'''
EXAMPLES = r'''
- name: Enable firewall for Domain, Public and Private profiles
win_firewall:
state: enabled
profiles:
- Domain
- Private
- Public
tags: enable_firewall
- name: Disable Domain firewall
win_firewall:
state: disabled
profiles:
- Domain
tags: disable_firewall
'''
RETURN = r'''
enabled:
description: Current firewall status for chosen profile (after any potential change).
returned: always
type: bool
sample: true
profiles:
description: Chosen profile.
returned: always
type: str
sample: Domain
state:
description: Desired state of the given firewall profile(s).
returned: always
type: list
sample: enabled
'''
|
{
'targets': [
{
'target_name': 'pointer',
'sources': ['pointer.cc'],
'include_dirs': ['<!(node -e \'require("nan")\')'],
'link_settings': {
'libraries': [
'-lX11',
]
},
'cflags': [
],
}
]
}
|
#
# PySNMP MIB module CLEARTRAC7-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CLEARTRAC7-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 18:09:07 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ConstraintsUnion, ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
TimeTicks, NotificationType, MibIdentifier, Counter64, IpAddress, ModuleIdentity, Gauge32, Unsigned32, enterprises, NotificationType, Counter32, Bits, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "NotificationType", "MibIdentifier", "Counter64", "IpAddress", "ModuleIdentity", "Gauge32", "Unsigned32", "enterprises", "NotificationType", "Counter32", "Bits", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "Integer32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
lucent = MibIdentifier((1, 3, 6, 1, 4, 1, 727))
cleartrac7 = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7))
mgmt = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2))
system = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 1))
ifwan = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 2))
iflan = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 3))
ifvce = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 18))
pu = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 4))
schedule = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 5))
bridge = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 6))
phone = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 7))
filter = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 8))
pysmi_class = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 9)).setLabel("class")
pvc = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 10))
ipx = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 11))
ipstatic = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 13))
ip = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 14))
ospf = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 15))
ipxfilter = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 16))
stat = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20))
intf = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 30))
slot = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 31))
ipaddr = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 32))
bootp = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 33))
proxy = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 34))
timep = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 35))
sysDesc = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysDesc.setStatus('mandatory')
sysContact = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysContact.setStatus('mandatory')
sysName = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysName.setStatus('mandatory')
sysUnitRoutingVersion = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysUnitRoutingVersion.setStatus('mandatory')
sysLocation = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysLocation.setStatus('mandatory')
sysDate = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 5), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDate.setStatus('mandatory')
sysClock = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 6), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysClock.setStatus('mandatory')
sysDay = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 254, 255))).clone(namedValues=NamedValues(("sunday", 1), ("monday", 2), ("tuesday", 3), ("wednesday", 4), ("thursday", 5), ("friday", 6), ("saturday", 7), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDay.setStatus('mandatory')
sysAcceptLoop = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysAcceptLoop.setStatus('mandatory')
sysLinkTimeout_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setLabel("sysLinkTimeout-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysLinkTimeout_s.setStatus('mandatory')
sysTransitDelay_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setLabel("sysTransitDelay-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysTransitDelay_s.setStatus('mandatory')
sysDefaultIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 11), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDefaultIpAddr.setStatus('mandatory')
sysDefaultIpMask = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 12), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDefaultIpMask.setStatus('mandatory')
sysDefaultGateway = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 13), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDefaultGateway.setStatus('mandatory')
sysRackId = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("cs-product-only", 0), ("rack-1", 1), ("rack-2", 2), ("rack-3", 3), ("rack-4", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysRackId.setStatus('mandatory')
sysPsAndFansMonitoring = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("cs-product-only", 0), ("none", 1), ("ps", 2), ("fans", 3), ("both", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysPsAndFansMonitoring.setStatus('mandatory')
sysPsMonitoring = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysPsMonitoring.setStatus('mandatory')
sysSnmpTrapIpAddr1 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 17), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSnmpTrapIpAddr1.setStatus('mandatory')
sysSnmpTrapIpAddr2 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 18), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSnmpTrapIpAddr2.setStatus('mandatory')
sysSnmpTrapIpAddr3 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 19), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSnmpTrapIpAddr3.setStatus('mandatory')
sysSnmpTrapIpAddr4 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 20), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSnmpTrapIpAddr4.setStatus('mandatory')
sysThisPosId = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 254, 255))).clone(namedValues=NamedValues(("cs-product-only", 0), ("pos-1", 1), ("pos-2", 2), ("pos-3", 3), ("pos-4", 4), ("pos-5", 5), ("pos-6", 6), ("pos-7", 7), ("pos-8", 8), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysThisPosId.setStatus('mandatory')
sysPosNr = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 31), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysPosNr.setStatus('mandatory')
sysRacksNr = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 33), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysRacksNr.setStatus('mandatory')
sysPosTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 32), )
if mibBuilder.loadTexts: sysPosTable.setStatus('mandatory')
sysPosEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 32, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "sysPosRackId"), (0, "CLEARTRAC7-MIB", "sysPosId"))
if mibBuilder.loadTexts: sysPosEntry.setStatus('mandatory')
sysPosId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 32, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 254, 255))).clone(namedValues=NamedValues(("cs-product-only", 0), ("pos-1", 1), ("pos-2", 2), ("pos-3", 3), ("pos-4", 4), ("pos-5", 5), ("pos-6", 6), ("pos-7", 7), ("pos-8", 8), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysPosId.setStatus('mandatory')
sysPosProduct = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 32, 1, 3), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysPosProduct.setStatus('mandatory')
sysPosRackId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 32, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("single-rack", 0), ("rack-1", 1), ("rack-2", 2), ("rack-3", 3), ("rack-4", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysPosRackId.setStatus('mandatory')
sysPosIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 32, 1, 5), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysPosIpAddr.setStatus('mandatory')
ipaddrNr = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipaddrNr.setStatus('mandatory')
ipaddrTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 2), )
if mibBuilder.loadTexts: ipaddrTable.setStatus('mandatory')
ipaddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ipaddrIndex"))
if mibBuilder.loadTexts: ipaddrEntry.setStatus('mandatory')
ipaddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipaddrIndex.setStatus('mandatory')
ipaddrAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 2, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipaddrAddr.setStatus('mandatory')
ipaddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("undef", 0), ("global", 1), ("wan", 2), ("lan", 3), ("proxy", 4), ("pvc", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipaddrType.setStatus('mandatory')
ipaddrIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 32, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipaddrIfIndex.setStatus('mandatory')
sysDLCI = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 34), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDLCI.setStatus('mandatory')
sysExtensionNumLength = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 35), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysExtensionNumLength.setStatus('mandatory')
sysExtendedDigitsLength = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 36), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysExtendedDigitsLength.setStatus('mandatory')
sysDialTimer = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 37), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDialTimer.setStatus('mandatory')
sysCountry = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 38), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 9999))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysCountry.setStatus('mandatory')
sysJitterBuf = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 39), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysJitterBuf.setStatus('mandatory')
sysRingFreq = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("voice-data-only", 0), ("hz-17", 1), ("hz-20", 2), ("hz-25", 3), ("hz-50", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysRingFreq.setStatus('mandatory')
sysRingVolt = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 41), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 254, 255))).clone(namedValues=NamedValues(("voice-data-only", 0), ("rms-Volts-60", 1), ("rms-Volts-80", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysRingVolt.setStatus('mandatory')
sysVoiceEncoding = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 254, 255))).clone(namedValues=NamedValues(("fp-product-only", 0), ("aCode", 1), ("bCode", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysVoiceEncoding.setStatus('mandatory')
sysVoiceClocking = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 254, 255))).clone(namedValues=NamedValues(("fp-product-only", 0), ("aClock", 1), ("bClock", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysVoiceClocking.setStatus('mandatory')
sysVoiceLog = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysVoiceLog.setStatus('mandatory')
sysSpeedDialNumLength = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 45), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSpeedDialNumLength.setStatus('mandatory')
sysAutoSaveDelay = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 46), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysAutoSaveDelay.setStatus('mandatory')
sysVoiceHighestPriority = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysVoiceHighestPriority.setStatus('mandatory')
sysVoiceClass = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 49), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysVoiceClass.setStatus('mandatory')
sysHuntForwardingAUnit = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 50), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHuntForwardingAUnit.setStatus('mandatory')
sysHuntForwardingBUnit = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 51), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHuntForwardingBUnit.setStatus('mandatory')
sysHuntForwardingADLCI = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 52), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHuntForwardingADLCI.setStatus('mandatory')
sysHuntForwardingBDLCI = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 53), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHuntForwardingBDLCI.setStatus('mandatory')
sysHuntForwardingASvcAddress = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 54), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHuntForwardingASvcAddress.setStatus('mandatory')
sysHuntForwardingBSvcAddress = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 55), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHuntForwardingBSvcAddress.setStatus('mandatory')
sysBackplaneRipVersion = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("v1", 2), ("v2-broadcast", 3), ("v2-multicast", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysBackplaneRipVersion.setStatus('mandatory')
sysTrapRackandPos = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 1, 57), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysTrapRackandPos.setStatus('mandatory')
proxyNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: proxyNumber.setStatus('mandatory')
proxyTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2), )
if mibBuilder.loadTexts: proxyTable.setStatus('mandatory')
proxyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "proxyIndex"))
if mibBuilder.loadTexts: proxyEntry.setStatus('mandatory')
proxyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: proxyIndex.setStatus('mandatory')
proxyComm = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: proxyComm.setStatus('mandatory')
proxyIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: proxyIpAddr.setStatus('mandatory')
proxyIpMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: proxyIpMask.setStatus('mandatory')
proxyTrapIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: proxyTrapIpAddr.setStatus('mandatory')
proxyDefaultGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 34, 2, 1, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: proxyDefaultGateway.setStatus('mandatory')
intfNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfNumber.setStatus('mandatory')
intfTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2), )
if mibBuilder.loadTexts: intfTable.setStatus('mandatory')
intfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "intfIndex"))
if mibBuilder.loadTexts: intfEntry.setStatus('mandatory')
intfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfIndex.setStatus('mandatory')
intfDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfDesc.setStatus('mandatory')
intfType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 99, 254, 255))).clone(namedValues=NamedValues(("wan-on-baseCard", 1), ("voice-on-baseCard", 2), ("wan-on-slot", 3), ("voice-on-slot", 4), ("lan-on-baseCard", 5), ("lan-on-slot", 6), ("proxy-on-slot", 7), ("voice-control-on-slot", 8), ("clock-extract-module", 9), ("other", 99), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfType.setStatus('mandatory')
intfNumInType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 256))).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfNumInType.setStatus('mandatory')
intfSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 254, 255))).clone(namedValues=NamedValues(("baseCard", 0), ("slot-1", 1), ("slot-2", 2), ("slot-3", 3), ("slot-4", 4), ("slot-5", 5), ("slot-6", 6), ("slot-7", 7), ("slot-8", 8), ("slot-A", 9), ("slot-B", 10), ("slot-C", 11), ("slot-D", 12), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfSlot.setStatus('mandatory')
intfSlotType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 9, 16, 17, 18, 19, 21, 22, 23, 51, 36, 9999, 254, 255))).clone(namedValues=NamedValues(("baseCard", 0), ("ethernet", 1), ("vcf03", 2), ("g703-E1", 3), ("g703-T1", 4), ("g703-E1-ii", 5), ("g703-T1-ii", 6), ("tokenring", 7), ("voice", 9), ("tic", 16), ("tic-75", 17), ("dvc", 18), ("isdn-bri-voice", 19), ("eic", 21), ("eic-120", 22), ("cem", 23), ("vfc03r", 51), ("proxy", 36), ("unkown", 9999), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfSlotType.setStatus('mandatory')
intfNumInSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 256))).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfNumInSlot.setStatus('mandatory')
intfModuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 30, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 17, 18, 19, 20, 21, 22, 23, 255, 254, 253, 252))).clone(namedValues=NamedValues(("module-rs232-dce", 0), ("module-rs232-dte", 1), ("module-v35-dce", 2), ("module-v35-dte", 3), ("module-x21-dce", 4), ("module-x21-dte", 5), ("module-rs530-dce", 6), ("module-rs530-dte", 7), ("module-rs366A-dce", 8), ("module-rs366A-dte", 9), ("module-rs449-dce", 10), ("module-rs449-dte", 11), ("module-univ-dce", 17), ("module-univ-dte", 18), ("module-i430s-dte", 19), ("module-i430u-dte", 20), ("module-i431-T1-dte", 21), ("module-i431-E1-dte", 22), ("module-dsucsu", 23), ("module-undef-dce", 255), ("module-undef-dte", 254), ("module-undef", 253), ("not-applicable", 252)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfModuleType.setStatus('mandatory')
intfSlotNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 31, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: intfSlotNumber.setStatus('mandatory')
slotPortInSlotTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 31, 2), )
if mibBuilder.loadTexts: slotPortInSlotTable.setStatus('mandatory')
slotPortInSlotEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 31, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "slotSlot"), (0, "CLEARTRAC7-MIB", "slotPortInSlot"))
if mibBuilder.loadTexts: slotPortInSlotEntry.setStatus('mandatory')
slotSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 31, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 254, 255))).clone(namedValues=NamedValues(("baseCard", 0), ("slot-1", 1), ("slot-2", 2), ("slot-3", 3), ("slot-4", 4), ("slot-5", 5), ("slot-6", 6), ("slot-7", 7), ("slot-8", 8), ("slot-A", 9), ("slot-B", 10), ("slot-C", 11), ("slot-D", 12), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: slotSlot.setStatus('mandatory')
slotPortInSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 31, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 256))).setMaxAccess("readonly")
if mibBuilder.loadTexts: slotPortInSlot.setStatus('mandatory')
slotIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 31, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: slotIfIndex.setStatus('mandatory')
ifwanNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifwanNumber.setStatus('mandatory')
ifwanTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2), )
if mibBuilder.loadTexts: ifwanTable.setStatus('mandatory')
ifwanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ifwanIndex"))
if mibBuilder.loadTexts: ifwanEntry.setStatus('mandatory')
ifwanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifwanIndex.setStatus('mandatory')
ifwanDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifwanDesc.setStatus('mandatory')
ifwanProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 17, 18, 19, 28, 29, 31, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("p-sdlc", 2), ("s-sdlc", 3), ("hdlc", 4), ("ddcmp", 5), ("t-async", 6), ("r-async", 7), ("bsc", 8), ("cop", 9), ("pvcr", 10), ("passthru", 11), ("console", 12), ("fr-net", 17), ("fr-user", 18), ("ppp", 19), ("g703", 28), ("x25", 29), ("sf", 31), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanProtocol.setStatus('mandatory')
ifwanSpeed_bps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(110, 2000000))).setLabel("ifwanSpeed-bps").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSpeed_bps.setStatus('mandatory')
ifwanFallBackSpeed_bps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2000000))).setLabel("ifwanFallBackSpeed-bps").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanFallBackSpeed_bps.setStatus('mandatory')
ifwanFallBackSpeedEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 91), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanFallBackSpeedEnable.setStatus('mandatory')
ifwanInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 16, 17, 18, 19, 20, 21, 22, 23, 255, 254, 253))).clone(namedValues=NamedValues(("dce-rs232", 0), ("dte-rs232", 1), ("dce-v35", 2), ("dte-v35", 3), ("dce-x21", 4), ("dte-x21", 5), ("dce-rs530", 6), ("dte-rs530", 7), ("dce-rs366a", 8), ("dte-rs366a", 9), ("dce-rs449", 10), ("dte-rs449", 11), ("dte-aui", 12), ("dte-tpe", 13), ("autom", 16), ("dce-univ", 17), ("dte-univ", 18), ("i430s", 19), ("i430u", 20), ("i431-t1", 21), ("i431-e1", 22), ("dsu-csu", 23), ("dce-undef", 255), ("dte-undef", 254), ("type-undef", 253)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanInterface.setStatus('mandatory')
ifwanClocking = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 11, 12, 13, 254, 255))).clone(namedValues=NamedValues(("internal", 1), ("external", 2), ("ipl", 3), ("itb", 4), ("async", 5), ("iso-int", 6), ("iso-ext", 7), ("t1-e1-B-Rcvd", 11), ("t1-e1-A-Rcvd", 12), ("t1-e1-Local", 13), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanClocking.setStatus('mandatory')
ifwanCoding = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("nrz", 1), ("nrzi", 2), ("nrz-crc0", 3), ("nrzi-crc0", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanCoding.setStatus('mandatory')
ifwanModem = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("static", 1), ("dynamic", 2), ("statpass", 3), ("dynapass", 4), ("statfix", 5), ("dynafix", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanModem.setStatus('mandatory')
ifwanTxStart = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 254, 255))).clone(namedValues=NamedValues(("auto", 0), ("max", 1), ("byte-48", 2), ("byte-96", 3), ("byte-144", 4), ("byte-192", 5), ("byte-256", 6), ("byte-512", 7), ("byte-1024", 8), ("byte-2048", 9), ("byte-8", 10), ("byte-16", 11), ("byte-24", 12), ("byte-32", 13), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTxStart.setStatus('mandatory')
ifwanTxStartCop = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 89), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 254, 255))).clone(namedValues=NamedValues(("auto", 0), ("max", 1), ("byte-8", 2), ("byte-16", 3), ("byte-24", 4), ("byte-32", 5), ("byte-40", 6), ("byte-48", 7), ("byte-96", 8), ("byte-144", 9), ("byte-192", 10), ("byte-256", 11), ("byte-512", 12), ("byte-1024", 13), ("byte-2048", 14), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTxStartCop.setStatus('mandatory')
ifwanTxStartPass = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 90), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3, 12))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTxStartPass.setStatus('mandatory')
ifwanIdle = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("space", 1), ("mark", 2), ("flag", 3), ("markd", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIdle.setStatus('mandatory')
ifwanDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("half", 1), ("full", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDuplex.setStatus('mandatory')
ifwanGroupPoll = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanGroupPoll.setStatus('mandatory')
ifwanGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 14), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanGroupAddress.setStatus('mandatory')
ifwanPollDelay_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setLabel("ifwanPollDelay-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPollDelay_ms.setStatus('mandatory')
ifwanFrameDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 254, 255))).clone(namedValues=NamedValues(("delay-0p0-ms", 1), ("delay-0p5-ms", 2), ("delay-1p0-ms", 3), ("delay-1p5-ms", 4), ("delay-2p0-ms", 5), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanFrameDelay.setStatus('mandatory')
ifwanFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 254, 255))).clone(namedValues=NamedValues(("fmt-8-none", 1), ("fmt-7-none", 2), ("fmt-7-odd", 3), ("fmt-7-even", 4), ("fmt-7-space", 5), ("fmt-7-mark", 6), ("fmt-7-ignore", 7), ("fmt-8-even", 8), ("fmt-8-odd", 9), ("fmt-8n-2stop", 10), ("fmt-8-bits", 11), ("fmt-6-bits", 12), ("sync", 13), ("async", 14), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanFormat.setStatus('mandatory')
ifwanSync = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSync.setStatus('mandatory')
ifwanDropSyncCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDropSyncCounter.setStatus('mandatory')
ifwanDropSyncCharacter = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 20), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDropSyncCharacter.setStatus('mandatory')
ifwanMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMode.setStatus('mandatory')
ifwanBodCall_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setLabel("ifwanBodCall-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanBodCall_s.setStatus('mandatory')
ifwanBodHang_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setLabel("ifwanBodHang-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanBodHang_s.setStatus('mandatory')
ifwanBodLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(5, 95))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanBodLevel.setStatus('mandatory')
ifwanBackupCall_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setLabel("ifwanBackupCall-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanBackupCall_s.setStatus('mandatory')
ifwanDialTimeout_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 92), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 1000))).setLabel("ifwanDialTimeout-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDialTimeout_s.setStatus('mandatory')
ifwanBackupHang_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setLabel("ifwanBackupHang-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanBackupHang_s.setStatus('mandatory')
ifwanPortToBack = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(15, 16, 1, 2, 3, 4, 5, 6, 7, 8, 254, 255))).clone(namedValues=NamedValues(("any", 15), ("all", 16), ("port-1", 1), ("port-2", 2), ("port-3", 3), ("port-4", 4), ("port-5", 5), ("port-6", 6), ("port-7", 7), ("port-8", 8), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPortToBack.setStatus('mandatory')
ifwanDialer = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 254, 255))).clone(namedValues=NamedValues(("dTR", 1), ("x21-L1", 2), ("x21-L2", 3), ("v25-H", 4), ("v25-B", 5), ("aT-9600", 6), ("aT-19200", 7), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDialer.setStatus('mandatory')
ifwanRemoteUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 29), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanRemoteUnit.setStatus('mandatory')
ifwanClassNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 30), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanClassNumber.setStatus('mandatory')
ifwanRingNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 31), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanRingNumber.setStatus('mandatory')
ifwanIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 32), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpAddress.setStatus('mandatory')
ifwanSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 33), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSubnetMask.setStatus('mandatory')
ifwanMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(128, 8192))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMaxFrame.setStatus('mandatory')
ifwanCompression = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanCompression.setStatus('mandatory')
ifwanPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 37), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifwanPriority.setStatus('mandatory')
ifwanTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 39), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1000, 30000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTimeout.setStatus('mandatory')
ifwanRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 40), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanRetry.setStatus('mandatory')
ifwanRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 41), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanRemotePort.setStatus('mandatory')
ifwanFlowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("on", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanFlowControl.setStatus('mandatory')
ifwanMgmtInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("lmi", 1), ("annex-d", 2), ("q-933", 3), ("none", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMgmtInterface.setStatus('mandatory')
ifwanEnquiryTimer_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 44), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setLabel("ifwanEnquiryTimer-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanEnquiryTimer_s.setStatus('mandatory')
ifwanReportCycle = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 45), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 256))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanReportCycle.setStatus('mandatory')
ifwanIpRip = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("v1", 2), ("v2-broadcast", 3), ("v2-multicast", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpRip.setStatus('mandatory')
ifwanCllm = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("on", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanCllm.setStatus('mandatory')
ifwanIpxRip = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpxRip.setStatus('mandatory')
ifwanIpxSap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpxSap.setStatus('mandatory')
ifwanIpxNetNum = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 50), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpxNetNum.setStatus('mandatory')
ifwanRxFlow = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(5, 1, 2, 254, 255))).clone(namedValues=NamedValues(("none", 5), ("xon-Xoff", 1), ("hardware", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanRxFlow.setStatus('mandatory')
ifwanTxFlow = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(5, 1, 2, 254, 255))).clone(namedValues=NamedValues(("none", 5), ("xon-Xoff", 1), ("hardware", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTxFlow.setStatus('mandatory')
ifwanTxHold_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 54), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setLabel("ifwanTxHold-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTxHold_s.setStatus('mandatory')
ifwanDsOSpeed_bps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 55), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("bps-64000", 1), ("bps-56000", 2), ("not-applicable", 254), ("not-available", 255)))).setLabel("ifwanDsOSpeed-bps").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDsOSpeed_bps.setStatus('mandatory')
ifwanFraming = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 58), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("esf", 2), ("d4", 3), ("other", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanFraming.setStatus('mandatory')
ifwanTerminating = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 59), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("tE", 1), ("nT", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTerminating.setStatus('mandatory')
ifwanCrc4 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 60), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanCrc4.setStatus('mandatory')
ifwanLineCoding = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 61), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 5, 4, 7, 254, 255))).clone(namedValues=NamedValues(("ami-e1", 0), ("hdb3-e1", 1), ("b8zs-t1", 2), ("ami-t1", 5), ("other", 4), ("b7sz-t1", 7), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanLineCoding.setStatus('mandatory')
ifwanBChannels = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 62), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("b1", 2), ("b2", 3), ("b1-plus-b2", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanBChannels.setStatus('mandatory')
ifwanMultiframing = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 63), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMultiframing.setStatus('mandatory')
ifwanOspfEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfEnable.setStatus('mandatory')
ifwanOspfAreaId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 65), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfAreaId.setStatus('mandatory')
ifwanOspfTransitDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 66), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfTransitDelay.setStatus('mandatory')
ifwanOspfRetransmitInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 67), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfRetransmitInt.setStatus('mandatory')
ifwanOspfHelloInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 68), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfHelloInt.setStatus('mandatory')
ifwanOspfDeadInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 69), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfDeadInt.setStatus('mandatory')
ifwanOspfPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 70), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfPassword.setStatus('mandatory')
ifwanOspfMetricCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 71), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanOspfMetricCost.setStatus('mandatory')
ifwanChUse = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 72), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanChUse.setStatus('mandatory')
ifwanGainLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 77), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("db-30", 1), ("db-36", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanGainLimit.setStatus('mandatory')
ifwanSignaling = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 78), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("t1-rob-bit", 2), ("e1-cas", 3), ("e1-ccs", 4), ("trsp-orig", 5), ("trsp-answ", 6), ("qsig", 7), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSignaling.setStatus('mandatory')
ifwanIdleCode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 79), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIdleCode.setStatus('mandatory')
ifwanLineBuild = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 80), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 254, 255))).clone(namedValues=NamedValues(("ft0-to-133", 0), ("ft133-to-266", 1), ("ft266-to-399", 2), ("ft399-to-533", 3), ("ft533-to-655", 4), ("dbMinus7point5", 5), ("dbMinus15", 6), ("dbMinus22point5", 7), ("ohm-75", 8), ("ohm-120", 9), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanLineBuild.setStatus('mandatory')
ifwanT1E1Status = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 84), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanT1E1Status.setStatus('mandatory')
ifwanT1E1LoopBack = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 85), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("lev1-local", 3), ("lev2-local", 4), ("echo", 5), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanT1E1LoopBack.setStatus('mandatory')
ifwanChExp = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 86), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanChExp.setStatus('mandatory')
ifwanT1E1InterBit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 87), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanT1E1InterBit.setStatus('mandatory')
ifwanEncodingLaw = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 88), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 254, 255))).clone(namedValues=NamedValues(("aLaw", 0), ("muLaw", 1), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanEncodingLaw.setStatus('mandatory')
ifwanCellPacketization = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 93), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanCellPacketization.setStatus('mandatory')
ifwanMaxChannels = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 94), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMaxChannels.setStatus('mandatory')
ifwanCondLMIPort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 95), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 254, 255))).clone(namedValues=NamedValues(("none", 0), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanCondLMIPort.setStatus('mandatory')
ifwanExtNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 96), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanExtNumber.setStatus('mandatory')
ifwanDestExtNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 97), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDestExtNumber.setStatus('mandatory')
ifwanConnTimeout_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 98), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 30))).setLabel("ifwanConnTimeout-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanConnTimeout_s.setStatus('mandatory')
ifwanSvcAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 99), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("e-164", 2), ("x-121", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcAddressType.setStatus('mandatory')
ifwanSvcNetworkAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 100), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcNetworkAddress.setStatus('mandatory')
ifwanSvcMaxTxTimeoutT200 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 101), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcMaxTxTimeoutT200.setStatus('mandatory')
ifwanSvcInactiveTimeoutT203 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 102), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcInactiveTimeoutT203.setStatus('mandatory')
ifwanSvcIframeRetransmissionsN200 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 103), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcIframeRetransmissionsN200.setStatus('mandatory')
ifwanSvcSetupTimeoutT303 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 104), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcSetupTimeoutT303.setStatus('mandatory')
ifwanSvcDisconnectTimeoutT305 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 105), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcDisconnectTimeoutT305.setStatus('mandatory')
ifwanSvcReleaseTimeoutT308 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 106), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcReleaseTimeoutT308.setStatus('mandatory')
ifwanSvcCallProceedingTimeoutT310 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 107), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcCallProceedingTimeoutT310.setStatus('mandatory')
ifwanSvcStatusTimeoutT322 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 108), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSvcStatusTimeoutT322.setStatus('mandatory')
ifwanTeiMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 109), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("dynamic", 1), ("fixed", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTeiMode.setStatus('mandatory')
ifwanDigitNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 110), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanDigitNumber.setStatus('mandatory')
ifwanMsn1 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 111), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMsn1.setStatus('mandatory')
ifwanMsn2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 112), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMsn2.setStatus('mandatory')
ifwanMsn3 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 113), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanMsn3.setStatus('mandatory')
ifwanX25Encapsulation = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 114), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("annex-f", 1), ("annex-g", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanX25Encapsulation.setStatus('mandatory')
ifwanPvcNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 115), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPvcNumber.setStatus('mandatory')
ifwanQsigPbxAb = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 116), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("a", 1), ("b", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanQsigPbxAb.setStatus('mandatory')
ifwanQsigPbxXy = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 117), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("x", 1), ("y", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanQsigPbxXy.setStatus('mandatory')
ifwanIpRipTxRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 118), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("duplex", 1), ("tx-only", 2), ("rx-only", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpRipTxRx.setStatus('mandatory')
ifwanIpRipAuthType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 119), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("simple", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpRipAuthType.setStatus('mandatory')
ifwanIpRipPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 120), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanIpRipPassword.setStatus('mandatory')
ifwanPppSilent = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 121), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("send-request", 1), ("wait-for-request", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppSilent.setStatus('mandatory')
ifwanPppConfigRestartTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 122), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppConfigRestartTimer.setStatus('mandatory')
ifwanPppConfigRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 123), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppConfigRetries.setStatus('mandatory')
ifwanPppNegociateLocalMru = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 124), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppNegociateLocalMru.setStatus('mandatory')
ifwanPppLocalMru = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 125), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppLocalMru.setStatus('mandatory')
ifwanPppNegociatePeerMru = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 126), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppNegociatePeerMru.setStatus('mandatory')
ifwanPppPeerMruUpTo = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 127), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppPeerMruUpTo.setStatus('mandatory')
ifwanPppNegociateAccm = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 128), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppNegociateAccm.setStatus('mandatory')
ifwanPppRequestedAccmChar = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 129), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppRequestedAccmChar.setStatus('mandatory')
ifwanPppAcceptAccmPeer = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 130), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppAcceptAccmPeer.setStatus('mandatory')
ifwanPppAcceptableAccmChar = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 131), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppAcceptableAccmChar.setStatus('mandatory')
ifwanPppRequestMagicNum = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 132), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppRequestMagicNum.setStatus('mandatory')
ifwanPppAcceptMagicNum = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 133), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppAcceptMagicNum.setStatus('mandatory')
ifwanPppAcceptOldIpAddNeg = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 134), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppAcceptOldIpAddNeg.setStatus('mandatory')
ifwanPppNegociateIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 135), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppNegociateIpAddress.setStatus('mandatory')
ifwanPppAcceptIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 136), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppAcceptIpAddress.setStatus('mandatory')
ifwanPppRemoteIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 137), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppRemoteIpAddress.setStatus('mandatory')
ifwanPppRemoteSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 138), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanPppRemoteSubnetMask.setStatus('mandatory')
ifwanHighPriorityTransparentClass = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 139), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanHighPriorityTransparentClass.setStatus('mandatory')
ifwanTransparentClassNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 140), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanTransparentClassNumber.setStatus('mandatory')
ifwanChannelCompressed = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 141), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanChannelCompressed.setStatus('mandatory')
ifwanSfType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 142), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("demodulator", 1), ("modulator", 2), ("expansion", 3), ("agregate", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSfType.setStatus('mandatory')
ifwanSfMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 143), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("active", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSfMode.setStatus('mandatory')
ifwanSfCarrierId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 2, 2, 1, 144), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifwanSfCarrierId.setStatus('mandatory')
ifvceNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifvceNumber.setStatus('mandatory')
ifvceTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2), )
if mibBuilder.loadTexts: ifvceTable.setStatus('mandatory')
ifvceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ifvceIndex"))
if mibBuilder.loadTexts: ifvceEntry.setStatus('mandatory')
ifvceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifvceIndex.setStatus('mandatory')
ifvceDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ifvceDesc.setStatus('mandatory')
ifvceProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 21, 22, 23, 24, 26, 30, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("acelp-8-kbs", 21), ("acelp-4-8-kbs", 22), ("pcm64k", 23), ("adpcm32k", 24), ("atc16k", 26), ("acelp-cn", 30), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceProtocol.setStatus('mandatory')
ifvceInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("fxs", 1), ("fx0", 2), ("e-and-m", 3), ("ac15", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceInterface.setStatus('mandatory')
ifvceRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 899))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRemotePort.setStatus('mandatory')
ifvceActivationType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("predefined", 1), ("switched", 2), ("autodial", 3), ("broadcast", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceActivationType.setStatus('mandatory')
ifvceRemoteUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 7), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRemoteUnit.setStatus('mandatory')
ifvceHuntGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("a", 2), ("b", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceHuntGroup.setStatus('mandatory')
ifvceToneDetectRegen_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256))).setLabel("ifvceToneDetectRegen-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceToneDetectRegen_s.setStatus('mandatory')
ifvcePulseMakeBreak_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(20, 80))).setLabel("ifvcePulseMakeBreak-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvcePulseMakeBreak_ms.setStatus('mandatory')
ifvceToneOn_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 1000))).setLabel("ifvceToneOn-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceToneOn_ms.setStatus('mandatory')
ifvceToneOff_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 1000))).setLabel("ifvceToneOff-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceToneOff_ms.setStatus('mandatory')
ifvceSilenceSuppress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(4, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceSilenceSuppress.setStatus('mandatory')
ifvceDVCSilenceSuppress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 33), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceDVCSilenceSuppress.setStatus('mandatory')
ifvceSignaling = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 6, 10, 11, 12, 13, 14, 15, 17, 18, 21, 22, 23, 24, 25, 26, 27, 28, 32, 30, 254, 255))).clone(namedValues=NamedValues(("e-and-m-4w-imm-start", 1), ("e-and-m-2W-imm-start", 2), ("loop-start", 3), ("ac15-a", 4), ("ac15-c", 6), ("e-and-m-4w-timed-e", 10), ("e-and-m-2W-timed-e", 11), ("e-and-m-4W-wink-start", 12), ("e-and-m-2W-wink-start", 13), ("e-and-m-4W-delay-dial", 14), ("e-and-m-2W-delay-dial", 15), ("e-and-m-4W-colisee", 17), ("e-and-m-2W-colisee", 18), ("imm-start", 21), ("r2", 22), ("fxo", 23), ("fxs", 24), ("gnd-fxo", 25), ("gnd-fxs", 26), ("plar", 27), ("poi", 28), ("wink-start", 32), ("ab00", 30), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceSignaling.setStatus('mandatory')
ifvceLocalInbound = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 254, 255))).clone(namedValues=NamedValues(("db-22", 1), ("db-21", 2), ("db-20", 3), ("db-19", 4), ("db-18", 5), ("db-17", 6), ("db-16", 7), ("db-15", 8), ("db-14", 9), ("db-13", 10), ("db-12", 11), ("db-11", 12), ("db-10", 13), ("db-9", 14), ("db-8", 15), ("db-7", 16), ("db-6", 17), ("db-5", 18), ("db-4", 19), ("db-3", 20), ("db-2", 21), ("db-1", 22), ("db0", 23), ("db1", 24), ("db2", 25), ("db3", 26), ("db4", 27), ("db5", 28), ("db6", 29), ("db7", 30), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceLocalInbound.setStatus('mandatory')
ifvceLocalOutbound = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 254, 255))).clone(namedValues=NamedValues(("db-22", 1), ("db-21", 2), ("db-20", 3), ("db-19", 4), ("db-18", 5), ("db-17", 6), ("db-16", 7), ("db-15", 8), ("db-14", 9), ("db-13", 10), ("db-12", 11), ("db-11", 12), ("db-10", 13), ("db-9", 14), ("db-8", 15), ("db-7", 16), ("db-6", 17), ("db-5", 18), ("db-4", 19), ("db-3", 20), ("db-2", 21), ("db-1", 22), ("db0", 23), ("db1", 24), ("db2", 25), ("db3", 26), ("db4", 27), ("db5", 28), ("db6", 29), ("db7", 30), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceLocalOutbound.setStatus('mandatory')
ifvceDVCLocalInbound = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 254, 255))).clone(namedValues=NamedValues(("db-12", 9), ("db-11", 10), ("db-10", 11), ("db-9", 12), ("db-8", 13), ("db-7", 14), ("db-6", 15), ("db-5", 16), ("db-4", 17), ("db-3", 18), ("db-2", 19), ("db-1", 20), ("db0", 21), ("db1", 22), ("db2", 23), ("db3", 24), ("db4", 25), ("db5", 26), ("db6", 27), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceDVCLocalInbound.setStatus('mandatory')
ifvceDVCLocalOutbound = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 254, 255))).clone(namedValues=NamedValues(("db-12", 9), ("db-11", 10), ("db-10", 11), ("db-9", 12), ("db-8", 13), ("db-7", 14), ("db-6", 15), ("db-5", 16), ("db-4", 17), ("db-3", 18), ("db-2", 19), ("db-1", 20), ("db0", 21), ("db1", 22), ("db2", 23), ("db3", 24), ("db4", 25), ("db5", 26), ("db6", 27), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceDVCLocalOutbound.setStatus('mandatory')
ifvceFaxModemRelay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("fax", 2), ("both", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceFaxModemRelay.setStatus('mandatory')
ifvceMaxFaxModemRate = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 254, 255))).clone(namedValues=NamedValues(("rate-14400", 1), ("rate-12000", 2), ("rate-9600", 3), ("rate-7200", 4), ("rate-4800", 5), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceMaxFaxModemRate.setStatus('mandatory')
ifvceFxoTimeout_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 99))).setLabel("ifvceFxoTimeout-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceFxoTimeout_s.setStatus('mandatory')
ifvceTeTimer_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setLabel("ifvceTeTimer-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceTeTimer_s.setStatus('mandatory')
ifvceFwdDigits = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("all", 2), ("ext", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceFwdDigits.setStatus('mandatory')
ifvceFwdType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("tone", 1), ("pulse", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceFwdType.setStatus('mandatory')
ifvceFwdDelay_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setLabel("ifvceFwdDelay-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceFwdDelay_ms.setStatus('mandatory')
ifvceDelDigits = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceDelDigits.setStatus('mandatory')
ifvceExtNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 25), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceExtNumber.setStatus('mandatory')
ifvceLinkDwnBusy = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("broadcast", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceLinkDwnBusy.setStatus('mandatory')
ifvceToneType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 254, 255))).clone(namedValues=NamedValues(("dtmf", 0), ("mf", 1), ("r2", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceToneType.setStatus('mandatory')
ifvceRate8kx1 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate8kx1.setStatus('mandatory')
ifvceRate8kx2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate8kx2.setStatus('mandatory')
ifvceRate5k8x1 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate5k8x1.setStatus('mandatory')
ifvceRate5k8x2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate5k8x2.setStatus('mandatory')
ifvceBroadcastDir = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("tX", 1), ("rX", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceBroadcastDir.setStatus('mandatory')
ifvceBroadcastPvc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 37), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 300))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceBroadcastPvc.setStatus('mandatory')
ifvceAnalogLinkDwnBusy = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("broadcast", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceAnalogLinkDwnBusy.setStatus('mandatory')
ifvceSpeedDialNum = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 39), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceSpeedDialNum.setStatus('mandatory')
ifvceR2ExtendedDigitSrc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("map", 1), ("user", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceR2ExtendedDigitSrc.setStatus('mandatory')
ifvceR2Group2Digit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 41), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceR2Group2Digit.setStatus('mandatory')
ifvceR2CompleteDigit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 42), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceR2CompleteDigit.setStatus('mandatory')
ifvceR2BusyDigit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 43), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceR2BusyDigit.setStatus('mandatory')
ifvceRate8kx3 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate8kx3.setStatus('mandatory')
ifvceRate6kx1 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate6kx1.setStatus('mandatory')
ifvceRate6kx2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate6kx2.setStatus('mandatory')
ifvceRate6kx3 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate6kx3.setStatus('mandatory')
ifvceRate4k8x1 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate4k8x1.setStatus('mandatory')
ifvceRate4k8x2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceRate4k8x2.setStatus('mandatory')
ifvceDTalkThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 1, 2, 3, 4, 5, 6, 7, 26, 254, 255))).clone(namedValues=NamedValues(("db-12", 8), ("db-11", 9), ("db-10", 10), ("db-9", 11), ("db-8", 12), ("db-7", 13), ("db-6", 14), ("db-5", 15), ("db-4", 16), ("db-3", 17), ("db-2", 18), ("db-1", 19), ("db0", 20), ("db1", 21), ("db2", 22), ("db3", 23), ("db4", 24), ("db5", 25), ("db6", 1), ("db7", 2), ("db8", 3), ("db9", 4), ("db10", 5), ("db11", 6), ("db12", 7), ("disabled", 26), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceDTalkThreshold.setStatus('mandatory')
ifvceToneEnergyDetec = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("yes", 1), ("no", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceToneEnergyDetec.setStatus('mandatory')
ifvceExtendedDigitSrc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("map", 1), ("user", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceExtendedDigitSrc.setStatus('mandatory')
ifvceDtmfOnTime = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 54), Integer32().subtype(subtypeSpec=ValueRangeConstraint(20, 50))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceDtmfOnTime.setStatus('mandatory')
ifvceEnableDtmfOnTime = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 18, 2, 1, 55), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ifvceEnableDtmfOnTime.setStatus('mandatory')
iflanNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: iflanNumber.setStatus('mandatory')
iflanTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2), )
if mibBuilder.loadTexts: iflanTable.setStatus('mandatory')
iflanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "iflanIndex"))
if mibBuilder.loadTexts: iflanEntry.setStatus('mandatory')
iflanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: iflanIndex.setStatus('mandatory')
iflanDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: iflanDesc.setStatus('mandatory')
iflanProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 13, 14, 15, 16, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("token-ring", 13), ("ethernet-auto", 14), ("ethernet-802p3", 15), ("ethernet-v2", 16), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanProtocol.setStatus('mandatory')
iflanSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("tr-4-Mbps", 1), ("tr-16-Mbps", 2), ("eth-10-Mbps", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanSpeed.setStatus('mandatory')
iflanPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: iflanPriority.setStatus('mandatory')
iflanCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: iflanCost.setStatus('mandatory')
iflanPhysAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanPhysAddr.setStatus('mandatory')
iflanIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 8), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpAddress.setStatus('mandatory')
iflanSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 9), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanSubnetMask.setStatus('mandatory')
iflanMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(128, 8192))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanMaxFrame.setStatus('mandatory')
iflanEth_LinkIntegrity = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setLabel("iflanEth-LinkIntegrity").setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanEth_LinkIntegrity.setStatus('mandatory')
iflanTr_Monitor = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setLabel("iflanTr-Monitor").setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanTr_Monitor.setStatus('mandatory')
iflanTr_Etr = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setLabel("iflanTr-Etr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanTr_Etr.setStatus('mandatory')
iflanTr_RingNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 15), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setLabel("iflanTr-RingNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanTr_RingNumber.setStatus('mandatory')
iflanIpRip = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("v1", 2), ("v2-broadcast", 3), ("v2-multicast", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpRip.setStatus('mandatory')
iflanIpxRip = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpxRip.setStatus('mandatory')
iflanIpxSap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpxSap.setStatus('mandatory')
iflanIpxNetNum = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpxNetNum.setStatus('mandatory')
iflanIpxLanType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("ethernet-802p2", 1), ("ethernet-snap", 2), ("ethernet-802p3", 3), ("ethernet-ii", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpxLanType.setStatus('mandatory')
iflanOspfEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfEnable.setStatus('mandatory')
iflanOspfAreaId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 22), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfAreaId.setStatus('mandatory')
iflanOspfPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfPriority.setStatus('mandatory')
iflanOspfTransitDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfTransitDelay.setStatus('mandatory')
iflanOspfRetransmitInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 25), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfRetransmitInt.setStatus('mandatory')
iflanOspfHelloInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfHelloInt.setStatus('mandatory')
iflanOspfDeadInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfDeadInt.setStatus('mandatory')
iflanOspfPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 28), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfPassword.setStatus('mandatory')
iflanOspfMetricCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 29), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanOspfMetricCost.setStatus('mandatory')
iflanIpRipTxRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("duplex", 1), ("tx-only", 2), ("rx-only", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpRipTxRx.setStatus('mandatory')
iflanIpRipAuthType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("simple", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpRipAuthType.setStatus('mandatory')
iflanIpRipPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 3, 2, 1, 32), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: iflanIpRipPassword.setStatus('mandatory')
puNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: puNumber.setStatus('mandatory')
puTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2), )
if mibBuilder.loadTexts: puTable.setStatus('mandatory')
puEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "puIndex"))
if mibBuilder.loadTexts: puEntry.setStatus('mandatory')
puIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: puIndex.setStatus('mandatory')
puMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("sdlc-llc", 2), ("sdlc-sdlc", 3), ("sdlc-dlsw", 4), ("sdlc-links", 5), ("llc-dlsw", 6), ("llc-links", 7), ("dlsw-links", 8), ("sdlc-ban", 9), ("sdlc-bnn", 10), ("llc-ban", 11), ("llc-bnn", 12), ("dlsw-ban", 13), ("dlsw-bnn", 14), ("ban-link", 15), ("bnn-link", 16), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puMode.setStatus('mandatory')
puActive = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puActive.setStatus('mandatory')
puDelayBeforeConn_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setLabel("puDelayBeforeConn-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDelayBeforeConn_s.setStatus('mandatory')
puRole = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("secondary", 1), ("primary", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puRole.setStatus('mandatory')
puSdlcPort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcPort.setStatus('mandatory')
puSdlcAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcAddress.setStatus('mandatory')
puSdlcPort2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 8), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcPort2.setStatus('mandatory')
puSdlcAddress2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcAddress2.setStatus('mandatory')
puSdlcTimeout_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(100, 30000))).setLabel("puSdlcTimeout-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcTimeout_ms.setStatus('mandatory')
puSdlcRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcRetry.setStatus('mandatory')
puSdlcWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcWindow.setStatus('mandatory')
puSdlcMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 13), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puSdlcMaxFrame.setStatus('mandatory')
puLlcDa = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 14), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcDa.setStatus('mandatory')
puLlcTr_Routing = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("trsp", 1), ("src", 2), ("not-applicable", 254), ("not-available", 255)))).setLabel("puLlcTr-Routing").setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcTr_Routing.setStatus('mandatory')
puLlcSsap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcSsap.setStatus('mandatory')
puLlcDsap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 17), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcDsap.setStatus('mandatory')
puLlcTimeout_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(100, 30000))).setLabel("puLlcTimeout-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcTimeout_ms.setStatus('mandatory')
puLlcRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcRetry.setStatus('mandatory')
puLlcWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcWindow.setStatus('mandatory')
puLlcDynamicWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcDynamicWindow.setStatus('mandatory')
puLlcMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 23), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLlcMaxFrame.setStatus('mandatory')
puDlsDa = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDlsDa.setStatus('mandatory')
puDlsSsap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 25), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDlsSsap.setStatus('mandatory')
puDlsDsap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 26), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDlsDsap.setStatus('mandatory')
puDlsIpSrc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 27), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDlsIpSrc.setStatus('mandatory')
puDlsIpDst = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 28), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDlsIpDst.setStatus('mandatory')
puDlsMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 29), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puDlsMaxFrame.setStatus('mandatory')
puLinkRemoteUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 30), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLinkRemoteUnit.setStatus('mandatory')
puLinkClassNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 31), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLinkClassNumber.setStatus('mandatory')
puLinkRemPu = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 32), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puLinkRemPu.setStatus('mandatory')
puXid = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("manual", 3), ("auto", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puXid.setStatus('mandatory')
puXidId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 34), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puXidId.setStatus('mandatory')
puXidFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 35), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puXidFormat.setStatus('mandatory')
puXidPuType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 36), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puXidPuType.setStatus('mandatory')
puBnnPvc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 37), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBnnPvc.setStatus('mandatory')
puBnnFid = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("fID2", 1), ("fID4", 2), ("aPPN", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBnnFid.setStatus('mandatory')
puBanDa = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 39), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanDa.setStatus('mandatory')
puBanBnnSsap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 40), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnSsap.setStatus('mandatory')
puBanBnnDsap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 41), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnDsap.setStatus('mandatory')
puBanBnnTimeout_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 42), Integer32().subtype(subtypeSpec=ValueRangeConstraint(100, 30000))).setLabel("puBanBnnTimeout-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnTimeout_ms.setStatus('mandatory')
puBanBnnRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 43), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnRetry.setStatus('mandatory')
puBanBnnWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 44), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnWindow.setStatus('mandatory')
puBanBnnNw = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 45), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnNw.setStatus('mandatory')
puBanBnnMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 46), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanBnnMaxFrame.setStatus('mandatory')
puBanRouting = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 4, 2, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("transparent", 1), ("source", 2), ("source-a", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: puBanRouting.setStatus('mandatory')
scheduleNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: scheduleNumber.setStatus('mandatory')
scheduleTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2), )
if mibBuilder.loadTexts: scheduleTable.setStatus('mandatory')
scheduleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "schedulePeriod"))
if mibBuilder.loadTexts: scheduleEntry.setStatus('mandatory')
schedulePeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: schedulePeriod.setStatus('mandatory')
scheduleEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: scheduleEnable.setStatus('mandatory')
scheduleDay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 254, 255))).clone(namedValues=NamedValues(("all", 1), ("sunday", 2), ("monday", 3), ("tuesday", 4), ("wednesday", 5), ("thursday", 6), ("friday", 7), ("saturday", 8), ("workday", 9), ("weekend", 10), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: scheduleDay.setStatus('mandatory')
scheduleBeginTime = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 4), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: scheduleBeginTime.setStatus('mandatory')
scheduleEndTime = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 5), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: scheduleEndTime.setStatus('mandatory')
schedulePort1 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort1.setStatus('mandatory')
schedulePort2 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort2.setStatus('mandatory')
schedulePort3 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort3.setStatus('mandatory')
schedulePort4 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort4.setStatus('mandatory')
schedulePort5 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort5.setStatus('mandatory')
schedulePort6 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort6.setStatus('mandatory')
schedulePort7 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort7.setStatus('mandatory')
schedulePort8 = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 5, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 254, 255))).clone(namedValues=NamedValues(("inactive", 1), ("dedicated", 2), ("answer", 3), ("call-backup", 4), ("call-bod", 5), ("wait-user", 6), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: schedulePort8.setStatus('mandatory')
bridgeEnable = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeEnable.setStatus('mandatory')
bridgeStpEnable = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeStpEnable.setStatus('mandatory')
bridgeLanType = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("ethernet-auto", 1), ("ethernet-802p3", 2), ("ethernet-v2", 3), ("token-ring", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeLanType.setStatus('mandatory')
bridgeAgingTime_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 1000000))).setLabel("bridgeAgingTime-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeAgingTime_s.setStatus('mandatory')
bridgeHelloTime_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setLabel("bridgeHelloTime-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeHelloTime_s.setStatus('mandatory')
bridgeMaxAge_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(6, 40))).setLabel("bridgeMaxAge-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeMaxAge_s.setStatus('mandatory')
bridgeForwardDelay_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(4, 30))).setLabel("bridgeForwardDelay-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeForwardDelay_s.setStatus('mandatory')
bridgePriority = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgePriority.setStatus('mandatory')
bridgeTr_Number = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setLabel("bridgeTr-Number").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeTr_Number.setStatus('mandatory')
bridgeTr_SteSpan = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("auto", 1), ("disable", 2), ("forced", 3), ("not-applicable", 254), ("not-available", 255)))).setLabel("bridgeTr-SteSpan").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeTr_SteSpan.setStatus('mandatory')
bridgeTr_MaxHop = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 6, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setLabel("bridgeTr-MaxHop").setMaxAccess("readwrite")
if mibBuilder.loadTexts: bridgeTr_MaxHop.setStatus('mandatory')
phoneNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: phoneNumber.setStatus('mandatory')
phoneTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2), )
if mibBuilder.loadTexts: phoneTable.setStatus('mandatory')
phoneEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "phoneIndex"))
if mibBuilder.loadTexts: phoneEntry.setStatus('mandatory')
phoneIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: phoneIndex.setStatus('mandatory')
phoneRemoteUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2, 1, 2), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phoneRemoteUnit.setStatus('mandatory')
phonePhoneNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2, 1, 3), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phonePhoneNumber.setStatus('mandatory')
phoneNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2, 1, 4), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phoneNextHop.setStatus('mandatory')
phoneCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 7, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: phoneCost.setStatus('mandatory')
filterNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 8, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: filterNumber.setStatus('mandatory')
filterTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 8, 2), )
if mibBuilder.loadTexts: filterTable.setStatus('mandatory')
filterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 8, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "filterIndex"))
if mibBuilder.loadTexts: filterEntry.setStatus('mandatory')
filterIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 8, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: filterIndex.setStatus('mandatory')
filterActive = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 8, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterActive.setStatus('mandatory')
filterDefinition = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 8, 2, 1, 3), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: filterDefinition.setStatus('mandatory')
classNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNumber.setStatus('mandatory')
classDefaultClass = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: classDefaultClass.setStatus('mandatory')
classTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 3), )
if mibBuilder.loadTexts: classTable.setStatus('mandatory')
classEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 3, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "classIndex"))
if mibBuilder.loadTexts: classEntry.setStatus('mandatory')
classIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classIndex.setStatus('mandatory')
classWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: classWeight.setStatus('mandatory')
classPrefRoute = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 9, 3, 1, 3), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: classPrefRoute.setStatus('mandatory')
pvcNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: pvcNumber.setStatus('mandatory')
pvcTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2), )
if mibBuilder.loadTexts: pvcTable.setStatus('mandatory')
pvcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "pvcIndex"))
if mibBuilder.loadTexts: pvcEntry.setStatus('mandatory')
pvcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: pvcIndex.setStatus('mandatory')
pvcMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 7, 8, 9, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("pvcr", 2), ("multiplex", 3), ("transp", 4), ("rfc-1490", 5), ("fp", 7), ("broadcast", 8), ("fp-multiplex", 9), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcMode.setStatus('mandatory')
pvcDlciAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1022))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcDlciAddress.setStatus('mandatory')
pvcPort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcPort.setStatus('mandatory')
pvcUserPort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcUserPort.setStatus('mandatory')
pvcInfoRate = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1200, 2000000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcInfoRate.setStatus('mandatory')
pvcPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: pvcPriority.setStatus('mandatory')
pvcCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: pvcCost.setStatus('mandatory')
pvcRemoteUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 11), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcRemoteUnit.setStatus('mandatory')
pvcTimeout_ms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1000, 30000))).setLabel("pvcTimeout-ms").setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcTimeout_ms.setStatus('mandatory')
pvcRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcRetry.setStatus('mandatory')
pvcCompression = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcCompression.setStatus('mandatory')
pvcIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 15), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpAddress.setStatus('mandatory')
pvcSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 16), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcSubnetMask.setStatus('mandatory')
pvcMaxFrame = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(128, 8192))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcMaxFrame.setStatus('mandatory')
pvcBroadcastGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcBroadcastGroup.setStatus('mandatory')
pvcBrgConnection = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcBrgConnection.setStatus('mandatory')
pvcIpConnection = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpConnection.setStatus('mandatory')
pvcRemotePvc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 300))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcRemotePvc.setStatus('mandatory')
pvcPvcClass = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcPvcClass.setStatus('mandatory')
pvcNetworkPort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 23), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcNetworkPort.setStatus('mandatory')
pvcRingNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcRingNumber.setStatus('mandatory')
pvcIpRip = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("v1", 2), ("v2-broadcast", 3), ("v2-multicast", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpRip.setStatus('mandatory')
pvcBurstInfoRate = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1200, 2000000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcBurstInfoRate.setStatus('mandatory')
pvcUserDlci = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1022))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcUserDlci.setStatus('mandatory')
pvcNetworkDlci = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 28), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1022))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcNetworkDlci.setStatus('mandatory')
pvcIpxRip = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpxRip.setStatus('mandatory')
pvcIpxSap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpxSap.setStatus('mandatory')
pvcIpxNetNum = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 31), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpxNetNum.setStatus('mandatory')
pvcIpxConnection = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpxConnection.setStatus('mandatory')
pvcType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 254, 255))).clone(namedValues=NamedValues(("dedicated", 2), ("answer", 3), ("call-backup", 4), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcType.setStatus('mandatory')
pvcBackupCall_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 34), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setLabel("pvcBackupCall-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcBackupCall_s.setStatus('mandatory')
pvcBackupHang_s = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 35), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setLabel("pvcBackupHang-s").setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcBackupHang_s.setStatus('mandatory')
pvcBackup = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(15, 16, 254, 255))).clone(namedValues=NamedValues(("any", 15), ("all", 16), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcBackup.setStatus('mandatory')
pvcOspfEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfEnable.setStatus('mandatory')
pvcOspfAreaId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 38), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfAreaId.setStatus('mandatory')
pvcOspfTransitDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 39), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfTransitDelay.setStatus('mandatory')
pvcOspfRetransmitInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 40), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfRetransmitInt.setStatus('mandatory')
pvcOspfHelloInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 41), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfHelloInt.setStatus('mandatory')
pvcOspfDeadInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 42), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfDeadInt.setStatus('mandatory')
pvcOspfPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 43), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfPassword.setStatus('mandatory')
pvcOspfMetricCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 44), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcOspfMetricCost.setStatus('mandatory')
pvcProxyAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 45), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcProxyAddr.setStatus('mandatory')
pvcLlcConnection = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcLlcConnection.setStatus('mandatory')
pvcDialTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 47), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcDialTimeout.setStatus('mandatory')
pvcMaxChannels = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 48), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcMaxChannels.setStatus('mandatory')
pvcHuntForwardingAUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 49), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcHuntForwardingAUnit.setStatus('mandatory')
pvcHuntForwardingBUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 50), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcHuntForwardingBUnit.setStatus('mandatory')
pvcRemoteFpUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 51), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcRemoteFpUnit.setStatus('mandatory')
pvcIpRipTxRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 254, 255))).clone(namedValues=NamedValues(("duplex", 1), ("tx-only", 2), ("rx-only", 3), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpRipTxRx.setStatus('mandatory')
pvcIpRipAuthType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("simple", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpRipAuthType.setStatus('mandatory')
pvcIpRipPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 10, 2, 1, 54), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: pvcIpRipPassword.setStatus('mandatory')
ipxRouterEnable = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 11, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxRouterEnable.setStatus('mandatory')
ipxInternalNetNum = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 11, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxInternalNetNum.setStatus('mandatory')
ipRouterEnable = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 14, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipRouterEnable.setStatus('mandatory')
bootpEnable = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 33, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpEnable.setStatus('mandatory')
bootpMaxHops = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 33, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpMaxHops.setStatus('mandatory')
bootpIpDestAddr1 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 33, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpIpDestAddr1.setStatus('mandatory')
bootpIpDestAddr2 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 33, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpIpDestAddr2.setStatus('mandatory')
bootpIpDestAddr3 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 33, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpIpDestAddr3.setStatus('mandatory')
bootpIpDestAddr4 = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 33, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: bootpIpDestAddr4.setStatus('mandatory')
timepTimeZoneSign = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepTimeZoneSign.setStatus('mandatory')
timepTimeZone = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 720))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepTimeZone.setStatus('mandatory')
timepDaylightSaving = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepDaylightSaving.setStatus('mandatory')
timepServerProtocol = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("udp", 2), ("tcp", 3), ("both", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepServerProtocol.setStatus('mandatory')
timepClientProtocol = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("udp", 2), ("tcp", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepClientProtocol.setStatus('mandatory')
timepServerIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepServerIpAddress.setStatus('mandatory')
timepClientUpdateInterval = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepClientUpdateInterval.setStatus('mandatory')
timepClientUdpTimeout = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepClientUdpTimeout.setStatus('mandatory')
timepClientUdpRetransmissions = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepClientUdpRetransmissions.setStatus('mandatory')
timepGetServerTimeNow = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 35, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: timepGetServerTimeNow.setStatus('mandatory')
ipstaticNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipstaticNumber.setStatus('mandatory')
ipstaticTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2), )
if mibBuilder.loadTexts: ipstaticTable.setStatus('mandatory')
ipstaticEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ipstaticIndex"))
if mibBuilder.loadTexts: ipstaticEntry.setStatus('mandatory')
ipstaticIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipstaticIndex.setStatus('mandatory')
ipstaticValid = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipstaticValid.setStatus('mandatory')
ipstaticIpDest = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipstaticIpDest.setStatus('mandatory')
ipstaticMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipstaticMask.setStatus('mandatory')
ipstaticNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 13, 2, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipstaticNextHop.setStatus('mandatory')
ospfGlobal = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 1))
ospfArea = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2))
ospfRange = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3))
ospfVLink = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4))
ospfGlobalRouterId = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfGlobalRouterId.setStatus('mandatory')
ospfGlobalAutoVLink = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfGlobalAutoVLink.setStatus('mandatory')
ospfGlobalRackAreaId = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfGlobalRackAreaId.setStatus('mandatory')
ospfGlobalGlobalAreaId = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfGlobalGlobalAreaId.setStatus('mandatory')
ospfAreaNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ospfAreaNumber.setStatus('mandatory')
ospfAreaTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2), )
if mibBuilder.loadTexts: ospfAreaTable.setStatus('mandatory')
ospfAreaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ospfAreaIndex"))
if mibBuilder.loadTexts: ospfAreaEntry.setStatus('mandatory')
ospfAreaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ospfAreaIndex.setStatus('mandatory')
ospfAreaAreaId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfAreaAreaId.setStatus('mandatory')
ospfAreaEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfAreaEnable.setStatus('mandatory')
ospfAreaAuthType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("none", 1), ("simple", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfAreaAuthType.setStatus('mandatory')
ospfAreaImportASExt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("no", 1), ("yes", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfAreaImportASExt.setStatus('mandatory')
ospfAreaStubMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfAreaStubMetric.setStatus('mandatory')
ospfRangeNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ospfRangeNumber.setStatus('mandatory')
ospfRangeTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2), )
if mibBuilder.loadTexts: ospfRangeTable.setStatus('mandatory')
ospfRangeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ospfRangeIndex"))
if mibBuilder.loadTexts: ospfRangeEntry.setStatus('mandatory')
ospfRangeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ospfRangeIndex.setStatus('mandatory')
ospfRangeNet = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfRangeNet.setStatus('mandatory')
ospfRangeMask = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfRangeMask.setStatus('mandatory')
ospfRangeEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfRangeEnable.setStatus('mandatory')
ospfRangeStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("don-t-adv", 1), ("advertise", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfRangeStatus.setStatus('mandatory')
ospfRangeAddToArea = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 3, 2, 1, 6), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfRangeAddToArea.setStatus('mandatory')
ospfVLinkNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ospfVLinkNumber.setStatus('mandatory')
ospfVLinkTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2), )
if mibBuilder.loadTexts: ospfVLinkTable.setStatus('mandatory')
ospfVLinkEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ospfVLinkIndex"))
if mibBuilder.loadTexts: ospfVLinkEntry.setStatus('mandatory')
ospfVLinkIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ospfVLinkIndex.setStatus('mandatory')
ospfVLinkTransitAreaId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkTransitAreaId.setStatus('mandatory')
ospfVLinkNeighborRtrId = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkNeighborRtrId.setStatus('mandatory')
ospfVLinkEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 254, 255))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkEnable.setStatus('mandatory')
ospfVLinkTransitDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkTransitDelay.setStatus('mandatory')
ospfVLinkRetransmitInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkRetransmitInt.setStatus('mandatory')
ospfVLinkHelloInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 360))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkHelloInt.setStatus('mandatory')
ospfVLinkDeadInt = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkDeadInt.setStatus('mandatory')
ospfVLinkPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 15, 4, 2, 1, 9), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ospfVLinkPassword.setStatus('mandatory')
ipxfilterNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxfilterNumber.setStatus('mandatory')
ipxfilterTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 2), )
if mibBuilder.loadTexts: ipxfilterTable.setStatus('mandatory')
ipxfilterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "ipxfilterIndex"))
if mibBuilder.loadTexts: ipxfilterEntry.setStatus('mandatory')
ipxfilterIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipxfilterIndex.setStatus('mandatory')
ipxfilterEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxfilterEnable.setStatus('mandatory')
ipxfilterSap = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxfilterSap.setStatus('mandatory')
ipxfilterType = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 16, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("standard", 1), ("reverse", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipxfilterType.setStatus('mandatory')
statAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1), )
if mibBuilder.loadTexts: statAlarmTable.setStatus('mandatory')
statAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statAlarmIndex"))
if mibBuilder.loadTexts: statAlarmEntry.setStatus('mandatory')
statAlarmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmIndex.setStatus('mandatory')
statAlarmDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmDesc.setStatus('mandatory')
statAlarmDate = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmDate.setStatus('mandatory')
statAlarmTime = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmTime.setStatus('mandatory')
statAlarmModule = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmModule.setStatus('mandatory')
statAlarmAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmAlarm.setStatus('mandatory')
statAlarmArg = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statAlarmArg.setStatus('mandatory')
statIfwanTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2), )
if mibBuilder.loadTexts: statIfwanTable.setStatus('mandatory')
statIfwanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statIfwanIndex"))
if mibBuilder.loadTexts: statIfwanEntry.setStatus('mandatory')
statIfwanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanIndex.setStatus('mandatory')
statIfwanDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanDesc.setStatus('mandatory')
statIfwanProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 17, 18, 19, 24, 27, 28, 29, 254, 255))).clone(namedValues=NamedValues(("off", 1), ("p-sdlc", 2), ("s-sdlc", 3), ("hdlc", 4), ("ddcmp", 5), ("t-async", 6), ("r-async", 7), ("bsc", 8), ("cop", 9), ("pvcr", 10), ("passthru", 11), ("console", 12), ("fr-net", 17), ("fr-user", 18), ("ppp", 19), ("e1-trsp", 24), ("isdn-bri", 27), ("g703", 28), ("x25", 29), ("not-applicable", 254), ("not-available", 255)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanProtocol.setStatus('mandatory')
statIfwanInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanInterface.setStatus('mandatory')
statIfwanModemSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanModemSignal.setStatus('mandatory')
statIfwanSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanSpeed.setStatus('mandatory')
statIfwanState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanState.setStatus('mandatory')
statIfwanMeanTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanMeanTx.setStatus('mandatory')
statIfwanMeanRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanMeanRx.setStatus('mandatory')
statIfwanPeakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 10), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanPeakTx.setStatus('mandatory')
statIfwanPeakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 11), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanPeakRx.setStatus('mandatory')
statIfwanBadFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanBadFrames.setStatus('mandatory')
statIfwanBadFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanBadFlags.setStatus('mandatory')
statIfwanUnderruns = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanUnderruns.setStatus('mandatory')
statIfwanRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanRetries.setStatus('mandatory')
statIfwanRestart = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanRestart.setStatus('mandatory')
statIfwanFramesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanFramesTx.setStatus('mandatory')
statIfwanFramesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanFramesRx.setStatus('mandatory')
statIfwanOctetsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanOctetsTx.setStatus('mandatory')
statIfwanOctetsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanOctetsRx.setStatus('mandatory')
statIfwanOvrFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanOvrFrames.setStatus('mandatory')
statIfwanBadOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanBadOctets.setStatus('mandatory')
statIfwanOvrOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanOvrOctets.setStatus('mandatory')
statIfwanT1E1ESS = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 24), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1ESS.setStatus('mandatory')
statIfwanT1E1SES = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 25), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1SES.setStatus('mandatory')
statIfwanT1E1SEF = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 26), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1SEF.setStatus('mandatory')
statIfwanT1E1UAS = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 27), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1UAS.setStatus('mandatory')
statIfwanT1E1CSS = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 28), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1CSS.setStatus('mandatory')
statIfwanT1E1PCV = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 29), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1PCV.setStatus('mandatory')
statIfwanT1E1LES = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 30), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1LES.setStatus('mandatory')
statIfwanT1E1BES = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 31), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1BES.setStatus('mandatory')
statIfwanT1E1DM = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 32), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1DM.setStatus('mandatory')
statIfwanT1E1LCV = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 33), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanT1E1LCV.setStatus('mandatory')
statIfwanCompErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 34), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanCompErrs.setStatus('mandatory')
statIfwanChOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 35), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanChOverflows.setStatus('mandatory')
statIfwanChAborts = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 36), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanChAborts.setStatus('mandatory')
statIfwanChSeqErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 37), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanChSeqErrs.setStatus('mandatory')
statIfwanDropInsert = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 38), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanDropInsert.setStatus('mandatory')
statIfwanTrspState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 39), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanTrspState.setStatus('mandatory')
statIfwanTrspLastError = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 40), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanTrspLastError.setStatus('mandatory')
statIfwanQ922State = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 2, 1, 41), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfwanQ922State.setStatus('mandatory')
statIflanTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3), )
if mibBuilder.loadTexts: statIflanTable.setStatus('mandatory')
statIflanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statIflanIndex"))
if mibBuilder.loadTexts: statIflanEntry.setStatus('mandatory')
statIflanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanIndex.setStatus('mandatory')
statIflanProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 13, 14, 15, 16))).clone(namedValues=NamedValues(("off", 1), ("token-ring", 13), ("ethernet-auto", 14), ("ethernet-802p3", 15), ("ethernet-v2", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanProtocol.setStatus('mandatory')
statIflanSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tr-4-Mbps", 1), ("tr-16-Mbps", 2), ("eth-10-Mbps", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanSpeed.setStatus('mandatory')
statIflanConnectionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanConnectionStatus.setStatus('mandatory')
statIflanOperatingMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanOperatingMode.setStatus('mandatory')
statIflanEth_Interface = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 6), DisplayString()).setLabel("statIflanEth-Interface").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_Interface.setStatus('mandatory')
statIflanMeanTx_kbps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 7), Gauge32()).setLabel("statIflanMeanTx-kbps").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanMeanTx_kbps.setStatus('mandatory')
statIflanMeanRx_kbps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 8), Gauge32()).setLabel("statIflanMeanRx-kbps").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanMeanRx_kbps.setStatus('mandatory')
statIflanPeakTx_kbps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 9), Gauge32()).setLabel("statIflanPeakTx-kbps").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanPeakTx_kbps.setStatus('mandatory')
statIflanPeakRx_kbps = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 10), Gauge32()).setLabel("statIflanPeakRx-kbps").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanPeakRx_kbps.setStatus('mandatory')
statIflanRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanRetries.setStatus('mandatory')
statIflanBadFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanBadFrames.setStatus('mandatory')
statIflanBadFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanBadFlags.setStatus('mandatory')
statIflanTr_ReceiveCongestion = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 14), Counter32()).setLabel("statIflanTr-ReceiveCongestion").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanTr_ReceiveCongestion.setStatus('mandatory')
statIflanEth_OneCollision = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 15), Counter32()).setLabel("statIflanEth-OneCollision").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_OneCollision.setStatus('mandatory')
statIflanEth_TwoCollisions = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 16), Counter32()).setLabel("statIflanEth-TwoCollisions").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_TwoCollisions.setStatus('mandatory')
statIflanEth_ThreeAndMoreCol = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 17), Counter32()).setLabel("statIflanEth-ThreeAndMoreCol").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_ThreeAndMoreCol.setStatus('mandatory')
statIflanEth_DeferredTrans = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 18), Counter32()).setLabel("statIflanEth-DeferredTrans").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_DeferredTrans.setStatus('mandatory')
statIflanEth_ExcessiveCollision = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 19), Counter32()).setLabel("statIflanEth-ExcessiveCollision").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_ExcessiveCollision.setStatus('mandatory')
statIflanEth_LateCollision = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 20), Counter32()).setLabel("statIflanEth-LateCollision").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_LateCollision.setStatus('mandatory')
statIflanEth_FrameCheckSeq = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 21), Counter32()).setLabel("statIflanEth-FrameCheckSeq").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_FrameCheckSeq.setStatus('mandatory')
statIflanEth_Align = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 22), Counter32()).setLabel("statIflanEth-Align").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_Align.setStatus('mandatory')
statIflanEth_CarrierSense = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 3, 1, 23), Counter32()).setLabel("statIflanEth-CarrierSense").setMaxAccess("readonly")
if mibBuilder.loadTexts: statIflanEth_CarrierSense.setStatus('mandatory')
statIfvceTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10), )
if mibBuilder.loadTexts: statIfvceTable.setStatus('mandatory')
statIfvceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statIfvceIndex"))
if mibBuilder.loadTexts: statIfvceEntry.setStatus('mandatory')
statIfvceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceIndex.setStatus('mandatory')
statIfvceDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceDesc.setStatus('mandatory')
statIfvceState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("inactive", 0), ("idle", 1), ("pause", 2), ("local", 3), ("online", 4), ("disconnect", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceState.setStatus('mandatory')
statIfvceProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 21, 22, 23, 24, 26, 30))).clone(namedValues=NamedValues(("off", 1), ("acelp-8-kbs", 21), ("acelp-4-8-kbs", 22), ("pcm64k", 23), ("adpcm32k", 24), ("atc16k", 26), ("acelp-cn", 30)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceProtocol.setStatus('mandatory')
statIfvceLastError = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("none", 0), ("incompatibility", 1), ("new-parameters", 2), ("rerouting", 3), ("state-fault", 4), ("unreachable", 5), ("disconnect", 6), ("port-closure", 7), ("no-destination", 8), ("pvc-closure", 9), ("too-many-calls", 10), ("class-mismatch", 11), ("algo-mismatch", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceLastError.setStatus('mandatory')
statIfvceFaxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("fx-2-4Kbps", 1), ("fx-4-8Kbps", 2), ("fx-7-2Kbps", 3), ("fx-9-6Kbps", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceFaxRate.setStatus('mandatory')
statIfvceFaxMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(255, 0, 1))).clone(namedValues=NamedValues(("none", 255), ("out-of-fax", 0), ("in-fax", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceFaxMode.setStatus('mandatory')
statIfvceOverruns = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceOverruns.setStatus('mandatory')
statIfvceUnderruns = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceUnderruns.setStatus('mandatory')
statIfvceDvcPortInUse = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 10, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfvceDvcPortInUse.setStatus('mandatory')
statPuTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4), )
if mibBuilder.loadTexts: statPuTable.setStatus('mandatory')
statPuEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statPuIndex"))
if mibBuilder.loadTexts: statPuEntry.setStatus('mandatory')
statPuIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuIndex.setStatus('mandatory')
statPuMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("off", 1), ("sdlc-llc", 2), ("sdlc-sdlc", 3), ("sdlc-dlsw", 4), ("sdlc-links", 5), ("llc-dlsw", 6), ("llc-links", 7), ("dlsw-links", 8), ("sdlc-ban", 9), ("sdlc-bnn", 10), ("llc-ban", 11), ("llc-bnn", 12), ("dlsw-ban", 13), ("dlsw-bnn", 14), ("ban-link", 15), ("bnn-link", 16)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuMode.setStatus('mandatory')
statPuConnectionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuConnectionStatus.setStatus('mandatory')
statPuCompErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuCompErrs.setStatus('mandatory')
statPuChOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuChOverflows.setStatus('mandatory')
statPuChAborts = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuChAborts.setStatus('mandatory')
statPuChSeqErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 4, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPuChSeqErrs.setStatus('mandatory')
statBridge = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5))
statBridgeBridge = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1))
statBridgePort = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2))
statBridgeBridgeAddressDiscard = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeAddressDiscard.setStatus('mandatory')
statBridgeBridgeFrameDiscard = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeFrameDiscard.setStatus('mandatory')
statBridgeBridgeDesignatedRoot = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeDesignatedRoot.setStatus('mandatory')
statBridgeBridgeRootCost = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeRootCost.setStatus('mandatory')
statBridgeBridgeRootPort = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeRootPort.setStatus('mandatory')
statBridgeBridgeFrameFiltered = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeFrameFiltered.setStatus('mandatory')
statBridgeBridgeFrameTimeout = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgeBridgeFrameTimeout.setStatus('mandatory')
statBridgePortTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1), )
if mibBuilder.loadTexts: statBridgePortTable.setStatus('mandatory')
statBridgePortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statBridgePortIndex"))
if mibBuilder.loadTexts: statBridgePortEntry.setStatus('mandatory')
statBridgePortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortIndex.setStatus('mandatory')
statBridgePortDestination = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortDestination.setStatus('mandatory')
statBridgePortState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortState.setStatus('mandatory')
statBridgePortDesignatedRoot = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortDesignatedRoot.setStatus('mandatory')
statBridgePortDesignatedCost = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortDesignatedCost.setStatus('mandatory')
statBridgePortDesignatedBridge = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortDesignatedBridge.setStatus('mandatory')
statBridgePortDesignatedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortDesignatedPort.setStatus('mandatory')
statBridgePortTrspFrameIn = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTrspFrameIn.setStatus('mandatory')
statBridgePortTrspFrameOut = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTrspFrameOut.setStatus('mandatory')
statBridgePortTr_SpecRteFrameIn = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 10), DisplayString()).setLabel("statBridgePortTr-SpecRteFrameIn").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_SpecRteFrameIn.setStatus('mandatory')
statBridgePortTr_SpecRteFrameOut = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 11), DisplayString()).setLabel("statBridgePortTr-SpecRteFrameOut").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_SpecRteFrameOut.setStatus('mandatory')
statBridgePortTr_AllRteFrameIn = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 12), DisplayString()).setLabel("statBridgePortTr-AllRteFrameIn").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_AllRteFrameIn.setStatus('mandatory')
statBridgePortTr_AllRteFrameOut = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 13), DisplayString()).setLabel("statBridgePortTr-AllRteFrameOut").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_AllRteFrameOut.setStatus('mandatory')
statBridgePortTr_SingleRteFrameIn = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 14), DisplayString()).setLabel("statBridgePortTr-SingleRteFrameIn").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_SingleRteFrameIn.setStatus('mandatory')
statBridgePortTr_SingleRteFrameOut = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 15), DisplayString()).setLabel("statBridgePortTr-SingleRteFrameOut").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_SingleRteFrameOut.setStatus('mandatory')
statBridgePortTr_SegmentMismatch = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 16), DisplayString()).setLabel("statBridgePortTr-SegmentMismatch").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_SegmentMismatch.setStatus('mandatory')
statBridgePortTr_SegmentDuplicate = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 17), DisplayString()).setLabel("statBridgePortTr-SegmentDuplicate").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_SegmentDuplicate.setStatus('mandatory')
statBridgePortTr_HopCntExceeded = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 18), DisplayString()).setLabel("statBridgePortTr-HopCntExceeded").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_HopCntExceeded.setStatus('mandatory')
statBridgePortTr_FrmLngExceeded = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 5, 2, 1, 1, 19), DisplayString()).setLabel("statBridgePortTr-FrmLngExceeded").setMaxAccess("readonly")
if mibBuilder.loadTexts: statBridgePortTr_FrmLngExceeded.setStatus('mandatory')
statPvcTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6), )
if mibBuilder.loadTexts: statPvcTable.setStatus('mandatory')
statPvcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statPvcIndex"))
if mibBuilder.loadTexts: statPvcEntry.setStatus('mandatory')
statPvcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcIndex.setStatus('mandatory')
statPvcProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcProtocol.setStatus('mandatory')
statPvcMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcMode.setStatus('mandatory')
statPvcInfoSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcInfoSignal.setStatus('mandatory')
statPvcSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcSpeed.setStatus('mandatory')
statPvcState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcState.setStatus('mandatory')
statPvcMeanTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcMeanTx.setStatus('mandatory')
statPvcMeanRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcMeanRx.setStatus('mandatory')
statPvcPeakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcPeakTx.setStatus('mandatory')
statPvcPeakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 10), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcPeakRx.setStatus('mandatory')
statPvcError = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcError.setStatus('mandatory')
statPvcRestart = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcRestart.setStatus('mandatory')
statPvcFramesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcFramesTx.setStatus('mandatory')
statPvcFramesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcFramesRx.setStatus('mandatory')
statPvcOctetsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcOctetsTx.setStatus('mandatory')
statPvcOctetsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcOctetsRx.setStatus('mandatory')
statPvcBadFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcBadFrames.setStatus('mandatory')
statPvcOvrFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcOvrFrames.setStatus('mandatory')
statPvcBadOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcBadOctets.setStatus('mandatory')
statPvcOvrOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcOvrOctets.setStatus('mandatory')
statPvcDlci = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcDlci.setStatus('mandatory')
statPvcCompErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 28), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcCompErrs.setStatus('mandatory')
statPvcChOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 29), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcChOverflows.setStatus('mandatory')
statPvcChAborts = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 30), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcChAborts.setStatus('mandatory')
statPvcChSeqErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 6, 1, 31), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcChSeqErrs.setStatus('mandatory')
statPvcrRouteTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7), )
if mibBuilder.loadTexts: statPvcrRouteTable.setStatus('mandatory')
statPvcrRouteEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statPvcrRouteName"), (0, "CLEARTRAC7-MIB", "statPvcrRouteNextHop"))
if mibBuilder.loadTexts: statPvcrRouteEntry.setStatus('mandatory')
statPvcrRouteName = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcrRouteName.setStatus('mandatory')
statPvcrRouteValid = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcrRouteValid.setStatus('mandatory')
statPvcrRouteMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1, 3), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcrRouteMetric.setStatus('mandatory')
statPvcrRouteIntrf = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcrRouteIntrf.setStatus('mandatory')
statPvcrRouteNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcrRouteNextHop.setStatus('mandatory')
statPvcrRouteAge = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 7, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statPvcrRouteAge.setStatus('mandatory')
statSystem = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20))
statSystemAlarmNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemAlarmNumber.setStatus('mandatory')
statSystemMeanCompRate = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemMeanCompRate.setStatus('mandatory')
statSystemMeanDecompRate = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemMeanDecompRate.setStatus('mandatory')
statSystemPeakCompRate = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemPeakCompRate.setStatus('mandatory')
statSystemPeakDecompRate = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemPeakDecompRate.setStatus('mandatory')
statSystemSa = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemSa.setStatus('mandatory')
statSystemSp = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemSp.setStatus('mandatory')
statSystemNa = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemNa.setStatus('mandatory')
statSystemBia = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemBia.setStatus('mandatory')
statSystemTr_Nan = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setLabel("statSystemTr-Nan").setMaxAccess("readonly")
if mibBuilder.loadTexts: statSystemTr_Nan.setStatus('mandatory')
statSystemResetCounters = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: statSystemResetCounters.setStatus('mandatory')
statSystemClearAlarms = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: statSystemClearAlarms.setStatus('mandatory')
statSystemClearErrorLed = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 20, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: statSystemClearErrorLed.setStatus('mandatory')
statBootp = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21))
statBootpNbRequestReceived = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpNbRequestReceived.setStatus('mandatory')
statBootpNbRequestSend = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpNbRequestSend.setStatus('mandatory')
statBootpNbReplyReceived = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpNbReplyReceived.setStatus('mandatory')
statBootpNbReplySend = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpNbReplySend.setStatus('mandatory')
statBootpReplyWithInvalidGiaddr = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpReplyWithInvalidGiaddr.setStatus('mandatory')
statBootpHopsLimitExceed = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpHopsLimitExceed.setStatus('mandatory')
statBootpRequestReceivedOnPortBootpc = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpRequestReceivedOnPortBootpc.setStatus('mandatory')
statBootpReplyReceivedOnPortBootpc = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpReplyReceivedOnPortBootpc.setStatus('mandatory')
statBootpInvalidOpCodeField = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpInvalidOpCodeField.setStatus('mandatory')
statBootpCannotRouteFrame = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpCannotRouteFrame.setStatus('mandatory')
statBootpFrameTooSmallToBeABootpFrame = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpFrameTooSmallToBeABootpFrame.setStatus('mandatory')
statBootpCannotReceiveAndForwardOnTheSamePort = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 21, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statBootpCannotReceiveAndForwardOnTheSamePort.setStatus('mandatory')
statGrp = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22))
statGrpNumber = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statGrpNumber.setStatus('mandatory')
statGrpTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2), )
if mibBuilder.loadTexts: statGrpTable.setStatus('mandatory')
statGrpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statGrpIndex"))
if mibBuilder.loadTexts: statGrpEntry.setStatus('mandatory')
statGrpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statGrpIndex.setStatus('mandatory')
statGrpDestName = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statGrpDestName.setStatus('mandatory')
statGrpOutOfSeqErrs = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statGrpOutOfSeqErrs.setStatus('mandatory')
statGrpSorterTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statGrpSorterTimeouts.setStatus('mandatory')
statGrpSorterOverruns = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 22, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statGrpSorterOverruns.setStatus('mandatory')
statTimep = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23))
statTimeNbFrameReceived = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeNbFrameReceived.setStatus('mandatory')
statTimeNbFrameSent = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeNbFrameSent.setStatus('mandatory')
statTimeNbRequestReceived = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeNbRequestReceived.setStatus('mandatory')
statTimeNbReplySent = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeNbReplySent.setStatus('mandatory')
statTimeNbRequestSent = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeNbRequestSent.setStatus('mandatory')
statTimeNbReplyReceived = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeNbReplyReceived.setStatus('mandatory')
statTimeClientRetransmissions = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeClientRetransmissions.setStatus('mandatory')
statTimeClientSyncFailures = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeClientSyncFailures.setStatus('mandatory')
statTimeInvalidLocalIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeInvalidLocalIpAddress.setStatus('mandatory')
statTimeInvalidPortNumbers = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 23, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTimeInvalidPortNumbers.setStatus('mandatory')
statQ922counters = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24))
statTxRetransmissions = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxRetransmissions.setStatus('mandatory')
statReleaseIndications = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statReleaseIndications.setStatus('mandatory')
statEstablishIndications = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statEstablishIndications.setStatus('mandatory')
statLinkEstablished = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statLinkEstablished.setStatus('mandatory')
statTxIframeQdiscards = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxIframeQdiscards.setStatus('mandatory')
statRxframes = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxframes.setStatus('mandatory')
statTxframes = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxframes.setStatus('mandatory')
statRxBytes = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxBytes.setStatus('mandatory')
statTxBytes = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 24, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxBytes.setStatus('mandatory')
statQ922errors = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 25))
statInvalidRxSizes = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 25, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statInvalidRxSizes.setStatus('mandatory')
statMissingControlBlocks = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 25, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statMissingControlBlocks.setStatus('mandatory')
statRxAcknowledgeExpiry = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 25, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxAcknowledgeExpiry.setStatus('mandatory')
statTxAcknowledgeExpiry = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 25, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxAcknowledgeExpiry.setStatus('mandatory')
statQ933counters = MibIdentifier((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26))
statTxSetupMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxSetupMessages.setStatus('mandatory')
statRxSetupMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxSetupMessages.setStatus('mandatory')
statTxCallProceedingMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxCallProceedingMessages.setStatus('mandatory')
statRxCallProceedingMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxCallProceedingMessages.setStatus('mandatory')
statTxConnectMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxConnectMessages.setStatus('mandatory')
statRxConnectMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxConnectMessages.setStatus('mandatory')
statTxReleaseMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxReleaseMessages.setStatus('mandatory')
statRxReleaseMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxReleaseMessages.setStatus('mandatory')
statTxReleaseCompleteMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxReleaseCompleteMessages.setStatus('mandatory')
statRxReleaseCompleteMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxReleaseCompleteMessages.setStatus('mandatory')
statTxDisconnectMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxDisconnectMessages.setStatus('mandatory')
statRxDisconnectMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxDisconnectMessages.setStatus('mandatory')
statTxStatusMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxStatusMessages.setStatus('mandatory')
statRxStatusMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxStatusMessages.setStatus('mandatory')
statTxStatusEnquiryMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statTxStatusEnquiryMessages.setStatus('mandatory')
statRxStatusEnquiryMessages = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statRxStatusEnquiryMessages.setStatus('mandatory')
statProtocolTimeouts = MibScalar((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 26, 17), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statProtocolTimeouts.setStatus('mandatory')
statSvcTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27), )
if mibBuilder.loadTexts: statSvcTable.setStatus('mandatory')
statSvcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statSvcIndex"))
if mibBuilder.loadTexts: statSvcEntry.setStatus('mandatory')
statSvcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcIndex.setStatus('mandatory')
statSvcProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcProtocol.setStatus('mandatory')
statSvcMode = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcMode.setStatus('mandatory')
statSvcInfoSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcInfoSignal.setStatus('mandatory')
statSvcSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcSpeed.setStatus('mandatory')
statSvcState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcState.setStatus('mandatory')
statSvcMeanTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcMeanTx.setStatus('mandatory')
statSvcMeanRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 8), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcMeanRx.setStatus('mandatory')
statSvcPeakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 9), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcPeakTx.setStatus('mandatory')
statSvcPeakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 10), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcPeakRx.setStatus('mandatory')
statSvcError = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcError.setStatus('mandatory')
statSvcRestart = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcRestart.setStatus('mandatory')
statSvcFramesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcFramesTx.setStatus('mandatory')
statSvcFramesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcFramesRx.setStatus('mandatory')
statSvcOctetsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcOctetsTx.setStatus('mandatory')
statSvcOctetsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcOctetsRx.setStatus('mandatory')
statSvcBadFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcBadFrames.setStatus('mandatory')
statSvcOvrFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcOvrFrames.setStatus('mandatory')
statSvcBadOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcBadOctets.setStatus('mandatory')
statSvcOvrOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcOvrOctets.setStatus('mandatory')
statSvcDlci = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 27, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statSvcDlci.setStatus('mandatory')
statIfcemTable = MibTable((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 28), )
if mibBuilder.loadTexts: statIfcemTable.setStatus('mandatory')
statIfcemEntry = MibTableRow((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 28, 1), ).setIndexNames((0, "CLEARTRAC7-MIB", "statIfcemIndex"))
if mibBuilder.loadTexts: statIfcemEntry.setStatus('mandatory')
statIfcemIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 28, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfcemIndex.setStatus('mandatory')
statIfcemDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 28, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfcemDesc.setStatus('mandatory')
statIfcemClockState = MibTableColumn((1, 3, 6, 1, 4, 1, 727, 7, 2, 20, 28, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: statIfcemClockState.setStatus('mandatory')
connectionDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,600)).setObjects(("CLEARTRAC7-MIB", "puIndex"))
linkDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,601)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
pvcDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,602)).setObjects(("CLEARTRAC7-MIB", "pvcIndex"))
cardDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,603)).setObjects(("CLEARTRAC7-MIB", "sysTrapRackandPos"))
connectionUp = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,604)).setObjects(("CLEARTRAC7-MIB", "puIndex"))
linkUp = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,605)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
pvcUp = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,606)).setObjects(("CLEARTRAC7-MIB", "pvcIndex"))
cardup = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,607)).setObjects(("CLEARTRAC7-MIB", "sysTrapRackandPos"))
periodStarted = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,608)).setObjects(("CLEARTRAC7-MIB", "schedulePeriod"))
periodEnded = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,609)).setObjects(("CLEARTRAC7-MIB", "schedulePeriod"))
badDestPort = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,610)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
badDestPvc = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,611)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
backupCall = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,612))
backupHang = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,613))
manualCall = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,614))
manualHang = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,615))
bondTrig = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,616))
bondDeTrig = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,617))
firmwareStored = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,618))
cfgStored = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,619))
noTrap = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,620))
fatalTrap = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,621))
notMemory = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,622))
setupReset = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,623))
badChecksum = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,624))
fatalMsg = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,625))
noMsg = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,626))
bothPsUp = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,627))
onePsDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,628))
bothFansUp = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,629))
oneOrMoreFanDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,630))
accountingFileFull = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,631))
frLinkUp = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,665)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
frLinkDown = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,666)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
q922Up = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,667)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
q922Down = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,668)).setObjects(("CLEARTRAC7-MIB", "ifwanIndex"))
accountingFileOverflow = NotificationType((1, 3, 6, 1, 4, 1, 727) + (0,669))
mibBuilder.exportSymbols("CLEARTRAC7-MIB", timepClientUpdateInterval=timepClientUpdateInterval, statIflanSpeed=statIflanSpeed, ifvceHuntGroup=ifvceHuntGroup, statBridgePortDesignatedCost=statBridgePortDesignatedCost, statSvcPeakRx=statSvcPeakRx, statSvcDlci=statSvcDlci, backupHang=backupHang, phoneNumber=phoneNumber, statSystem=statSystem, ifvceNumber=ifvceNumber, ifwanTxStart=ifwanTxStart, puDlsDsap=puDlsDsap, ifvceRate5k8x2=ifvceRate5k8x2, ospfVLinkTable=ospfVLinkTable, ifwanPppAcceptableAccmChar=ifwanPppAcceptableAccmChar, statBridgePortTr_HopCntExceeded=statBridgePortTr_HopCntExceeded, sysPosTable=sysPosTable, ifwanMode=ifwanMode, statIfwanProtocol=statIfwanProtocol, ospfRangeMask=ospfRangeMask, statIfwanBadFrames=statIfwanBadFrames, statIfvceLastError=statIfvceLastError, filterNumber=filterNumber, statTxIframeQdiscards=statTxIframeQdiscards, ipstaticTable=ipstaticTable, ifvceRate6kx3=ifvceRate6kx3, statPvcBadFrames=statPvcBadFrames, ifwanFormat=ifwanFormat, ifwanProtocol=ifwanProtocol, statAlarmTable=statAlarmTable, slotPortInSlotEntry=slotPortInSlotEntry, frLinkUp=frLinkUp, proxyIndex=proxyIndex, ifvceProtocol=ifvceProtocol, slotPortInSlot=slotPortInSlot, ipxInternalNetNum=ipxInternalNetNum, iflanSpeed=iflanSpeed, timepClientProtocol=timepClientProtocol, ifwanSvcDisconnectTimeoutT305=ifwanSvcDisconnectTimeoutT305, iflanOspfMetricCost=iflanOspfMetricCost, statIfvceState=statIfvceState, ifwanTeiMode=ifwanTeiMode, pvcNetworkPort=pvcNetworkPort, ipaddr=ipaddr, intfType=intfType, ifvceLocalInbound=ifvceLocalInbound, ifwanPortToBack=ifwanPortToBack, iflanDesc=iflanDesc, phoneRemoteUnit=phoneRemoteUnit, ifwanSfCarrierId=ifwanSfCarrierId, ifwanT1E1Status=ifwanT1E1Status, statIfvceProtocol=statIfvceProtocol, sysSpeedDialNumLength=sysSpeedDialNumLength, statPuEntry=statPuEntry, pvcIpxNetNum=pvcIpxNetNum, puBanBnnNw=puBanBnnNw, ifwanDesc=ifwanDesc, statIfwanIndex=statIfwanIndex, sysSnmpTrapIpAddr3=sysSnmpTrapIpAddr3, statTimeNbFrameReceived=statTimeNbFrameReceived, ipRouterEnable=ipRouterEnable, sysClock=sysClock, ifvceToneOff_ms=ifvceToneOff_ms, bridgeTr_MaxHop=bridgeTr_MaxHop, ipstaticIpDest=ipstaticIpDest, iflanSubnetMask=iflanSubnetMask, iflanIpRip=iflanIpRip, statIfwanChOverflows=statIfwanChOverflows, statIfcemEntry=statIfcemEntry, ospfVLinkTransitAreaId=ospfVLinkTransitAreaId, ifwanRetry=ifwanRetry, bridgeMaxAge_s=bridgeMaxAge_s, filterDefinition=filterDefinition, intfNumInSlot=intfNumInSlot, iflanNumber=iflanNumber, sysPosIpAddr=sysPosIpAddr, statIfwanT1E1BES=statIfwanT1E1BES, timepGetServerTimeNow=timepGetServerTimeNow, statSystemSp=statSystemSp, statIfwanChSeqErrs=statIfwanChSeqErrs, linkDown=linkDown, badDestPvc=badDestPvc, pvcDown=pvcDown, pvcInfoRate=pvcInfoRate, statBootpCannotReceiveAndForwardOnTheSamePort=statBootpCannotReceiveAndForwardOnTheSamePort, puRole=puRole, statIflanEth_ThreeAndMoreCol=statIflanEth_ThreeAndMoreCol, ifwanDropSyncCounter=ifwanDropSyncCounter, ifwanOspfAreaId=ifwanOspfAreaId, statQ922counters=statQ922counters, firmwareStored=firmwareStored, statSvcOctetsTx=statSvcOctetsTx, statGrpTable=statGrpTable, scheduleEndTime=scheduleEndTime, statRxCallProceedingMessages=statRxCallProceedingMessages, statBridgePortTr_SpecRteFrameOut=statBridgePortTr_SpecRteFrameOut, ifwanTable=ifwanTable, puSdlcAddress2=puSdlcAddress2, statTimeNbReplyReceived=statTimeNbReplyReceived, ifwanFrameDelay=ifwanFrameDelay, iflanMaxFrame=iflanMaxFrame, statIfwanEntry=statIfwanEntry, statGrpOutOfSeqErrs=statGrpOutOfSeqErrs, statQ922errors=statQ922errors, statBridgeBridgeFrameTimeout=statBridgeBridgeFrameTimeout, intfModuleType=intfModuleType, statIfcemDesc=statIfcemDesc, proxyDefaultGateway=proxyDefaultGateway, puMode=puMode, ifvceRate6kx2=ifvceRate6kx2, backupCall=backupCall, statIfwanRetries=statIfwanRetries, ifvceActivationType=ifvceActivationType, iflanOspfPassword=iflanOspfPassword, ifwanPriority=ifwanPriority, ospfAreaAreaId=ospfAreaAreaId, ifvceDelDigits=ifvceDelDigits, puSdlcPort2=puSdlcPort2, ifwanDestExtNumber=ifwanDestExtNumber, ifvceRate6kx1=ifvceRate6kx1, statGrpSorterTimeouts=statGrpSorterTimeouts, ifwanLineBuild=ifwanLineBuild, puLlcDsap=puLlcDsap, q922Up=q922Up, ifwanNumber=ifwanNumber, manualHang=manualHang, ospfRangeNet=ospfRangeNet, ipxfilterEntry=ipxfilterEntry, statSystemNa=statSystemNa, statBridgePortEntry=statBridgePortEntry, ospfRangeNumber=ospfRangeNumber, ospfVLinkEntry=ospfVLinkEntry, puBnnFid=puBnnFid, ifwanOspfEnable=ifwanOspfEnable, statPuChAborts=statPuChAborts, intfNumInType=intfNumInType, ifvceRemotePort=ifvceRemotePort, linkUp=linkUp, statIflanTr_ReceiveCongestion=statIflanTr_ReceiveCongestion, statIfwanDesc=statIfwanDesc, sysDefaultGateway=sysDefaultGateway, pvcIpRipAuthType=pvcIpRipAuthType, ipxfilterNumber=ipxfilterNumber, statPuTable=statPuTable, ifvceR2Group2Digit=ifvceR2Group2Digit, sysHuntForwardingADLCI=sysHuntForwardingADLCI, statReleaseIndications=statReleaseIndications, sysDefaultIpMask=sysDefaultIpMask, ifwanEncodingLaw=ifwanEncodingLaw, sysDay=sysDay, iflanIpxNetNum=iflanIpxNetNum, ifvceFwdDigits=ifvceFwdDigits, statIfwanT1E1PCV=statIfwanT1E1PCV, statPvcrRouteValid=statPvcrRouteValid, pvcUserDlci=pvcUserDlci, ipxfilter=ipxfilter, statIflanEth_FrameCheckSeq=statIflanEth_FrameCheckSeq, statBridgePortTr_AllRteFrameOut=statBridgePortTr_AllRteFrameOut, puBanBnnSsap=puBanBnnSsap, timepServerProtocol=timepServerProtocol, ospfArea=ospfArea, statBridgePortTrspFrameOut=statBridgePortTrspFrameOut, statGrpNumber=statGrpNumber, bondTrig=bondTrig, sysName=sysName, statIfwanT1E1UAS=statIfwanT1E1UAS, statIfwanT1E1ESS=statIfwanT1E1ESS, pvcCost=pvcCost, ospfVLink=ospfVLink, statBridgeBridgeAddressDiscard=statBridgeBridgeAddressDiscard, statBridgePortState=statBridgePortState, statSystemPeakDecompRate=statSystemPeakDecompRate, ifvceDVCSilenceSuppress=ifvceDVCSilenceSuppress, statBootpNbRequestSend=statBootpNbRequestSend, intfSlotType=intfSlotType, sysPosProduct=sysPosProduct, statPvcRestart=statPvcRestart, pu=pu, puLlcDynamicWindow=puLlcDynamicWindow, statGrpEntry=statGrpEntry, ospfAreaStubMetric=ospfAreaStubMetric, ifwanX25Encapsulation=ifwanX25Encapsulation, statTxAcknowledgeExpiry=statTxAcknowledgeExpiry, statSvcOvrFrames=statSvcOvrFrames, sysLocation=sysLocation, statSvcMeanRx=statSvcMeanRx, ifwanOspfTransitDelay=ifwanOspfTransitDelay, sysRingFreq=sysRingFreq, iflanEth_LinkIntegrity=iflanEth_LinkIntegrity, pvcProxyAddr=pvcProxyAddr, classPrefRoute=classPrefRoute, ifwanGroupAddress=ifwanGroupAddress, scheduleEnable=scheduleEnable, phoneCost=phoneCost, statPvcPeakRx=statPvcPeakRx, sysLinkTimeout_s=sysLinkTimeout_s, timep=timep, iflanOspfAreaId=iflanOspfAreaId, pvcIpRipPassword=pvcIpRipPassword, statIflanPeakRx_kbps=statIflanPeakRx_kbps, statIfwanOvrFrames=statIfwanOvrFrames, ifvceSpeedDialNum=ifvceSpeedDialNum, ifwanPppAcceptMagicNum=ifwanPppAcceptMagicNum, pvcRingNumber=pvcRingNumber, pvcRemoteUnit=pvcRemoteUnit, statSystemTr_Nan=statSystemTr_Nan, statIflanEth_DeferredTrans=statIflanEth_DeferredTrans, ospfVLinkRetransmitInt=ospfVLinkRetransmitInt, puBnnPvc=puBnnPvc, statPvcOctetsTx=statPvcOctetsTx, statPvcError=statPvcError, statAlarmAlarm=statAlarmAlarm, statSvcEntry=statSvcEntry, notMemory=notMemory, stat=stat, pvcOspfMetricCost=pvcOspfMetricCost, sysPosId=sysPosId, pvcOspfPassword=pvcOspfPassword, iflanIpRipTxRx=iflanIpRipTxRx, statIfwanRestart=statIfwanRestart, bootpIpDestAddr2=bootpIpDestAddr2, statBridgePortTable=statBridgePortTable, ifvceInterface=ifvceInterface, connectionUp=connectionUp, ifvceRate8kx1=ifvceRate8kx1, ifvceRate8kx2=ifvceRate8kx2, statIfwanTable=statIfwanTable, ifwanTimeout=ifwanTimeout, bridgeLanType=bridgeLanType, puSdlcAddress=puSdlcAddress, intfSlot=intfSlot, statIflanOperatingMode=statIflanOperatingMode, statTxRetransmissions=statTxRetransmissions, ifwanDropSyncCharacter=ifwanDropSyncCharacter, ifwanSvcSetupTimeoutT303=ifwanSvcSetupTimeoutT303, ifvceSignaling=ifvceSignaling, ifvceBroadcastDir=ifvceBroadcastDir, statIfwanInterface=statIfwanInterface, ifvceDtmfOnTime=ifvceDtmfOnTime, statPvcrRouteEntry=statPvcrRouteEntry, statSystemBia=statSystemBia, ospfRange=ospfRange, mgmt=mgmt, statSystemClearErrorLed=statSystemClearErrorLed, ifwanSvcMaxTxTimeoutT200=ifwanSvcMaxTxTimeoutT200, iflanOspfDeadInt=iflanOspfDeadInt, ifwanPppSilent=ifwanPppSilent, statAlarmModule=statAlarmModule, puSdlcRetry=puSdlcRetry, statIfwanDropInsert=statIfwanDropInsert, intfTable=intfTable, ifwanIdleCode=ifwanIdleCode, ifwanPppNegociateAccm=ifwanPppNegociateAccm, ifwanIpRipPassword=ifwanIpRipPassword)
mibBuilder.exportSymbols("CLEARTRAC7-MIB", puDlsDa=puDlsDa, pvcMode=pvcMode, ifwanSvcAddressType=ifwanSvcAddressType, statPvcrRouteAge=statPvcrRouteAge, ifwanPppRequestedAccmChar=ifwanPppRequestedAccmChar, pvcOspfAreaId=pvcOspfAreaId, slotSlot=slotSlot, ifvceLinkDwnBusy=ifvceLinkDwnBusy, bridgeTr_SteSpan=bridgeTr_SteSpan, ifwanPppAcceptOldIpAddNeg=ifwanPppAcceptOldIpAddNeg, ipxRouterEnable=ipxRouterEnable, intf=intf, classNumber=classNumber, ifwanOspfDeadInt=ifwanOspfDeadInt, ipaddrNr=ipaddrNr, statPvcInfoSignal=statPvcInfoSignal, statIfwanBadOctets=statIfwanBadOctets, statBridgePortTr_AllRteFrameIn=statBridgePortTr_AllRteFrameIn, statSvcBadFrames=statSvcBadFrames, statIfvceFaxRate=statIfvceFaxRate, puLlcWindow=puLlcWindow, statBootpHopsLimitExceed=statBootpHopsLimitExceed, statBootpCannotRouteFrame=statBootpCannotRouteFrame, statTimeNbFrameSent=statTimeNbFrameSent, statAlarmIndex=statAlarmIndex, ifvceFxoTimeout_s=ifvceFxoTimeout_s, statIfcemTable=statIfcemTable, ifwanIpRip=ifwanIpRip, pvcIpxSap=pvcIpxSap, statIfwanCompErrs=statIfwanCompErrs, sysPosEntry=sysPosEntry, statIflanEntry=statIflanEntry, ifwanQsigPbxXy=ifwanQsigPbxXy, statRxReleaseCompleteMessages=statRxReleaseCompleteMessages, puSdlcTimeout_ms=puSdlcTimeout_ms, accountingFileFull=accountingFileFull, ospfAreaEnable=ospfAreaEnable, puBanBnnDsap=puBanBnnDsap, ifwanOspfMetricCost=ifwanOspfMetricCost, system=system, ifwanIpAddress=ifwanIpAddress, ospfAreaAuthType=ospfAreaAuthType, statPuConnectionStatus=statPuConnectionStatus, puDlsIpDst=puDlsIpDst, puBanBnnTimeout_ms=puBanBnnTimeout_ms, ipaddrAddr=ipaddrAddr, ifwanSync=ifwanSync, ifvceDTalkThreshold=ifvceDTalkThreshold, ifwanDsOSpeed_bps=ifwanDsOSpeed_bps, ifwanChannelCompressed=ifwanChannelCompressed, pvcIpRip=pvcIpRip, timepDaylightSaving=timepDaylightSaving, bootpEnable=bootpEnable, timepClientUdpRetransmissions=timepClientUdpRetransmissions, ifwanMultiframing=ifwanMultiframing, statIfvceUnderruns=statIfvceUnderruns, iflanOspfPriority=iflanOspfPriority, timepServerIpAddress=timepServerIpAddress, statIflanEth_Interface=statIflanEth_Interface, ifwanDigitNumber=ifwanDigitNumber, ifvceR2CompleteDigit=ifvceR2CompleteDigit, ifwanPppLocalMru=ifwanPppLocalMru, pvcIpRipTxRx=pvcIpRipTxRx, schedulePort7=schedulePort7, statBootpNbRequestReceived=statBootpNbRequestReceived, ifvceFaxModemRelay=ifvceFaxModemRelay, ospfVLinkEnable=ospfVLinkEnable, statIfwanMeanRx=statIfwanMeanRx, statPvcFramesRx=statPvcFramesRx, statSvcProtocol=statSvcProtocol, filterTable=filterTable, ospfRangeEntry=ospfRangeEntry, statBridgePortTr_SingleRteFrameIn=statBridgePortTr_SingleRteFrameIn, sysVoiceClass=sysVoiceClass, schedulePort1=schedulePort1, filterIndex=filterIndex, iflanIpxSap=iflanIpxSap, puDelayBeforeConn_s=puDelayBeforeConn_s, statIfvceTable=statIfvceTable, iflanIndex=iflanIndex, puLlcSsap=puLlcSsap, statRxBytes=statRxBytes, statSvcBadOctets=statSvcBadOctets, bondDeTrig=bondDeTrig, proxyEntry=proxyEntry, ifvceToneEnergyDetec=ifvceToneEnergyDetec, statPvcMode=statPvcMode, statTxStatusEnquiryMessages=statTxStatusEnquiryMessages, classTable=classTable, iflanIpRipAuthType=iflanIpRipAuthType, manualCall=manualCall, statSvcOvrOctets=statSvcOvrOctets, statGrpSorterOverruns=statGrpSorterOverruns, ifwanReportCycle=ifwanReportCycle, pvcRetry=pvcRetry, phoneTable=phoneTable, statIfwanPeakTx=statIfwanPeakTx, ifvceRate5k8x1=ifvceRate5k8x1, ospfAreaIndex=ospfAreaIndex, ifwanPppNegociateLocalMru=ifwanPppNegociateLocalMru, sysUnitRoutingVersion=sysUnitRoutingVersion, ifvceSilenceSuppress=ifvceSilenceSuppress, filterEntry=filterEntry, pvcUserPort=pvcUserPort, statPvcOctetsRx=statPvcOctetsRx, statBootpReplyReceivedOnPortBootpc=statBootpReplyReceivedOnPortBootpc, ipaddrTable=ipaddrTable, ifwanPppPeerMruUpTo=ifwanPppPeerMruUpTo, ifvceBroadcastPvc=ifvceBroadcastPvc, ifwanFallBackSpeed_bps=ifwanFallBackSpeed_bps, ipx=ipx, ifvceRate4k8x2=ifvceRate4k8x2, iflanTable=iflanTable, pvcEntry=pvcEntry, statTimeInvalidLocalIpAddress=statTimeInvalidLocalIpAddress, ifwanMsn2=ifwanMsn2, statIfwanChAborts=statIfwanChAborts, statRxStatusMessages=statRxStatusMessages, ifwanTxStartPass=ifwanTxStartPass, puBanBnnMaxFrame=puBanBnnMaxFrame, statQ933counters=statQ933counters, statRxReleaseMessages=statRxReleaseMessages, pvcRemoteFpUnit=pvcRemoteFpUnit, ifvceTable=ifvceTable, iflanIpxLanType=iflanIpxLanType, statAlarmDesc=statAlarmDesc, statBridgeBridgeDesignatedRoot=statBridgeBridgeDesignatedRoot, phoneNextHop=phoneNextHop, ifvceTeTimer_s=ifvceTeTimer_s, statPvcMeanRx=statPvcMeanRx, statPvcDlci=statPvcDlci, statTxframes=statTxframes, statPvcTable=statPvcTable, statTxCallProceedingMessages=statTxCallProceedingMessages, ifwanSvcReleaseTimeoutT308=ifwanSvcReleaseTimeoutT308, statPvcCompErrs=statPvcCompErrs, statBridgePortIndex=statBridgePortIndex, statSvcRestart=statSvcRestart, statRxDisconnectMessages=statRxDisconnectMessages, ifvceToneType=ifvceToneType, statPvcChAborts=statPvcChAborts, pvcNumber=pvcNumber, pvcBackupCall_s=pvcBackupCall_s, statInvalidRxSizes=statInvalidRxSizes, slotPortInSlotTable=slotPortInSlotTable, statSvcTable=statSvcTable, schedulePeriod=schedulePeriod, statPvcBadOctets=statPvcBadOctets, ifwanFraming=ifwanFraming, ospfRangeTable=ospfRangeTable, ipstaticEntry=ipstaticEntry, ifvceEnableDtmfOnTime=ifvceEnableDtmfOnTime, ospfAreaNumber=ospfAreaNumber, statTxReleaseCompleteMessages=statTxReleaseCompleteMessages, puBanRouting=puBanRouting, statBridgePortTr_SegmentMismatch=statBridgePortTr_SegmentMismatch, fatalTrap=fatalTrap, bridgeEnable=bridgeEnable, ifwanIpxSap=ifwanIpxSap, pvcOspfTransitDelay=pvcOspfTransitDelay, ospfVLinkDeadInt=ospfVLinkDeadInt, statBootpNbReplyReceived=statBootpNbReplyReceived, ifwanPppNegociatePeerMru=ifwanPppNegociatePeerMru, statPvcrRouteTable=statPvcrRouteTable, pvcPort=pvcPort, statSystemResetCounters=statSystemResetCounters, cfgStored=cfgStored, ifwanSvcStatusTimeoutT322=ifwanSvcStatusTimeoutT322, ifwanSubnetMask=ifwanSubnetMask, statPvcProtocol=statPvcProtocol, statSystemMeanCompRate=statSystemMeanCompRate, ifvceExtNumber=ifvceExtNumber, pvcMaxChannels=pvcMaxChannels, sysDesc=sysDesc, statPvcState=statPvcState, puNumber=puNumber, scheduleEntry=scheduleEntry, puXid=puXid, pvcOspfHelloInt=pvcOspfHelloInt, ifwanMaxChannels=ifwanMaxChannels, ifwanTerminating=ifwanTerminating, ifvceFwdType=ifvceFwdType, bootp=bootp, classDefaultClass=classDefaultClass, statIfwanModemSignal=statIfwanModemSignal, statPuChOverflows=statPuChOverflows, bridgeTr_Number=bridgeTr_Number, ospfGlobalRouterId=ospfGlobalRouterId, ifwan=ifwan, pysmi_class=pysmi_class, connectionDown=connectionDown, ifwanPppRemoteIpAddress=ifwanPppRemoteIpAddress, statIfwanUnderruns=statIfwanUnderruns, sysVoiceEncoding=sysVoiceEncoding, proxyNumber=proxyNumber, ifwanIndex=ifwanIndex, iflanCost=iflanCost, sysExtendedDigitsLength=sysExtendedDigitsLength, ifvceR2BusyDigit=ifvceR2BusyDigit, lucent=lucent, ifwanRemotePort=ifwanRemotePort, statIfwanOctetsRx=statIfwanOctetsRx, ifwanEntry=ifwanEntry, statIfwanFramesTx=statIfwanFramesTx, proxyComm=proxyComm, ipstaticIndex=ipstaticIndex, statIfwanT1E1LES=statIfwanT1E1LES, puSdlcPort=puSdlcPort, ifwanDialTimeout_s=ifwanDialTimeout_s, sysCountry=sysCountry, sysTransitDelay_s=sysTransitDelay_s, sysHuntForwardingBDLCI=sysHuntForwardingBDLCI, statIfvceDesc=statIfvceDesc, pvcTimeout_ms=pvcTimeout_ms, proxy=proxy, statIfwanState=statIfwanState, ifvceEntry=ifvceEntry, pvcBroadcastGroup=pvcBroadcastGroup, bootpIpDestAddr3=bootpIpDestAddr3, statBridgePortTrspFrameIn=statBridgePortTrspFrameIn, puActive=puActive, statBridgePortTr_FrmLngExceeded=statBridgePortTr_FrmLngExceeded, ifvcePulseMakeBreak_ms=ifvcePulseMakeBreak_ms, statAlarmEntry=statAlarmEntry, statIfwanMeanTx=statIfwanMeanTx, statBootpReplyWithInvalidGiaddr=statBootpReplyWithInvalidGiaddr, pvcOspfRetransmitInt=pvcOspfRetransmitInt, ifvceRemoteUnit=ifvceRemoteUnit, statIfwanT1E1SEF=statIfwanT1E1SEF, ifwanConnTimeout_s=ifwanConnTimeout_s, ifwanCompression=ifwanCompression, periodEnded=periodEnded, ifwanIpRipAuthType=ifwanIpRipAuthType, puXidId=puXidId, ifwanGainLimit=ifwanGainLimit, statBridgePortDesignatedPort=statBridgePortDesignatedPort, sysHuntForwardingAUnit=sysHuntForwardingAUnit, ifwanPppConfigRetries=ifwanPppConfigRetries, ifwanBodCall_s=ifwanBodCall_s, statSvcMode=statSvcMode, statBridgeBridgeFrameDiscard=statBridgeBridgeFrameDiscard, statSvcMeanTx=statSvcMeanTx, ifwanPppConfigRestartTimer=ifwanPppConfigRestartTimer, statMissingControlBlocks=statMissingControlBlocks, ifwanGroupPoll=ifwanGroupPoll, puTable=puTable, noTrap=noTrap, ipaddrEntry=ipaddrEntry, puLinkRemPu=puLinkRemPu, ifvceDVCLocalInbound=ifvceDVCLocalInbound, puBanBnnWindow=puBanBnnWindow, classIndex=classIndex, statPvcChOverflows=statPvcChOverflows, statIflanConnectionStatus=statIflanConnectionStatus)
mibBuilder.exportSymbols("CLEARTRAC7-MIB", setupReset=setupReset, ifwanTxHold_s=ifwanTxHold_s, badChecksum=badChecksum, sysDLCI=sysDLCI, ifwanSpeed_bps=ifwanSpeed_bps, ifwanClocking=ifwanClocking, ifvceDesc=ifvceDesc, statTxReleaseMessages=statTxReleaseMessages, ifwanPvcNumber=ifwanPvcNumber, statTimeNbReplySent=statTimeNbReplySent, bothFansUp=bothFansUp, ifwanCrc4=ifwanCrc4, statTimeClientSyncFailures=statTimeClientSyncFailures, statTxDisconnectMessages=statTxDisconnectMessages, cardDown=cardDown, statBridgePortDestination=statBridgePortDestination, sysPosNr=sysPosNr, schedulePort4=schedulePort4, phone=phone, bridgeAgingTime_s=bridgeAgingTime_s, statIfwanTrspLastError=statIfwanTrspLastError, sysRacksNr=sysRacksNr, statPvcSpeed=statPvcSpeed, ifwanIpxNetNum=ifwanIpxNetNum, statBridgeBridge=statBridgeBridge, pvcDlciAddress=pvcDlciAddress, statAlarmTime=statAlarmTime, statIflanProtocol=statIflanProtocol, statPvcMeanTx=statPvcMeanTx, pvcOspfEnable=pvcOspfEnable, statGrpDestName=statGrpDestName, ipstaticValid=ipstaticValid, ifwanHighPriorityTransparentClass=ifwanHighPriorityTransparentClass, ipstaticMask=ipstaticMask, ifvce=ifvce, sysVoiceHighestPriority=sysVoiceHighestPriority, ifwanFallBackSpeedEnable=ifwanFallBackSpeedEnable, statIflanBadFlags=statIflanBadFlags, iflanIpAddress=iflanIpAddress, iflanOspfEnable=iflanOspfEnable, statPvcOvrFrames=statPvcOvrFrames, bootpIpDestAddr1=bootpIpDestAddr1, statPvcrRouteNextHop=statPvcrRouteNextHop, puLinkRemoteUnit=puLinkRemoteUnit, proxyTrapIpAddr=proxyTrapIpAddr, sysRackId=sysRackId, bridge=bridge, statIfvceEntry=statIfvceEntry, statSystemAlarmNumber=statSystemAlarmNumber, ipstatic=ipstatic, ipstaticNumber=ipstaticNumber, statBootpNbReplySend=statBootpNbReplySend, ospfAreaTable=ospfAreaTable, proxyIpAddr=proxyIpAddr, pvcType=pvcType, sysThisPosId=sysThisPosId, iflanTr_Etr=iflanTr_Etr, statIfvceIndex=statIfvceIndex, statEstablishIndications=statEstablishIndications, schedule=schedule, filter=filter, classEntry=classEntry, statPvcrRouteIntrf=statPvcrRouteIntrf, ipaddrIfIndex=ipaddrIfIndex, puSdlcWindow=puSdlcWindow, ospfRangeEnable=ospfRangeEnable, statBridge=statBridge, sysDefaultIpAddr=sysDefaultIpAddr, puLlcTimeout_ms=puLlcTimeout_ms, statIfvceFaxMode=statIfvceFaxMode, statPuChSeqErrs=statPuChSeqErrs, statRxStatusEnquiryMessages=statRxStatusEnquiryMessages, statIflanMeanTx_kbps=statIflanMeanTx_kbps, ifwanLineCoding=ifwanLineCoding, statSystemMeanDecompRate=statSystemMeanDecompRate, statIflanIndex=statIflanIndex, ifwanPppNegociateIpAddress=ifwanPppNegociateIpAddress, ifwanSfType=ifwanSfType, sysAcceptLoop=sysAcceptLoop, bridgePriority=bridgePriority, statBridgePortTr_SegmentDuplicate=statBridgePortTr_SegmentDuplicate, pvcIpConnection=pvcIpConnection, schedulePort3=schedulePort3, pvcIpxConnection=pvcIpxConnection, fatalMsg=fatalMsg, sysVoiceClocking=sysVoiceClocking, iflan=iflan, ifwanMaxFrame=ifwanMaxFrame, puLlcDa=puLlcDa, ipstaticNextHop=ipstaticNextHop, statRxConnectMessages=statRxConnectMessages, ospfGlobalAutoVLink=ospfGlobalAutoVLink, bootpIpDestAddr4=bootpIpDestAddr4, ifwanMgmtInterface=ifwanMgmtInterface, ifwanBackupHang_s=ifwanBackupHang_s, ifwanChUse=ifwanChUse, pvcHuntForwardingBUnit=pvcHuntForwardingBUnit, cardup=cardup, ifwanCoding=ifwanCoding, pvcSubnetMask=pvcSubnetMask, statIfwanT1E1LCV=statIfwanT1E1LCV, statTxBytes=statTxBytes, slotIfIndex=slotIfIndex, statTimeNbRequestSent=statTimeNbRequestSent, iflanPriority=iflanPriority, ifwanRingNumber=ifwanRingNumber, statSystemSa=statSystemSa, ifwanInterface=ifwanInterface, filterActive=filterActive, puDlsSsap=puDlsSsap, ospfVLinkIndex=ospfVLinkIndex, statPvcFramesTx=statPvcFramesTx, pvcPriority=pvcPriority, sysHuntForwardingASvcAddress=sysHuntForwardingASvcAddress, ifvceIndex=ifvceIndex, ifwanPppAcceptAccmPeer=ifwanPppAcceptAccmPeer, puXidFormat=puXidFormat, sysPsMonitoring=sysPsMonitoring, sysTrapRackandPos=sysTrapRackandPos, statIfwanPeakRx=statIfwanPeakRx, statIflanEth_OneCollision=statIflanEth_OneCollision, ospfGlobal=ospfGlobal, statIflanRetries=statIflanRetries, statIfwanOvrOctets=statIfwanOvrOctets, sysVoiceLog=sysVoiceLog, ifvceLocalOutbound=ifvceLocalOutbound, pvcNetworkDlci=pvcNetworkDlci, pvcOspfDeadInt=pvcOspfDeadInt, iflanOspfHelloInt=iflanOspfHelloInt, statSystemPeakCompRate=statSystemPeakCompRate, statIfcemIndex=statIfcemIndex, ipxfilterType=ipxfilterType, ospfVLinkHelloInt=ospfVLinkHelloInt, iflanOspfRetransmitInt=iflanOspfRetransmitInt, slot=slot, iflanProtocol=iflanProtocol, schedulePort2=schedulePort2, ospfAreaEntry=ospfAreaEntry, sysBackplaneRipVersion=sysBackplaneRipVersion, pvcIpAddress=pvcIpAddress, statIflanPeakTx_kbps=statIflanPeakTx_kbps, pvcLlcConnection=pvcLlcConnection, statIflanBadFrames=statIflanBadFrames, statBridgePortTr_SingleRteFrameOut=statBridgePortTr_SingleRteFrameOut, puLlcMaxFrame=puLlcMaxFrame, periodStarted=periodStarted, statTxSetupMessages=statTxSetupMessages, statSvcOctetsRx=statSvcOctetsRx, ifvceDVCLocalOutbound=ifvceDVCLocalOutbound, intfDesc=intfDesc, statProtocolTimeouts=statProtocolTimeouts, q922Down=q922Down, ifwanBChannels=ifwanBChannels, ip=ip, ifwanSvcIframeRetransmissionsN200=ifwanSvcIframeRetransmissionsN200, statRxAcknowledgeExpiry=statRxAcknowledgeExpiry, ifwanT1E1InterBit=ifwanT1E1InterBit, phonePhoneNumber=phonePhoneNumber, ifwanEnquiryTimer_s=ifwanEnquiryTimer_s, ifvceRate8kx3=ifvceRate8kx3, statIfwanT1E1CSS=statIfwanT1E1CSS, statIfwanT1E1DM=statIfwanT1E1DM, ifvceRate4k8x1=ifvceRate4k8x1, statIfwanFramesRx=statIfwanFramesRx, pvcIndex=pvcIndex, pvcCompression=pvcCompression, statIflanEth_ExcessiveCollision=statIflanEth_ExcessiveCollision, ospf=ospf, bridgeStpEnable=bridgeStpEnable, ifwanBodLevel=ifwanBodLevel, ospfGlobalGlobalAreaId=ospfGlobalGlobalAreaId, ospfRangeIndex=ospfRangeIndex, puDlsIpSrc=puDlsIpSrc, intfEntry=intfEntry, ifwanIpxRip=ifwanIpxRip, ifwanOspfPassword=ifwanOspfPassword, pvc=pvc, statGrp=statGrp, ifwanQsigPbxAb=ifwanQsigPbxAb, ifvceFwdDelay_ms=ifvceFwdDelay_ms, pvcBackup=pvcBackup, ifwanIpRipTxRx=ifwanIpRipTxRx, statRxframes=statRxframes, ifwanSvcInactiveTimeoutT203=ifwanSvcInactiveTimeoutT203, statIflanEth_Align=statIflanEth_Align, ipaddrType=ipaddrType, ospfVLinkPassword=ospfVLinkPassword, iflanTr_Monitor=iflanTr_Monitor, ifvceAnalogLinkDwnBusy=ifvceAnalogLinkDwnBusy, statSvcPeakTx=statSvcPeakTx, iflanIpRipPassword=iflanIpRipPassword, sysSnmpTrapIpAddr4=sysSnmpTrapIpAddr4, ifwanTransparentClassNumber=ifwanTransparentClassNumber, puEntry=puEntry, statRxSetupMessages=statRxSetupMessages, statIflanEth_LateCollision=statIflanEth_LateCollision, pvcBrgConnection=pvcBrgConnection, iflanIpxRip=iflanIpxRip, ospfGlobalRackAreaId=ospfGlobalRackAreaId, statPvcIndex=statPvcIndex, badDestPort=badDestPort, statTxConnectMessages=statTxConnectMessages, statSvcFramesTx=statSvcFramesTx, scheduleNumber=scheduleNumber, ifwanT1E1LoopBack=ifwanT1E1LoopBack, ipxfilterIndex=ipxfilterIndex, statIflanEth_TwoCollisions=statIflanEth_TwoCollisions, sysDialTimer=sysDialTimer, sysSnmpTrapIpAddr1=sysSnmpTrapIpAddr1, schedulePort5=schedulePort5, ifwanOspfRetransmitInt=ifwanOspfRetransmitInt, ipaddrIndex=ipaddrIndex, ifwanPppAcceptIpAddress=ifwanPppAcceptIpAddress, statBootpFrameTooSmallToBeABootpFrame=statBootpFrameTooSmallToBeABootpFrame, statLinkEstablished=statLinkEstablished, sysHuntForwardingBUnit=sysHuntForwardingBUnit, ifwanModem=ifwanModem, phoneEntry=phoneEntry, statSvcFramesRx=statSvcFramesRx, statPuIndex=statPuIndex, puIndex=puIndex, ospfVLinkTransitDelay=ospfVLinkTransitDelay, ifwanSvcCallProceedingTimeoutT310=ifwanSvcCallProceedingTimeoutT310, intfIndex=intfIndex, ifwanIdle=ifwanIdle, ifvceMaxFaxModemRate=ifvceMaxFaxModemRate, pvcRemotePvc=pvcRemotePvc, ospfAreaImportASExt=ospfAreaImportASExt, bridgeHelloTime_s=bridgeHelloTime_s, statSvcError=statSvcError, timepTimeZoneSign=timepTimeZoneSign, ifwanExtNumber=ifwanExtNumber, ipxfilterTable=ipxfilterTable, statPvcEntry=statPvcEntry, intfSlotNumber=intfSlotNumber, statPvcChSeqErrs=statPvcChSeqErrs, statBootpInvalidOpCodeField=statBootpInvalidOpCodeField, ifvceR2ExtendedDigitSrc=ifvceR2ExtendedDigitSrc, puXidPuType=puXidPuType, ospfRangeStatus=ospfRangeStatus, onePsDown=onePsDown, statIfwanT1E1SES=statIfwanT1E1SES, statPvcPeakTx=statPvcPeakTx, statTimeInvalidPortNumbers=statTimeInvalidPortNumbers, schedulePort8=schedulePort8, statPvcrRouteName=statPvcrRouteName, puDlsMaxFrame=puDlsMaxFrame, statTimep=statTimep, intfNumber=intfNumber, statSvcSpeed=statSvcSpeed, pvcPvcClass=pvcPvcClass, cleartrac7=cleartrac7, statSvcIndex=statSvcIndex, sysPosRackId=sysPosRackId)
mibBuilder.exportSymbols("CLEARTRAC7-MIB", ifwanPppRemoteSubnetMask=ifwanPppRemoteSubnetMask, ifwanDialer=ifwanDialer, pvcHuntForwardingAUnit=pvcHuntForwardingAUnit, statIfvceDvcPortInUse=statIfvceDvcPortInUse, ifwanSvcNetworkAddress=ifwanSvcNetworkAddress, statTxStatusMessages=statTxStatusMessages, statBootpRequestReceivedOnPortBootpc=statBootpRequestReceivedOnPortBootpc, ipxfilterSap=ipxfilterSap, statBridgePortDesignatedRoot=statBridgePortDesignatedRoot, ifwanChExp=ifwanChExp, scheduleTable=scheduleTable, statSystemClearAlarms=statSystemClearAlarms, statBridgeBridgeFrameFiltered=statBridgeBridgeFrameFiltered, accountingFileOverflow=accountingFileOverflow, scheduleBeginTime=scheduleBeginTime, sysJitterBuf=sysJitterBuf, ifwanPollDelay_ms=ifwanPollDelay_ms, puLlcRetry=puLlcRetry, statAlarmDate=statAlarmDate, puLinkClassNumber=puLinkClassNumber, ifwanClassNumber=ifwanClassNumber, ospfVLinkNeighborRtrId=ospfVLinkNeighborRtrId, statPvcOvrOctets=statPvcOvrOctets, ifwanRxFlow=ifwanRxFlow, statIfwanTrspState=statIfwanTrspState, ifwanCllm=ifwanCllm, statAlarmArg=statAlarmArg, bridgeForwardDelay_s=bridgeForwardDelay_s, sysSnmpTrapIpAddr2=sysSnmpTrapIpAddr2, ifwanOspfHelloInt=ifwanOspfHelloInt, sysPsAndFansMonitoring=sysPsAndFansMonitoring, frLinkDown=frLinkDown, statIfwanOctetsTx=statIfwanOctetsTx, ifwanBodHang_s=ifwanBodHang_s, puBanDa=puBanDa, statIfwanBadFlags=statIfwanBadFlags, statPuMode=statPuMode, ifwanCondLMIPort=ifwanCondLMIPort, statBridgePortDesignatedBridge=statBridgePortDesignatedBridge, sysRingVolt=sysRingVolt, phoneIndex=phoneIndex, statTimeClientRetransmissions=statTimeClientRetransmissions, proxyTable=proxyTable, ifwanTxStartCop=ifwanTxStartCop, statIfwanQ922State=statIfwanQ922State, proxyIpMask=proxyIpMask, iflanOspfTransitDelay=iflanOspfTransitDelay, statBootp=statBootp, timepClientUdpTimeout=timepClientUdpTimeout, iflanEntry=iflanEntry, ifvceToneDetectRegen_s=ifvceToneDetectRegen_s, statIflanTable=statIflanTable, ospfRangeAddToArea=ospfRangeAddToArea, ospfVLinkNumber=ospfVLinkNumber, ifwanTxFlow=ifwanTxFlow, sysDate=sysDate, statPvcrRouteMetric=statPvcrRouteMetric, bothPsUp=bothPsUp, pvcMaxFrame=pvcMaxFrame, puBanBnnRetry=puBanBnnRetry, ifwanCellPacketization=ifwanCellPacketization, iflanTr_RingNumber=iflanTr_RingNumber, statBridgePortTr_SpecRteFrameIn=statBridgePortTr_SpecRteFrameIn, timepTimeZone=timepTimeZone, ifwanSignaling=ifwanSignaling, ifwanMsn3=ifwanMsn3, noMsg=noMsg, ifvceExtendedDigitSrc=ifvceExtendedDigitSrc, iflanPhysAddr=iflanPhysAddr, statBridgeBridgeRootCost=statBridgeBridgeRootCost, ipxfilterEnable=ipxfilterEnable, ifwanRemoteUnit=ifwanRemoteUnit, statTimeNbRequestReceived=statTimeNbRequestReceived, ifvceToneOn_ms=ifvceToneOn_ms, sysContact=sysContact, statIfcemClockState=statIfcemClockState, pvcDialTimeout=pvcDialTimeout, schedulePort6=schedulePort6, sysHuntForwardingBSvcAddress=sysHuntForwardingBSvcAddress, sysAutoSaveDelay=sysAutoSaveDelay, pvcTable=pvcTable, statBridgeBridgeRootPort=statBridgeBridgeRootPort, ifwanSfMode=ifwanSfMode, puLlcTr_Routing=puLlcTr_Routing, statIflanEth_CarrierSense=statIflanEth_CarrierSense, ifwanBackupCall_s=ifwanBackupCall_s, statSvcInfoSignal=statSvcInfoSignal, classWeight=classWeight, pvcBurstInfoRate=pvcBurstInfoRate, puSdlcMaxFrame=puSdlcMaxFrame, pvcUp=pvcUp, statIfwanSpeed=statIfwanSpeed, statIflanMeanRx_kbps=statIflanMeanRx_kbps, statGrpIndex=statGrpIndex, oneOrMoreFanDown=oneOrMoreFanDown, pvcIpxRip=pvcIpxRip, statSvcState=statSvcState, ifwanDuplex=ifwanDuplex, bootpMaxHops=bootpMaxHops, ifwanFlowControl=ifwanFlowControl, sysExtensionNumLength=sysExtensionNumLength, statPuCompErrs=statPuCompErrs, ifwanPppRequestMagicNum=ifwanPppRequestMagicNum, scheduleDay=scheduleDay, statIfvceOverruns=statIfvceOverruns, pvcBackupHang_s=pvcBackupHang_s, statBridgePort=statBridgePort, ifwanMsn1=ifwanMsn1)
|
# Author: Stephen Mugisha
# FSM exceptions
class InitializationError(Exception):
"""
State Machine InitializationError
exception raised.
"""
def __init__(self, message, payload=None):
self.message = message
self.payload = payload #more exception args
def __str__(self):
return str(self.message)
|
def generate_associated_dt_annotation(
associations, orig_col, primary_time=False, description="", qualifies=None
):
"""if associated with another col through dt also annotate that col"""
cols = [associations[x] for x in associations.keys() if x.find("_format") == -1]
entry = {}
for col in cols:
for x in associations.keys():
if associations[x] == col:
t_type = x.replace("associated_", "")
t_format = associations[f"associated_{t_type}_format"]
entry[col] = {
"Name": col,
"Description": "",
"Type": "Date",
"Time": t_type,
"primary_time": primary_time,
"dateAssociation": True,
"format": t_format,
"associated_columns": {},
}
for x in associations.keys():
if x.find("_format") == -1:
if col == associations[x]:
continue
entry[col]["associated_columns"][
x.replace("associated_", "")
] = associations[x]
if col != orig_col:
if qualifies != None:
entry[col]["qualifies"] = qualifies
entry[col]["redir_col"] = orig_col
entry[col]["Description"] = description
return entry
def generate_associated_coord_annotation(
col, geo_type, associated_column, pg=False, description=""
):
return {
col: {
"Name": col,
"Description": description,
"Type": "Geo",
"Geo": geo_type,
"primary_geo": pg,
"isGeoPair": True,
"Coord_Pair_Form": associated_column,
"redir_col": associated_column,
}
}
def one_primary(annotations):
primary_time_exists = False
primary_country_exists = False
primary_admin1_exists = False
primary_admin2_exists = False
primary_admin3_exists = False
primary_coord_exists = False
for x in annotations.keys():
if "primary_time" in annotations[x]:
primary_time_exists = True
if "primary_geo" in annotations[x] and "Geo" in annotations[x]:
if annotations[x]["Geo"] in ["Country", "ISO2", "ISO3"]:
primary_country_exists = True
elif annotations[x]["Geo"] == "State/Territory":
primary_admin1_exists = True
elif annotations[x]["Geo"] == "County/District":
primary_admin2_exists = True
elif annotations[x]["Geo"] == "Municipality/Town":
primary_admin3_exists = True
elif annotations[x]["Geo"] in ["Latitude", "Longitude", "Coordinates"]:
primary_coord_exists = True
return (
primary_time_exists,
primary_country_exists,
primary_admin1_exists,
primary_admin2_exists,
primary_admin3_exists,
primary_coord_exists,
)
|
# -*- coding: utf-8 -*-
print ("Hello World!")
print ("Hello Again")
print ("I like Typing this.")
print ("This is fun.")
print ('Yay! Printing.')
print ("I'd much rather you 'not'.")
print ('I "said" do not touch this.') |
#!/usr/bin/env python
polyCorners = 4
poly_1_x = [22.017965, 22.017852, 22.016992, 22.017187]
poly_1_y = [85.432761, 85.433074, 85.432577, 85.432243]
poly_2_x = [22.017187, 22.016992, 22.015849, 22.015982]
poly_2_y = [85.432243, 85.432577, 85.431865, 85.431574]
poly_3_x = [22.015850, 22.015636, 22.015874, 22.016053]
poly_3_y = [85.431406, 85.43173, 85.431889, 85.431516]
def main():
point_M = (22.017603, 85.432641)
point_L = (22.016598, 85.432157)
point_O = (22.015838, 85.431621)
print("Does the point{} lie in the polygon? {}".format(str(point_O), pointInPolygon(point_O, poly_3_x, poly_3_y)))
def pointInPolygon(point, polyX, polyY):
i = 0
j = polyCorners-1
x = point[0]
y = point[1]
oddNodes = False
print(polyX)
print(polyY)
for i in range(0, polyCorners):
if((polyY[i]<y and polyY[j]>=y) or (polyY[j]<y and polyY[i]>=y)):
if (polyX[i]+(y-polyY[i])/(polyY[j]-polyY[i])*(polyX[j]-polyX[i])<x):
oddNodes = not oddNodes
j=i
return oddNodes
if __name__=="__main__":
main() |
print (True and True)
print (True and False)
print (False and True)
print (False and False)
print (True or True)
print (True or False)
print (False or True)
print (False or False)
|
#!/usr/bin/env python3
print("hello")
f = open('python file.txt', 'a+')
f.write("Hello")
f.close() |
class Person(dict):
def __init__(self, person_id, sex, phenotype, studies):
self.person_id = str(person_id)
self.sex = sex
self.phenotype = phenotype
self.studies = studies
def __repr__(self):
return f'Person("{self.person_id}", "{self.sex}", {self.phenotype}, {self.studies})'
def __str__(self):
return f'{self.person_id}\t{self.sex}\t{",".join(self.phenotype)}\t{",".join(self.studies)}'
def __hash__(self):
return hash(f'{self.person_id}')
def __eq__(self, other):
return hash(self) == hash(other)
def __gt__(self, other):
return self.person_id > other.person_id
|
""" A file designed to have lines of similarity when compared to similar_lines_b
We use lorm-ipsum to generate 'random' code. """
# Copyright (c) 2020 Frank Harrison <frank@doublethefish.com>
def adipiscing(elit):
etiam = "id"
dictum = "purus,"
vitae = "pretium"
neque = "Vivamus"
nec = "ornare"
tortor = "sit"
return etiam, dictum, vitae, neque, nec, tortor
class Amet:
def similar_function_3_lines(self, tellus): # line same #1
agittis = 10 # line same #2
tellus *= 300 # line same #3
return agittis, tellus # line diff
def lorem(self, ipsum):
dolor = "sit"
amet = "consectetur"
return (lorem, dolor, amet)
def similar_function_5_lines(self, similar): # line same #1
some_var = 10 # line same #2
someother_var *= 300 # line same #3
fusce = "sit" # line same #4
amet = "tortor" # line same #5
return some_var, someother_var, fusce, amet # line diff
def __init__(self, moleskie, lectus="Mauris", ac="pellentesque"):
metus = "ut"
lobortis = "urna."
Integer = "nisl"
(mauris,) = "interdum"
non = "odio"
semper = "aliquam"
malesuada = "nunc."
iaculis = "dolor"
facilisis = "ultrices"
vitae = "ut."
return (
metus,
lobortis,
Integer,
mauris,
non,
semper,
malesuada,
iaculis,
facilisis,
vitae,
)
def similar_function_3_lines(self, tellus): # line same #1
agittis = 10 # line same #2
tellus *= 300 # line same #3
return agittis, tellus # line diff
|
class FieldXO:
def __init__(self):
self.__field__ = [
['-', '-', '-'],
['-', '-', '-'],
['-', '-', '-']
]
self.count = 9
self.size = 3
def get_field(self):
return self.__field__
def fill_cell(self, x: int, y: int, cell_type: str) -> bool:
if self.__field__[y][x] == '-':
self.__field__[y][x] = cell_type
self.count -= 1
return True
else:
return False
def has_empty_cell(self):
return self.count != 0
def is_winner(self, player_type: str):
# проверка горизонтали
for i in range(self.size):
has_winner = False
if self.__field__[i][0] != player_type:
continue
for j in range(1, self.size):
if self.__field__[i][j] != player_type:
has_winner = False
break
else:
has_winner = True
if has_winner:
return True
# проверка вертикали
for i in range(self.size):
has_winner = False
if self.__field__[0][i] != player_type:
continue
for j in range(1, self.size):
if self.__field__[j][i] != player_type:
has_winner = False
break
else:
has_winner = True
if has_winner:
return True
# проверка диагоналей
if (self.__field__[0][0] == player_type and self.__field__[2][2] == player_type) \
or (self.__field__[0][2] == player_type and self.__field__[2][0] == player_type):
return True
return False
class Cell:
def __str__(self) -> str:
return 'Cell(x={0}, y={1})'.format(self.x, self.y)
def __init__(self, x, y):
self.x = x
self.y = y
|
# TODO: class for these : unicode.subscript('i=1') # 'ᵢ₌₀'
# SUB_SYMBOLS = '₊
# ₋
# ₌
# ₍
# ₎
# ⁻'
SUP_NRS = dict(zip(map(str, range(10)), '⁰¹²³⁴⁵⁶⁷⁸⁹'))
SUB_NRS = dict(zip(map(str, range(10)), '₀₁₂₃₄₅₆₇₈₉'))
SUB_LATIN = dict(a='ₐ',
e='ₑ',
h='ₕ',
j='ⱼ',
k='ₖ',
l='ₗ',
m='ₘ',
n='ₙ',
o='ₒ',
p='ₚ',
r='ᵣ',
s='ₛ',
t='ₜ',
u='ᵤ',
v='ᵥ',
x='ₓ')
# y='ᵧ') # this is a gamma!
SUP_LATIN = dict(a='ᵃ',
b='ᵇ',
c='ᶜ',
d='ᵈ',
e='ᵉ',
f='ᶠ',
g='ᵍ',
h='ʰ',
i='ⁱ',
j='ʲ',
k='ᵏ',
l='ˡ',
m='ᵐ',
n='ⁿ',
o='ᵒ',
p='ᵖ',
r='ʳ',
s='ˢ',
t='ᵗ',
u='ᵘ',
v='ᵛ',
w='ʷ',
x='ˣ',
y='ʸ',
z='ᶻ')
SUP_LATIN_UPPER = {
'A': 'ᴬ',
'B': 'ᴮ',
# 'C': '',
'D': 'ᴰ',
'E': 'ᴱ',
# 'F': '',
'G': 'ᴳ',
'H': 'ᴴ',
'I': 'ᴵ',
'J': 'ᴶ',
'K': 'ᴷ',
'L': 'ᴸ',
'M': 'ᴹ',
'N': 'ᴺ',
'O': 'ᴼ',
'P': 'ᴾ',
# 'Q': '',
'R': 'ᴿ',
# 'S': '',
'T': 'ᵀ',
'U': 'ᵁ',
'V': 'ⱽ',
'W': 'ᵂ',
}
class ScriptTranslate(object):
def __init__(self, chars, nrs):
self.__dict__.update(**chars)
self.__nrs = tuple(nrs)
def __getitem__(self, key):
return self.__nrs[key]
super = ScriptTranslate(SUP_LATIN, dict(zip(range(10), SUP_NRS)))
sub = ScriptTranslate(SUB_LATIN, dict(zip(range(10), SUB_NRS)))
|
def giris_ekrani():
print("Hangi işlem?")
i = 1
for fonksiyon in fonksiyonlar:
print(i, "-->", fonksiyon)
i += 1
print("Seçiminizi yapınız.")
def veri_girisi():
sayilar = []
while True:
sayi = input("Sayıyı girin (Çıkmak için Ç'ye basın):")
if sayi == "Ç":
break
sayi = int(sayi)
sayilar.append(sayi)
return sayilar
def toplama(a):
# toplam = sayilar[0] + sayilar[1]
toplam = 0
# [30, 40, 60]
for sayi in a:
toplam = toplam + sayi
print(f"Toplama sonucu : {toplam}")
def cikarma(b):
fark = b[0]
# 1, 2, 3, 4 .....
for index in range(1,len(b)):
fark = fark - b[index]
print(f"Çıkarma sonucu : {fark}")
def kullanici_secimi():
k_secim = input()
return k_secim
def ana_program():
while True:
giris_ekrani()
secim = kullanici_secimi()
if secim == "Ç":
break
if secim not in islemler.keys():
print("Yanlış giriş yaptın.")
continue
sayilar = veri_girisi()
print(sayilar)
if secim in islemler.keys():
islemler[secim](sayilar) # toplama(sayilar)
def carpma(c):
carpim = 1
for i in c:
carpim = carpim * i
print(f"Çarpma sonucu : {carpim}")
def bolme(b):
bolunen = b[0]
# 1, 2, 3, 4 .....
for index in range(1,len(b)):
bolunen = bolunen / b[index]
print(f"Bölme sonucu : {bolunen}")
islemler = {"1":toplama, "2":cikarma, "3":carpma,"4":bolme}
fonksiyonlar = ["Toplama", "Çıkarma", "Çarpma","Bölme"]
if __name__ == "__main__":
print("Name değeri " , __name__ )
ana_program()
|
def problem454():
"""
In the following equation x, y, and n are positive integers.
1 1 1
─ + ─ = ─
x y n
For a limit L we define F(L) as the number of solutions which satisfy x <
y ≤ L.
We can verify that F(15) = 4 and F(1000) = 1069.
Find F(10^12).
"""
pass
|
#########################
# 演示Python的数据类型
#########################
# 定义变量
age = 20 # 整型
name = 'Ztiany' # 字符串
score = 32.44 # 浮点类型
isStudent = False # 布尔类型
friends = ["张三", "李四", "王五", "赵六"] # 列表
worker1, worker2 = "Wa", "Wb" # 定义多个值,也可以使用["Wa", "Wb"]解包赋值
# 进制
binaryN = 0b10 # 二进制
octN = 0o77 # 八进制
hexN = 0xFF # 16进制
print(bin(10)) # to二进制
print(oct(10)) # to八进制
print(hex(10)) # to十六进制
print(int(0xF0)) # to十进制
# 使用type函数获取变量的数据类型
print(type(age))
print(type(name))
print(type(score))
print(type(isStudent))
print(type(friends))
# 多赋值
a, b, c = 1, 3, "d"
print(a)
print(b)
print(c)
|
"""Exercício Python 095: Aprimore o desafio 93 para que ele funcione com vários jogadores,
incluindo um sistema de visualização de detalhes do aproveitamento de cada jogador."""
histórico = dict()
temp = dict()
gols = list()
time = list()
while True:
histórico['jogador'] = str(input('Nome do jogador: ' ))
qde_partidas = int(input(f'Quantas partidas o {histórico["jogador"]} jogou? '))
for i in range(0, qde_partidas):
gols.append(int(input(f' Quantos gols na partida {i+1}? ')))
histórico['gols'] = gols[:]
histórico['total'] = sum(gols)
gols.clear()
time.append(histórico.copy())
temp = histórico.copy()
histórico.clear()
continua = str(input('Quer continuar? [S/N] ')).upper().strip()[0]
while continua not in 'SN':
continua = str(input('Quer continuar? [S/N] ')).upper().strip()[0]
if continua == 'N':
break
print(time)
print('-=' * 25)
print(f'{"Cod":<5}', end='')
for i in temp.keys():
print(f'{i:<20}', end='')
print()
print('-' * 50)
for k, v in enumerate(time):
print(f'{k:<5}', end='')
for i in v.values():
print(f'{str(i):<20}', end='')
print()
print('-' * 50)
while True:
busca = int(input('Mostrar dados de qual jogador? (999 para parar) '))
if busca == 999:
break
if busca >= len(time):
print(f'Erro! Não existe jogador com código {busca}.')
else:
print(f' -- LEVANTAMENTO DO JOGADOR {time[busca]["jogador"]}:')
for i, g in enumerate(time[busca]['gols']):
print(f' No jogo {i+1} fez {g} gols')
print('-' * 40)
print('<< VOLTE SEMPRE >>')
"""print('-=' * 30)
for k, v in histórico.items():
print(f'O campo {k} tem o valor {v}.')
print('-=' * 30)
print(f'O jogador {histórico["jogador"]} jogou {len(histórico["gols"])} partidas.')
for i, v in enumerate(histórico['gols']):
print(f' -> Na partida {i+1}, fez {v} gols.')
print(f'Foi um total de {histórico["total"]} gols.')
print('-=' * 30)""" |
"""
Configuration variables
"""
start_test_items_map = {
'first': 0,
'second': 1,
'third': 2,
'fourth': 3,
'fifth': 4,
'sixth': 5,
'seventh': 6,
'eighth': 7,
'ninth': 8,
'tenth': 9,
}
end_test_items_map = {
'tenth_to_last': 0,
'ninth_to_last': 1,
'eighth_to_last': 2,
'seventh_to_last': 3,
'sixth_to_last': 4,
'fifth_to_last': 5,
'fourth_to_last': 6,
'third_to_last': 7,
'second_to_last': 8,
'last': 9,
}
special_test_items = list(start_test_items_map.keys()) + list(end_test_items_map.keys())
|
A,B = map(int,input().split())
if A >= 13:
print(B)
elif A >= 6:
print(B//2)
else:
print(0)
|
#SQL Server details
SQL_HOST = 'localhost'
SQL_USERNAME = 'root'
SQL_PASSWORD = ''
#Cache details - whether to call a URL once an ingestion script is finished
RESET_CACHE = False
RESET_CACHE_URL = 'http://example.com/visualization_reload/'
#Fab - configuration for deploying to a remote server
FAB_HOSTS = []
FAB_GITHUB_URL = 'https://github.com/UQ-UQx/injestor.git'
FAB_REMOTE_PATH = '/file/to/your/deployment/location'
#Ignored services
IGNORE_SERVICES = ['extractsample', 'personcourse']
#File output
OUTPUT_DIRECTORY = '/tmp' |
__description__ = 'Wordpress Two-Factor Authentication Brute-forcer'
__title__ = 'WPBiff'
__version_info__ = ('0', '1', '1')
__version__ = '.'.join(__version_info__)
__author__ = 'Gabor Szathmari'
__credits__ = ['Gabor Szathmari']
__maintainer__ = 'Gabor Szathmari'
__email__ = 'gszathmari@gmail.com'
__status__ = 'beta'
__license__ = 'MIT'
__copyright__ = 'Copyright (c) 2015 Gabor Szathmari'
__website__ = 'http://github.com/gszathmari/wpbiff'
|
"""
Link:
Language: Python
Written by: Mostofa Adib Shakib
Time complexity: O(n)
Space Complexity: O(1)
"""
T = int(input())
for x in range(1, T + 1):
N, M, Q = map(int, input().split())
min1 = (M-Q) + (N-Q+1) + (M-1)
min2 = (M-1) + 1 + N
y = min(min1, min2)
print("Case #{}: {}".format(x, y), flush = True) |
N = int(input())
NG = set([int(input()) for _ in range(3)])
if N in NG:
print("NO")
exit(0)
for _ in range(100):
if 0 <= N <= 3:
print("YES")
break
if N - 3 not in NG:
N -= 3
elif N - 2 not in NG:
N -= 2
elif N - 1 not in NG:
N -= 1
else:
print("NO")
|
lister = ["Зима", "Зима", "Весна", "Весна", "Весна", "Лето", "Лето", "Лето", "Осень", "Осень", "Осень", "Зима"]
dict_month = {"1": "Зима", "2": "Зима", "3": "Весна", "4": "Весна", "5": "Весна", "6": "Лето", "7": "Лето", "8": "Лето",
"9": "Осень", "10": "Осень", "11": "Осень", "12": "Зима"}
number_month = int(input("Введите номер месяца от 1 до 12 >> "))
if 1 <= number_month <= 12:
print('Это время года из листа - ' + str(lister[number_month - 1]))
print('Это время года из словаря - ' + str(dict_month.get(f"{number_month}")))
else:
print("Это не сработает!")
|
def master_plan():
yield from bps.mvr(giantxy.x,x_range/2)
yield from bps.mvr(giantxy.y,y_range/2)
for _ in range(6):
yield from bps.mvr(giantxy.x,-x_range)
yield from bps.mvr(giantxy.y,-1)
yield from bps.mvr(giantxy.x,+x_range)
yield from bps.mvr(giantxy.y,-1)
yield from bps.mvr(giantxy.x,-x_range)
yield from bps.mvr(giantxy.y,-1)
yield from bps.mvr(giantxy.x,+x_range)
yield from bps.mvr(giantxy.x,-x_range/2)
yield from bps.mvr(giantxy.y,y_range/2)
|
def extractAquaScans(item):
"""
"""
if 'Manga' in item['tags']:
return None
vol, chp, frag, postfix = extractVolChapterFragmentPostfix(item['title'])
if not (chp or vol or frag) or 'preview' in item['title'].lower():
return None
bad_tags = [
'Majo no Shinzou',
'Kanata no Togabito ga Tatakau Riyuu',
'Usotsuki Wakusei',
'Shichifuku Mafia',
'Rose Guns Days',
'Dangan Honey',
'Komomo Confiserie',
'Moekoi',
'Higan no Ishi',
]
if any([bad in item['tags'] for bad in bad_tags]):
return None
tagmap = [
('Okobore Hime to Entaku no Kishi', 'Okoborehime to Entaku no Kishi', 'translated'),
('Sugar Apple Fairy Tale', 'Sugar Apple Fairy Tale', 'translated'),
]
for tagname, name, tl_type in tagmap:
if tagname in item['tags']:
return buildReleaseMessageWithType(item, name, vol, chp, frag=frag, postfix=postfix, tl_type=tl_type)
return False |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.