content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
array=list(map(int,input().split()))
print('Your Array :',array)
for i in range(0,len(array)-1):
if(array[i+1]<array[i]):
temp=array[i+1]
j=i
while(temp<array[j] and j>=0):
array[j+1]=array[j]
j-=1
array[j+1]=temp
print('Sorted Array : ',array) | array = list(map(int, input().split()))
print('Your Array :', array)
for i in range(0, len(array) - 1):
if array[i + 1] < array[i]:
temp = array[i + 1]
j = i
while temp < array[j] and j >= 0:
array[j + 1] = array[j]
j -= 1
array[j + 1] = temp
print('Sorted Array : ', array) |
ENDINGS = ['.', '!', '?', ';']
def count_sentences(text):
text = text.strip()
if len(text) == 0:
return 0
split_result = None
for ending in ENDINGS:
separator = f'{ending} '
if split_result is None:
split_result = text.split(separator)
else:
split_result = [y for x in split_result for y in x.split(separator)]
last_is_sentence = text[-1] in ENDINGS
return len(split_result) - 1 + last_is_sentence
| endings = ['.', '!', '?', ';']
def count_sentences(text):
text = text.strip()
if len(text) == 0:
return 0
split_result = None
for ending in ENDINGS:
separator = f'{ending} '
if split_result is None:
split_result = text.split(separator)
else:
split_result = [y for x in split_result for y in x.split(separator)]
last_is_sentence = text[-1] in ENDINGS
return len(split_result) - 1 + last_is_sentence |
'''
Get an undefined numbers of values and put them in a list.
In the end, show all the unique values in ascendent order.
'''
values = []
while True:
number = int(input('Choose a number: '))
if number not in values:
print(f'\033[32mAdd the number {number} to the list.\033[m')
values.append(number)
else:
print(f'\033[31mThe number {number} already exists in the list. Not added.\033[m')
again = input('Do you want to continue? [Y/N]').upper()
if again == 'N':
break
values.sort()
print(f'You choose the values {values}')
| """
Get an undefined numbers of values and put them in a list.
In the end, show all the unique values in ascendent order.
"""
values = []
while True:
number = int(input('Choose a number: '))
if number not in values:
print(f'\x1b[32mAdd the number {number} to the list.\x1b[m')
values.append(number)
else:
print(f'\x1b[31mThe number {number} already exists in the list. Not added.\x1b[m')
again = input('Do you want to continue? [Y/N]').upper()
if again == 'N':
break
values.sort()
print(f'You choose the values {values}') |
VOWELS = { c for c in "aeouiAEOUI" }
def swap_vowel_case_char(c :str) -> str:
return c.swapcase() if c in VOWELS else c
def swap_vowel_case(st: str) -> str:
return "".join(swap_vowel_case_char(c) for c in st)
| vowels = {c for c in 'aeouiAEOUI'}
def swap_vowel_case_char(c: str) -> str:
return c.swapcase() if c in VOWELS else c
def swap_vowel_case(st: str) -> str:
return ''.join((swap_vowel_case_char(c) for c in st)) |
PuzzleInput = "PuzzleInput.txt"
f = open(PuzzleInput)
txt = f.readlines()
sums = []
k=0
for j in range(len(txt)):
for i in range(25):
for k in range(25):
if i == k:
continue
else:
sums.append(int(txt[i])+int(txt[k]))
if int(txt[25]) in sums:
txt.pop(0)
sums = []
else:
print(int(txt[25]),"is not a sum of 2 of the previous 25 numbers")
break | puzzle_input = 'PuzzleInput.txt'
f = open(PuzzleInput)
txt = f.readlines()
sums = []
k = 0
for j in range(len(txt)):
for i in range(25):
for k in range(25):
if i == k:
continue
else:
sums.append(int(txt[i]) + int(txt[k]))
if int(txt[25]) in sums:
txt.pop(0)
sums = []
else:
print(int(txt[25]), 'is not a sum of 2 of the previous 25 numbers')
break |
if __name__ == '__main__':
# Creating a tuple
x = ()
x = (1, )
print(type(x))
x = (1)
print(type(x))
x = (1, 2, 3, "Apple", True, 4.0)
x = ((1, 2, 3), (4, 5, 6))
#Accessing Tuple
x = (1, 2, 3, "Apple", True, (7, 7, 7), 4.0)
print(x[3])
print(x[-2])
print(x[1:2])
print(x[1:3])
print(x[::2])
_, _, _, _, _, _, x7 = x
print(x7)
print(x[5][1])
# Modify tuple
x[0] = 2
x = (1, 2, 3)
# Tuple Operation
print((1, 2) + (3, 4, 5))
print((1, 2) * 3)
print(len(1, 2, 3))
print("Apple" in ("Hong Kong", "Taiwan"))
print(4 not in (3, 7, 9))
x = (1,2,3,1)
print(x.count(1))
print(x.index(1))
for num in x:
print(num, end=" ") | if __name__ == '__main__':
x = ()
x = (1,)
print(type(x))
x = 1
print(type(x))
x = (1, 2, 3, 'Apple', True, 4.0)
x = ((1, 2, 3), (4, 5, 6))
x = (1, 2, 3, 'Apple', True, (7, 7, 7), 4.0)
print(x[3])
print(x[-2])
print(x[1:2])
print(x[1:3])
print(x[::2])
(_, _, _, _, _, _, x7) = x
print(x7)
print(x[5][1])
x[0] = 2
x = (1, 2, 3)
print((1, 2) + (3, 4, 5))
print((1, 2) * 3)
print(len(1, 2, 3))
print('Apple' in ('Hong Kong', 'Taiwan'))
print(4 not in (3, 7, 9))
x = (1, 2, 3, 1)
print(x.count(1))
print(x.index(1))
for num in x:
print(num, end=' ') |
#
# @lc app=leetcode id=108 lang=python3
#
# [108] Convert Sorted Array to Binary Search Tree
#
# @lc code=start
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def sortedArrayToBST(self, nums: List[int]) -> TreeNode:
def helper(left, right):
if left > right:
return None
# always choose left middle node as a root
p = (left + right) // 2
# preorder traversal: node -> left -> right
root = TreeNode(nums[p])
root.left = helper(left, p - 1)
root.right = helper(p + 1, right)
return root
return helper(0, len(nums) - 1)
# @lc code=end
| class Solution:
def sorted_array_to_bst(self, nums: List[int]) -> TreeNode:
def helper(left, right):
if left > right:
return None
p = (left + right) // 2
root = tree_node(nums[p])
root.left = helper(left, p - 1)
root.right = helper(p + 1, right)
return root
return helper(0, len(nums) - 1) |
class DecorationRepository:
def __init__(self):
self.decorations = []
@staticmethod
def get_obj_by_type(objects, obj_type):
result = [obj for obj in objects if obj.__class__.__name__ == obj_type]
return result
def add(self, decoration):
self.decorations.append(decoration)
def remove(self, decoration):
if decoration not in self.decorations:
return False
self.decorations.remove(decoration)
return True
def find_by_type(self, decoration_type: str):
decorations = self.get_obj_by_type(self.decorations,decoration_type)
if decorations:
return decorations[0]
return "None" | class Decorationrepository:
def __init__(self):
self.decorations = []
@staticmethod
def get_obj_by_type(objects, obj_type):
result = [obj for obj in objects if obj.__class__.__name__ == obj_type]
return result
def add(self, decoration):
self.decorations.append(decoration)
def remove(self, decoration):
if decoration not in self.decorations:
return False
self.decorations.remove(decoration)
return True
def find_by_type(self, decoration_type: str):
decorations = self.get_obj_by_type(self.decorations, decoration_type)
if decorations:
return decorations[0]
return 'None' |
class NotValidAttributeException(Exception):
def __init__(self, message, errors):
super(NotValidAttributeException, self).__init__(message)
self.errors = errors
class NoReportFoundException(Exception):
def __init__(self, message, errors):
super(NoReportFoundException, self).__init__(message)
self.errors = errors
class ElementCannotBeFoundException(Exception):
def __init__(self, message, errors):
super(ElementCannotBeFoundException, self).__init__(message)
self.errors = errors
class TemplatePathNotFoundException(Exception):
def __init__(self, message, errors):
super(TemplatePathNotFoundException, self).__init__(message)
self.errors = errors
class NoINITemplateGivenException(Exception):
def __init__(self, message, errors):
super(NoINITemplateGivenException, self).__init__(message)
self.errors = errors
class TemplateINIFileDoesNotExistException(Exception):
def __init__(self, message, errors):
super(TemplateINIFileDoesNotExistException, self).__init__(message)
self.errors = errors
class TemplateFileIsNotAnINIFileException(Exception):
def __init__(self, message, errors):
super(TemplateFileIsNotAnINIFileException, self).__init__(message)
self.errors = errors
class OutputFileAlreadyExistsException(Exception):
def __init__(self, message, errors):
super(OutputFileAlreadyExistsException, self).__init__(message)
self.errors = errors
class InvalidOutputFilePathException(Exception):
def __init__(self, message, errors):
super(InvalidOutputFilePathException, self).__init__(message)
self.errors = errors
class BatchFileDoesNotExistException(Exception):
def __init__(self, message, errors):
super(BatchFileDoesNotExistException, self).__init__(message)
self.errors = errors
class NoBatchFileWithConcurrentEnabled(Exception):
def __init__(self, message, errors):
super(NoBatchFileWithConcurrentEnabled, self).__init__(message)
self.errors = errors
class InvalidDynamicInputStringException(Exception):
def __init__(self, message, errors):
super(InvalidDynamicInputStringException, self).__init__(message)
self.errors = errors
class DynamicVariableNotFoundInTemplateException(Exception):
def __init__(self, message, errors):
super(DynamicVariableNotFoundInTemplateException, self).__init__(message)
self.errors = errors
class DynamicTemplateAlreadyExistsException(Exception):
def __init__(self, message, errors):
super(DynamicTemplateAlreadyExistsException, self).__init__(message)
self.errors = errors
| class Notvalidattributeexception(Exception):
def __init__(self, message, errors):
super(NotValidAttributeException, self).__init__(message)
self.errors = errors
class Noreportfoundexception(Exception):
def __init__(self, message, errors):
super(NoReportFoundException, self).__init__(message)
self.errors = errors
class Elementcannotbefoundexception(Exception):
def __init__(self, message, errors):
super(ElementCannotBeFoundException, self).__init__(message)
self.errors = errors
class Templatepathnotfoundexception(Exception):
def __init__(self, message, errors):
super(TemplatePathNotFoundException, self).__init__(message)
self.errors = errors
class Noinitemplategivenexception(Exception):
def __init__(self, message, errors):
super(NoINITemplateGivenException, self).__init__(message)
self.errors = errors
class Templateinifiledoesnotexistexception(Exception):
def __init__(self, message, errors):
super(TemplateINIFileDoesNotExistException, self).__init__(message)
self.errors = errors
class Templatefileisnotaninifileexception(Exception):
def __init__(self, message, errors):
super(TemplateFileIsNotAnINIFileException, self).__init__(message)
self.errors = errors
class Outputfilealreadyexistsexception(Exception):
def __init__(self, message, errors):
super(OutputFileAlreadyExistsException, self).__init__(message)
self.errors = errors
class Invalidoutputfilepathexception(Exception):
def __init__(self, message, errors):
super(InvalidOutputFilePathException, self).__init__(message)
self.errors = errors
class Batchfiledoesnotexistexception(Exception):
def __init__(self, message, errors):
super(BatchFileDoesNotExistException, self).__init__(message)
self.errors = errors
class Nobatchfilewithconcurrentenabled(Exception):
def __init__(self, message, errors):
super(NoBatchFileWithConcurrentEnabled, self).__init__(message)
self.errors = errors
class Invaliddynamicinputstringexception(Exception):
def __init__(self, message, errors):
super(InvalidDynamicInputStringException, self).__init__(message)
self.errors = errors
class Dynamicvariablenotfoundintemplateexception(Exception):
def __init__(self, message, errors):
super(DynamicVariableNotFoundInTemplateException, self).__init__(message)
self.errors = errors
class Dynamictemplatealreadyexistsexception(Exception):
def __init__(self, message, errors):
super(DynamicTemplateAlreadyExistsException, self).__init__(message)
self.errors = errors |
n = int (input('Enter a number for prime number series : '))
for i in range(2,n):
for j in range(2,i):
if i % j == 0:
print(i,"is not a prime number because",j,"*",i//j,"=",i)
break
else:
print(i,"is a prime number") | n = int(input('Enter a number for prime number series : '))
for i in range(2, n):
for j in range(2, i):
if i % j == 0:
print(i, 'is not a prime number because', j, '*', i // j, '=', i)
break
else:
print(i, 'is a prime number') |
class Solution:
def threeSumClosest(self, num, target):
num = sorted(num)
best_sum = num[0] + num[1] + num[2]
for i in range(len(num)):
j = i + 1
k = len(num) - 1
while j < k:
current_sum = num[i] + num[j] + num[k]
if current_sum == target:
return current_sum
if abs(current_sum - target) < abs(best_sum - target):
best_sum = current_sum
if current_sum > target:
k -= 1
else:
j += 1
return best_sum
| class Solution:
def three_sum_closest(self, num, target):
num = sorted(num)
best_sum = num[0] + num[1] + num[2]
for i in range(len(num)):
j = i + 1
k = len(num) - 1
while j < k:
current_sum = num[i] + num[j] + num[k]
if current_sum == target:
return current_sum
if abs(current_sum - target) < abs(best_sum - target):
best_sum = current_sum
if current_sum > target:
k -= 1
else:
j += 1
return best_sum |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
#======================================================================
# Code for solving day 8 of AoC 2018
#======================================================================
VERBOSE = True
#------------------------------------------------------------------
#------------------------------------------------------------------
def load_input(filename):
with open(filename,'r') as f:
content = f.read()
return content.strip()
#------------------------------------------------------------------
#------------------------------------------------------------------
def part_one():
print("Performing part one.")
my_input = load_input("puzzle_input_day_8.txt")
print("Answer for part one: %d")
#------------------------------------------------------------------
#------------------------------------------------------------------
def part_two():
print("Performing part two.")
my_input = load_input("puzzle_input_day_8.txt")
print("Answer for part two: %d")
#------------------------------------------------------------------
#------------------------------------------------------------------
print('Answers for day 8:')
part_one()
part_two()
#======================================================================
| verbose = True
def load_input(filename):
with open(filename, 'r') as f:
content = f.read()
return content.strip()
def part_one():
print('Performing part one.')
my_input = load_input('puzzle_input_day_8.txt')
print('Answer for part one: %d')
def part_two():
print('Performing part two.')
my_input = load_input('puzzle_input_day_8.txt')
print('Answer for part two: %d')
print('Answers for day 8:')
part_one()
part_two() |
flag=[0]*35
box = [
253, 194, 15, 13, 82,
129, 244, 80, 193, 233,
36, 54, 199, 69, 219,
74, 136, 6, 190, 144,
68, 57, 156, 153, 240,
65, 95, 135, 61, 179,
159, 183, 182, 130, 107]
target = [
174, 178, 102, 127, 22,
245, 143, 226, 245, 131,
65, 105, 135, 48, 94,
21, 185, 188, 225, 211,
116, 11, 178, 184, 248,
18, 47, 205, 79, 38,
235, 244, 149, 196, 185]
state = target
for i in range(0, 35, 5):
# state[i] = flag[i] ^ box[i]
# state[i + 1] = flag[(i + 1)] ^ box[(i + 1)]
# state[i + 2] = ((state[i] ^ state[(i + 1)] ^ flag[(i + 2)]) - box[(i + 2)]) & 255
# state[i + 3] = flag[(i + 3)] ^ box[(i + 3)]
# state[i + 4] = flag[(i + 4)] ^ state[(i + 3)]
flag[i+4]=state[i+4]^state[i+3]
flag[i+3]=state[i+3]^box[i+3]
flag[i+2]=((state[i+2]+box[i+2])&255)^state[i+1]^state[i]
flag[i+1]=state[i+1]^box[i+1]
flag[i]=state[i]^box[i]
print(bytes(flag)) | flag = [0] * 35
box = [253, 194, 15, 13, 82, 129, 244, 80, 193, 233, 36, 54, 199, 69, 219, 74, 136, 6, 190, 144, 68, 57, 156, 153, 240, 65, 95, 135, 61, 179, 159, 183, 182, 130, 107]
target = [174, 178, 102, 127, 22, 245, 143, 226, 245, 131, 65, 105, 135, 48, 94, 21, 185, 188, 225, 211, 116, 11, 178, 184, 248, 18, 47, 205, 79, 38, 235, 244, 149, 196, 185]
state = target
for i in range(0, 35, 5):
flag[i + 4] = state[i + 4] ^ state[i + 3]
flag[i + 3] = state[i + 3] ^ box[i + 3]
flag[i + 2] = state[i + 2] + box[i + 2] & 255 ^ state[i + 1] ^ state[i]
flag[i + 1] = state[i + 1] ^ box[i + 1]
flag[i] = state[i] ^ box[i]
print(bytes(flag)) |
class Solution:
def isPowerOfTwo(self, n: int) -> bool:
i = 0
while 2**i <n:
i+=1
if 2**i==n:
return True
return False | class Solution:
def is_power_of_two(self, n: int) -> bool:
i = 0
while 2 ** i < n:
i += 1
if 2 ** i == n:
return True
return False |
def feast(beast, dish):
x = len(beast)
y = len(dish)
if beast[0] == dish[0]:
if beast[x-1] == dish[y-1]:
return True
else:
return False
else:
return False
def feast1(beast, dish):
return beast[0]==dish[0] and dish[-1]==beast[-1] | def feast(beast, dish):
x = len(beast)
y = len(dish)
if beast[0] == dish[0]:
if beast[x - 1] == dish[y - 1]:
return True
else:
return False
else:
return False
def feast1(beast, dish):
return beast[0] == dish[0] and dish[-1] == beast[-1] |
#Dictionary is key value pairs.
d1 = {}
print(type(d1))
d2 ={ "Jiggu":"Burger", "Rohan":"Fish", "Ravi":"Roti"}
#print(d2["Jiggu"]) case sensitive,tell about there syn...
#we can make dictionary inside a dictionary
d3 = {"Jiggu":"Burger", "Rohan":"Fish", "Ravi":"Roti",
"Pagal":{"B":"Oats","L": "Rice","D":"Chicken"}}
'''
d3["Ankit"] = "Junk Food"
d3[3453] = "Kabab"
del d3[3453]
'''
print(d3.get("Jiggu"))
| d1 = {}
print(type(d1))
d2 = {'Jiggu': 'Burger', 'Rohan': 'Fish', 'Ravi': 'Roti'}
d3 = {'Jiggu': 'Burger', 'Rohan': 'Fish', 'Ravi': 'Roti', 'Pagal': {'B': 'Oats', 'L': 'Rice', 'D': 'Chicken'}}
'\nd3["Ankit"] = "Junk Food"\nd3[3453] = "Kabab"\ndel d3[3453]\n'
print(d3.get('Jiggu')) |
class TreeNode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
def isValidBST(root):
arr = []
def inOrderTraversal(root):
if not root: return
if root.left: inOrderTraversal(root.left)
arr.append(root.val)
if root.right: inOrderTraversal(root.right)
inOrderTraversal(root)
for i in range(1, len(arr)):
if arr[i] <= arr[i-1]:
return False
return True
# 2
# 1 3
root = TreeNode(2)
root.left = TreeNode(1)
root.right = TreeNode(3)
print(isValidBST(root)) # True
# 5
# 1 4
# x x 3 6
root = TreeNode(5)
root.left = TreeNode(1)
root.right = TreeNode(4)
root.right.left = TreeNode(3)
root.right.right = TreeNode(6)
print(isValidBST(root)) # False
# 10
# 5 15
# x x 6 20
root = TreeNode(10)
root.left = TreeNode(5)
root.right = TreeNode(15)
root.right.left = TreeNode(6)
root.right.right = TreeNode(20)
print(isValidBST(root)) # False | class Treenode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
def is_valid_bst(root):
arr = []
def in_order_traversal(root):
if not root:
return
if root.left:
in_order_traversal(root.left)
arr.append(root.val)
if root.right:
in_order_traversal(root.right)
in_order_traversal(root)
for i in range(1, len(arr)):
if arr[i] <= arr[i - 1]:
return False
return True
root = tree_node(2)
root.left = tree_node(1)
root.right = tree_node(3)
print(is_valid_bst(root))
root = tree_node(5)
root.left = tree_node(1)
root.right = tree_node(4)
root.right.left = tree_node(3)
root.right.right = tree_node(6)
print(is_valid_bst(root))
root = tree_node(10)
root.left = tree_node(5)
root.right = tree_node(15)
root.right.left = tree_node(6)
root.right.right = tree_node(20)
print(is_valid_bst(root)) |
#!/usr/bin/env python
def simple_generator():
yield 1
yield 2
yield 3
simple_generator()
print(simple_generator)
print(simple_generator()) | def simple_generator():
yield 1
yield 2
yield 3
simple_generator()
print(simple_generator)
print(simple_generator()) |
#
# PySNMP MIB module HH3C-VOICE-IF-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HH3C-VOICE-IF-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:30:25 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint")
hh3cVoice, = mibBuilder.importSymbols("HH3C-OID-MIB", "hh3cVoice")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
ObjectIdentity, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, Unsigned32, MibIdentifier, Bits, TimeTicks, Gauge32, NotificationType, IpAddress, Counter64, ModuleIdentity, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "Unsigned32", "MibIdentifier", "Bits", "TimeTicks", "Gauge32", "NotificationType", "IpAddress", "Counter64", "ModuleIdentity", "Integer32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
hh3cVoiceInterface = ModuleIdentity((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13))
hh3cVoiceInterface.setRevisions(('2007-12-10 17:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: hh3cVoiceInterface.setRevisionsDescriptions(('The initial version of this MIB file.',))
if mibBuilder.loadTexts: hh3cVoiceInterface.setLastUpdated('200712101700Z')
if mibBuilder.loadTexts: hh3cVoiceInterface.setOrganization('Hangzhou H3C Technologies Co., Ltd.')
if mibBuilder.loadTexts: hh3cVoiceInterface.setContactInfo('Platform Team H3C Technologies Co., Ltd. Hai-Dian District Beijing P.R. China Http://www.hh3c.com Zip:100085')
if mibBuilder.loadTexts: hh3cVoiceInterface.setDescription('This MIB file is to provide the definition of the voice interface general configuration.')
hh3cVoiceIfObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1))
hh3cVoiceIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1), )
if mibBuilder.loadTexts: hh3cVoiceIfConfigTable.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfConfigTable.setDescription('The table contains configurable parameters for both analog voice interface and digital voice interface.')
hh3cVoiceIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: hh3cVoiceIfConfigEntry.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfConfigEntry.setDescription('The entry of voice interface table.')
hh3cVoiceIfCfgCngOn = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgCngOn.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgCngOn.setDescription('This object indicates whether the silence gaps should be filled with background noise. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3cVoiceIfCfgNonLinearSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgNonLinearSwitch.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgNonLinearSwitch.setDescription('This object expresses the nonlinear processing is enable or disable for the voice interface. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line. Currently, only digital voice subscriber lines can be set disabled.')
hh3cVoiceIfCfgInputGain = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-140, 139))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgInputGain.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgInputGain.setDescription('This object indicates the amount of gain added to the receiver side of the voice interface. Unit is 0.1 db. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3cVoiceIfCfgOutputGain = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-140, 139))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgOutputGain.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgOutputGain.setDescription('This object indicates the amount of gain added to the send side of the voice interface. Unit is 0.1 db. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3cVoiceIfCfgEchoCancelSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgEchoCancelSwitch.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgEchoCancelSwitch.setDescription('This object indicates whether the echo cancellation is enabled. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3cVoiceIfCfgEchoCancelDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 64))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgEchoCancelDelay.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgEchoCancelDelay.setDescription("This object indicates the delay of the echo cancellation for the voice interface. This value couldn't be modified unless hh3cVoiceIfCfgEchoCancelSwitch is enable. Unit is milliseconds. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line. The default value of this object is 32.")
hh3cVoiceIfCfgTimerDialInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 300))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgTimerDialInterval.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgTimerDialInterval.setDescription('The interval, in seconds, between two dialing numbers. The default value of this object is 10 seconds. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 with loop-start or ground-start protocol voice subscriber line.')
hh3cVoiceIfCfgTimerFirstDial = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 300))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgTimerFirstDial.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgTimerFirstDial.setDescription('The period of time, in seconds, before dialing the first number. The default value of this object is 10 seconds. It is applicable to FXO, FXS subscriber lines and E1/T1 with loop-start or ground-start protocol voice subscriber line.')
hh3cVoiceIfCfgPrivateline = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgPrivateline.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgPrivateline.setDescription('This object indicates the E.164 phone number for plar mode. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3cVoiceIfCfgRegTone = MibTableColumn((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 10), OctetString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(2, 3), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hh3cVoiceIfCfgRegTone.setStatus('current')
if mibBuilder.loadTexts: hh3cVoiceIfCfgRegTone.setDescription('This object uses 2 or 3 letter country code specify voice parameters of different countrys. This value will take effect on all voice interfaces of all cards on the device.')
mibBuilder.exportSymbols("HH3C-VOICE-IF-MIB", hh3cVoiceInterface=hh3cVoiceInterface, hh3cVoiceIfCfgNonLinearSwitch=hh3cVoiceIfCfgNonLinearSwitch, hh3cVoiceIfCfgCngOn=hh3cVoiceIfCfgCngOn, hh3cVoiceIfObjects=hh3cVoiceIfObjects, hh3cVoiceIfCfgPrivateline=hh3cVoiceIfCfgPrivateline, hh3cVoiceIfCfgOutputGain=hh3cVoiceIfCfgOutputGain, hh3cVoiceIfCfgRegTone=hh3cVoiceIfCfgRegTone, hh3cVoiceIfCfgEchoCancelSwitch=hh3cVoiceIfCfgEchoCancelSwitch, hh3cVoiceIfConfigTable=hh3cVoiceIfConfigTable, hh3cVoiceIfCfgInputGain=hh3cVoiceIfCfgInputGain, hh3cVoiceIfCfgEchoCancelDelay=hh3cVoiceIfCfgEchoCancelDelay, hh3cVoiceIfCfgTimerFirstDial=hh3cVoiceIfCfgTimerFirstDial, hh3cVoiceIfCfgTimerDialInterval=hh3cVoiceIfCfgTimerDialInterval, PYSNMP_MODULE_ID=hh3cVoiceInterface, hh3cVoiceIfConfigEntry=hh3cVoiceIfConfigEntry)
| (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, single_value_constraint, constraints_intersection, value_range_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ValueSizeConstraint')
(hh3c_voice,) = mibBuilder.importSymbols('HH3C-OID-MIB', 'hh3cVoice')
(if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(object_identity, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, iso, unsigned32, mib_identifier, bits, time_ticks, gauge32, notification_type, ip_address, counter64, module_identity, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'ObjectIdentity', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso', 'Unsigned32', 'MibIdentifier', 'Bits', 'TimeTicks', 'Gauge32', 'NotificationType', 'IpAddress', 'Counter64', 'ModuleIdentity', 'Integer32')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
hh3c_voice_interface = module_identity((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13))
hh3cVoiceInterface.setRevisions(('2007-12-10 17:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
hh3cVoiceInterface.setRevisionsDescriptions(('The initial version of this MIB file.',))
if mibBuilder.loadTexts:
hh3cVoiceInterface.setLastUpdated('200712101700Z')
if mibBuilder.loadTexts:
hh3cVoiceInterface.setOrganization('Hangzhou H3C Technologies Co., Ltd.')
if mibBuilder.loadTexts:
hh3cVoiceInterface.setContactInfo('Platform Team H3C Technologies Co., Ltd. Hai-Dian District Beijing P.R. China Http://www.hh3c.com Zip:100085')
if mibBuilder.loadTexts:
hh3cVoiceInterface.setDescription('This MIB file is to provide the definition of the voice interface general configuration.')
hh3c_voice_if_objects = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1))
hh3c_voice_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1))
if mibBuilder.loadTexts:
hh3cVoiceIfConfigTable.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfConfigTable.setDescription('The table contains configurable parameters for both analog voice interface and digital voice interface.')
hh3c_voice_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
hh3cVoiceIfConfigEntry.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfConfigEntry.setDescription('The entry of voice interface table.')
hh3c_voice_if_cfg_cng_on = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgCngOn.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgCngOn.setDescription('This object indicates whether the silence gaps should be filled with background noise. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3c_voice_if_cfg_non_linear_switch = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgNonLinearSwitch.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgNonLinearSwitch.setDescription('This object expresses the nonlinear processing is enable or disable for the voice interface. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line. Currently, only digital voice subscriber lines can be set disabled.')
hh3c_voice_if_cfg_input_gain = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(-140, 139))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgInputGain.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgInputGain.setDescription('This object indicates the amount of gain added to the receiver side of the voice interface. Unit is 0.1 db. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3c_voice_if_cfg_output_gain = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(-140, 139))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgOutputGain.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgOutputGain.setDescription('This object indicates the amount of gain added to the send side of the voice interface. Unit is 0.1 db. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3c_voice_if_cfg_echo_cancel_switch = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgEchoCancelSwitch.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgEchoCancelSwitch.setDescription('This object indicates whether the echo cancellation is enabled. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3c_voice_if_cfg_echo_cancel_delay = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 64))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgEchoCancelDelay.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgEchoCancelDelay.setDescription("This object indicates the delay of the echo cancellation for the voice interface. This value couldn't be modified unless hh3cVoiceIfCfgEchoCancelSwitch is enable. Unit is milliseconds. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line. The default value of this object is 32.")
hh3c_voice_if_cfg_timer_dial_interval = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 300))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgTimerDialInterval.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgTimerDialInterval.setDescription('The interval, in seconds, between two dialing numbers. The default value of this object is 10 seconds. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 with loop-start or ground-start protocol voice subscriber line.')
hh3c_voice_if_cfg_timer_first_dial = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(1, 300))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgTimerFirstDial.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgTimerFirstDial.setDescription('The period of time, in seconds, before dialing the first number. The default value of this object is 10 seconds. It is applicable to FXO, FXS subscriber lines and E1/T1 with loop-start or ground-start protocol voice subscriber line.')
hh3c_voice_if_cfg_privateline = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgPrivateline.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgPrivateline.setDescription('This object indicates the E.164 phone number for plar mode. It is applicable to FXO, FXS, E&M subscriber lines and E1/T1 voice subscriber line.')
hh3c_voice_if_cfg_reg_tone = mib_table_column((1, 3, 6, 1, 4, 1, 25506, 2, 39, 13, 1, 1, 1, 10), octet_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(2, 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgRegTone.setStatus('current')
if mibBuilder.loadTexts:
hh3cVoiceIfCfgRegTone.setDescription('This object uses 2 or 3 letter country code specify voice parameters of different countrys. This value will take effect on all voice interfaces of all cards on the device.')
mibBuilder.exportSymbols('HH3C-VOICE-IF-MIB', hh3cVoiceInterface=hh3cVoiceInterface, hh3cVoiceIfCfgNonLinearSwitch=hh3cVoiceIfCfgNonLinearSwitch, hh3cVoiceIfCfgCngOn=hh3cVoiceIfCfgCngOn, hh3cVoiceIfObjects=hh3cVoiceIfObjects, hh3cVoiceIfCfgPrivateline=hh3cVoiceIfCfgPrivateline, hh3cVoiceIfCfgOutputGain=hh3cVoiceIfCfgOutputGain, hh3cVoiceIfCfgRegTone=hh3cVoiceIfCfgRegTone, hh3cVoiceIfCfgEchoCancelSwitch=hh3cVoiceIfCfgEchoCancelSwitch, hh3cVoiceIfConfigTable=hh3cVoiceIfConfigTable, hh3cVoiceIfCfgInputGain=hh3cVoiceIfCfgInputGain, hh3cVoiceIfCfgEchoCancelDelay=hh3cVoiceIfCfgEchoCancelDelay, hh3cVoiceIfCfgTimerFirstDial=hh3cVoiceIfCfgTimerFirstDial, hh3cVoiceIfCfgTimerDialInterval=hh3cVoiceIfCfgTimerDialInterval, PYSNMP_MODULE_ID=hh3cVoiceInterface, hh3cVoiceIfConfigEntry=hh3cVoiceIfConfigEntry) |
# Python3 Finding Lowest Common Ancestor in Binary Tree ----> O(N)
def find_lca_bt(root, n1, n2):
if not root:
return None
left_lca = find_lca_bt(root.left, n1, n2)
right_lca = find_lca_bt(root.right, n1, n2)
if left_lca and right_lca:
return root
return left_lca if left_lca else right_lca
# Python3 Finding Lowest Common Ancestor in Binary Seacrh Tree ----> O(logN)
def find_lca_bst(root, n1, n2):
if not root:
return None
if root.data > n1 and root.data > n2:
return find_lca_bst(root.left)
if root.data < n1 and root.data < n2:
return find_lca_bst(root.right)
return root | def find_lca_bt(root, n1, n2):
if not root:
return None
left_lca = find_lca_bt(root.left, n1, n2)
right_lca = find_lca_bt(root.right, n1, n2)
if left_lca and right_lca:
return root
return left_lca if left_lca else right_lca
def find_lca_bst(root, n1, n2):
if not root:
return None
if root.data > n1 and root.data > n2:
return find_lca_bst(root.left)
if root.data < n1 and root.data < n2:
return find_lca_bst(root.right)
return root |
class DF_Filter(dict):
'''
store and format query where clause
'''
def __init__(self,filter_value={}):
self['filter_list'] = []
def add(self,val):
self['filter_list'].append(val)
return self
def getFilter(self):
if len(self['filter_list'])==0:
msg = 'Empty Filter, set to None or omit.'
raise ValueError(msg)
return ' and '.join(self['filter_list'])
def test_emptyfilter():
print('###### Empty Filter')
filter = DF_Filter()
try:
print('',filter.getFilter())
except ValueError as inst:
print(inst)
def test_filter():
print('###### Filter')
filter = DF_Filter()
filter.add('a == b')\
.add('c > 34')
print('',filter.getFilter())
def main():
test_emptyfilter()
test_filter()
if __name__ == "__main__":
# execute only if run as a script
main() | class Df_Filter(dict):
"""
store and format query where clause
"""
def __init__(self, filter_value={}):
self['filter_list'] = []
def add(self, val):
self['filter_list'].append(val)
return self
def get_filter(self):
if len(self['filter_list']) == 0:
msg = 'Empty Filter, set to None or omit.'
raise value_error(msg)
return ' and '.join(self['filter_list'])
def test_emptyfilter():
print('###### Empty Filter')
filter = df__filter()
try:
print('', filter.getFilter())
except ValueError as inst:
print(inst)
def test_filter():
print('###### Filter')
filter = df__filter()
filter.add('a == b').add('c > 34')
print('', filter.getFilter())
def main():
test_emptyfilter()
test_filter()
if __name__ == '__main__':
main() |
def my_count(lst, e):
res = 0
if type(lst) == list:
res = lst.count(e)
return res
print(my_count([1, 2, 3, 4, 3, 2, 1], 3))
print(my_count([1, 2, 3], 4))
print(my_count((2, 3, 5), 3)) | def my_count(lst, e):
res = 0
if type(lst) == list:
res = lst.count(e)
return res
print(my_count([1, 2, 3, 4, 3, 2, 1], 3))
print(my_count([1, 2, 3], 4))
print(my_count((2, 3, 5), 3)) |
def mdc(x1, x2):
while x1%x2 != 0:
nx1 = x1
nx2 = x2
# Trocando os valores de variavel
x1 = nx2
x2 = nx1 % nx2 # x2 recebe o resto da divisao entre nx1 e nx2
return x2
class Fracao:
def __init__(self, numerador, denominador):
self.num = numerador
self.den = denominador
def __str__(self):
return str(self.num) + '/' + str(self.den)
def simplifica(self):
div_comum = mdc(self.num, self.den)
self.num //= div_comum # self.num = self.num // div_comum
self.den //= div_comum # self.den = self.den // div_comum
def __add__(self, n2): # com __add__ podemos fazer soma de metodos criados
novo_num = (self.num * n2.den) + (self.den * n2.num)
novo_den = (self.den * n2.den)
comum = mdc(novo_num, novo_den) # divisor comum entre eles
n = novo_num // comum
d = novo_den // comum
return Fracao(n,d)
n1 = Fracao(1,8)
print(n1)
n1.simplifica()
print(n1)
n2 = Fracao(2,4)
n3 = n1 + n2
print(n3)
| def mdc(x1, x2):
while x1 % x2 != 0:
nx1 = x1
nx2 = x2
x1 = nx2
x2 = nx1 % nx2
return x2
class Fracao:
def __init__(self, numerador, denominador):
self.num = numerador
self.den = denominador
def __str__(self):
return str(self.num) + '/' + str(self.den)
def simplifica(self):
div_comum = mdc(self.num, self.den)
self.num //= div_comum
self.den //= div_comum
def __add__(self, n2):
novo_num = self.num * n2.den + self.den * n2.num
novo_den = self.den * n2.den
comum = mdc(novo_num, novo_den)
n = novo_num // comum
d = novo_den // comum
return fracao(n, d)
n1 = fracao(1, 8)
print(n1)
n1.simplifica()
print(n1)
n2 = fracao(2, 4)
n3 = n1 + n2
print(n3) |
# ============================================================================#
# author : louis TOMCZYK
# goal : Definition of personalized Mathematics Basics functions
# ============================================================================#
# version : 0.0.1 - 2021 09 27 - derivative
# - average
# - moving_average
# - basic_uncertainty
# ---------------
# version : 0.0.2 - 2021 03 01 - num2bin
# ============================================================================#
def derivative(Y,dx):
dYdx = []
for k in range(len(Y)-1):
dYdx.append((Y[k+1]-Y[k])/dx)
return(dYdx)
# ================================================#
# ================================================#
# ================================================#
def average(arr, n):
end = n*int(len(arr)/n)
return np.mean(arr[:end].reshape(-1, n), 1)
# ================================================#
# ================================================#
# ================================================#
def moving_average(List,N_samples):
return np.convolve(List,np.ones(N_samples),'valid')/N_samples
# ================================================#
# ================================================#
# ================================================#
# Uncertainty of data
def basic_uncertainty(data):
std_deviation = np.std(data)
nb_data = len(data)
b_uncertainty = std_deviation/np.sqrt(nb_data)
return b_uncertainty
# ================================================#
# ================================================#
# ================================================#
# convert number to binary
# -------
def num2bin(num):
if num == 0:
return [0]
else:
pow_max = int(np.floor(np.log2(num)))
pow_list= [k for k in range(pow_max+1)]
bin_list= []
num_tmp = num
for k in range(1,len(pow_list)+1):
pow_tmp = 2**pow_list[-k]
diff = num_tmp-pow_tmp
if diff >= 0:
num_tmp = diff
bin_list.append(1)
else:
bin_list.append(0)
return bin_list
# -------
| def derivative(Y, dx):
d_ydx = []
for k in range(len(Y) - 1):
dYdx.append((Y[k + 1] - Y[k]) / dx)
return dYdx
def average(arr, n):
end = n * int(len(arr) / n)
return np.mean(arr[:end].reshape(-1, n), 1)
def moving_average(List, N_samples):
return np.convolve(List, np.ones(N_samples), 'valid') / N_samples
def basic_uncertainty(data):
std_deviation = np.std(data)
nb_data = len(data)
b_uncertainty = std_deviation / np.sqrt(nb_data)
return b_uncertainty
def num2bin(num):
if num == 0:
return [0]
else:
pow_max = int(np.floor(np.log2(num)))
pow_list = [k for k in range(pow_max + 1)]
bin_list = []
num_tmp = num
for k in range(1, len(pow_list) + 1):
pow_tmp = 2 ** pow_list[-k]
diff = num_tmp - pow_tmp
if diff >= 0:
num_tmp = diff
bin_list.append(1)
else:
bin_list.append(0)
return bin_list |
def Bonjour(name):
print(f"Bonjour, {name} comment allez vous ?")
Bonjour("wassila")
| def bonjour(name):
print(f'Bonjour, {name} comment allez vous ?')
bonjour('wassila') |
# test async with, escaped by a break
class AContext:
async def __aenter__(self):
print('enter')
return 1
async def __aexit__(self, exc_type, exc, tb):
print('exit', exc_type, exc)
async def f1():
while 1:
async with AContext():
print('body')
break
print('no 1')
print('no 2')
o = f1()
try:
print(o.send(None))
except StopIteration:
print('finished')
async def f2():
while 1:
try:
async with AContext():
print('body')
break
print('no 1')
finally:
print('finally')
print('no 2')
o = f2()
try:
print(o.send(None))
except StopIteration:
print('finished')
async def f3():
while 1:
try:
try:
async with AContext():
print('body')
break
print('no 1')
finally:
print('finally inner')
finally:
print('finally outer')
print('no 2')
o = f3()
try:
print(o.send(None))
except StopIteration:
print('finished')
| class Acontext:
async def __aenter__(self):
print('enter')
return 1
async def __aexit__(self, exc_type, exc, tb):
print('exit', exc_type, exc)
async def f1():
while 1:
async with a_context():
print('body')
break
print('no 1')
print('no 2')
o = f1()
try:
print(o.send(None))
except StopIteration:
print('finished')
async def f2():
while 1:
try:
async with a_context():
print('body')
break
print('no 1')
finally:
print('finally')
print('no 2')
o = f2()
try:
print(o.send(None))
except StopIteration:
print('finished')
async def f3():
while 1:
try:
try:
async with a_context():
print('body')
break
print('no 1')
finally:
print('finally inner')
finally:
print('finally outer')
print('no 2')
o = f3()
try:
print(o.send(None))
except StopIteration:
print('finished') |
file_name = 'words_ex1~' # <= Error file name
try:
content = open(file_name, 'r', encoding='utf-8')
for line in content:
print(line)
except IOError as io_err:
print(io_err) # Output the exception message
# [Errno 2] No such file or directory: 'words_ex1~'
# You can use 'with' statement
with open(file_name, 'r', encoding='utf-8') as content:
for line in content:
print(line)
# [Errno 2] No such file or directory: 'words_ex1~'
| file_name = 'words_ex1~'
try:
content = open(file_name, 'r', encoding='utf-8')
for line in content:
print(line)
except IOError as io_err:
print(io_err)
with open(file_name, 'r', encoding='utf-8') as content:
for line in content:
print(line) |
def product_sans_n(nums):
if nums.count(0)>=2:
return [0]*len(nums)
elif nums.count(0)==1:
temp=[0]*len(nums)
temp[nums.index(0)]=product(nums)
return temp
res=product(nums)
return [res//i for i in nums]
def product(arr):
total=1
for i in arr:
if i==0:
continue
total*=i
return total | def product_sans_n(nums):
if nums.count(0) >= 2:
return [0] * len(nums)
elif nums.count(0) == 1:
temp = [0] * len(nums)
temp[nums.index(0)] = product(nums)
return temp
res = product(nums)
return [res // i for i in nums]
def product(arr):
total = 1
for i in arr:
if i == 0:
continue
total *= i
return total |
# Event: LCCS Python Fundamental Skills Workshop
# Date: Dec 2018
# Author: Joe English, PDST
# eMail: computerscience@pdst.ie
# Purpose: Dictionary Programming Exercises 7.1
# Q1(e) solution
car = dict( {
'reg': "131 CN 6439",
'make': "Audi",
'model' : "A6",
'year' : 2013,
'kms' : 52739,
'colour': "Silver",
'diesel': True,
})
print(car['make'])
# print(car[model]) # NameError - model is not defined
# print(car['miles']) # KeyError - miles is not a key
print(car['colour'][0])
#print(car['diesel'][0]) # TypeError - cannot subscript a Boolean
print(car['reg'][4:5])
| car = dict({'reg': '131 CN 6439', 'make': 'Audi', 'model': 'A6', 'year': 2013, 'kms': 52739, 'colour': 'Silver', 'diesel': True})
print(car['make'])
print(car['colour'][0])
print(car['reg'][4:5]) |
n = int(input())
continents = {}
for i in range(n):
str = input().split(' ')
if str[0] in continents:
if str[1] in continents[str[0]]:
continents[str[0]][str[1]].append(str[2])
else:
continents[str[0]][str[1]] = [str[2]]
else:
continents[str[0]] = {
str[1]: [str[2]]
}
for i in continents:
print('{}'.format(i))
for task in continents[i]:
print('\t {} -> '.format(task), end='')
print()
| n = int(input())
continents = {}
for i in range(n):
str = input().split(' ')
if str[0] in continents:
if str[1] in continents[str[0]]:
continents[str[0]][str[1]].append(str[2])
else:
continents[str[0]][str[1]] = [str[2]]
else:
continents[str[0]] = {str[1]: [str[2]]}
for i in continents:
print('{}'.format(i))
for task in continents[i]:
print('\t {} -> '.format(task), end='')
print() |
#! /usr/bin/python3
vorname = "Joe"
nachname = "Biden"
print("{0} {1} is elected!".format(vorname, nachname))
print("Hallo World!")
| vorname = 'Joe'
nachname = 'Biden'
print('{0} {1} is elected!'.format(vorname, nachname))
print('Hallo World!') |
class Node:
def __init__(self, valor):
self.valor = valor
self.hijo_izquierdo = None
self.hijo_derecho = None
self.altura = 0
class AVLTree:
def __init__(self):
self.raiz = None
def add(self, valor):
self.raiz = self._add(valor, self.raiz)
def _add(self, valor, aux):
if aux is None:
return Node(valor)
elif valor > aux.valor:
aux.hijo_derecho = self._add(valor, aux.hijo_derecho)
if (self.alturaNodo(aux.hijo_derecho)-self.alturaNodo(aux.hijo_izquierdo)) == 2:
if valor > aux.hijo_derecho.valor:
aux = self.RotacionIzquierda(aux)
else:
aux = self.RotacionDobleIzquierda(aux)
else:
aux.hijo_izquierdo = self._add(valor, aux.hijo_izquierdo)
if (self.alturaNodo(aux.hijo_izquierdo)-self.alturaNodo(aux.hijo_derecho)) == 2:
if valor < aux.hijo_izquierdo.valor:
aux = self.RotacionDerecha(aux)
else:
aux = self.RotacionDobleDerecha(aux)
r = self.alturaNodo(aux.hijo_derecho)
l = self.alturaNodo(aux.hijo_izquierdo)
m = self.maxi(r, l)
aux.altura = m+1
return aux
def alturaNodo(self, aux):
if aux is None:
return -1
else:
return aux.altura
def maxi(self, r, l):
return (l, r)[r > l]
def RotacionDerecha(self, t1):
t2 = t1.hijo_izquierdo
t1.hijo_izquierdo = t2.hijo_derecho
t2.hijo_derecho = t1
t1.altura = self.maxi(self.alturaNodo(
t1.hijo_izquierdo), self.alturaNodo(t1.hijo_derecho))+1
t2.altura = self.maxi(self.alturaNodo(t2.hijo_izquierdo), t1.altura)+1
return t2
def RotacionIzquierda(self, t1):
t2 = t1.hijo_derecho
t1.hijo_derecho = t2.hijo_izquierdo
t2.hijo_izquierdo = t1
t1.altura = self.maxi(self.alturaNodo(
t1.hijo_izquierdo), self.alturaNodo(t1.hijo_derecho))+1
t2.altura = self.maxi(self.alturaNodo(t2.hijo_izquierdo), t1.altura)+1
return t2
def RotacionDobleDerecha(self, aux):
aux.hijo_izquierdo = self.RotacionIzquierda(aux.hijo_izquierdo)
return self.RotacionDerecha(aux)
def RotacionDobleIzquierda(self, aux):
aux.hijo_derecho = self.RotacionDerecha(aux.hijo_derecho)
return self.RotacionIzquierda(aux)
def _Eliminar(self, valor):
self.raiz = self.Eliminar(valor, self.raiz)
def Eliminar(self, valor, nodo):
if nodo is None:
print("Elemento no encontrado")
return None
elif (nodo.valor > valor):
nodo.hijo_izquierdo = self.Eliminar(valor, nodo.hijo_izquierdo)
elif (nodo.valor < valor):
nodo.hijo_derecho = self.Eliminar(valor, nodo.hijo_derecho)
elif (nodo.hijo_izquierdo != None and nodo.hijo_derecho != None):
aux = self.EncontrarMenor(nodo.hijo_derecho)
nodo.valor = aux.valor
nodo.hijo_derecho = self.Eliminar(nodo.valor, nodo.hijo_derecho)
else:
aux = nodo
if (nodo.hijo_izquierdo is None):
nodo = nodo.hijo_derecho
elif (nodo.hijo_derecho is None):
nodo = nodo.hijo_izquierdo
del aux
if (nodo is None):
return nodo
nodo.altura = self.maxi(self.alturaNodo(
nodo.hijo_izquierdo), self.alturaNodo(nodo.hijo_derecho)) + 1
balance = self.GetBalance(nodo)
if (balance < -1):
if (self.GetBalance(nodo.hijo_derecho) <= 0):
return self.RotacionIzquierda(nodo)
else:
return self.RotacionDobleIzquierda(nodo)
elif (balance > 1):
if (self.GetBalance(nodo.hijo_izquierdo) >= 0):
return self.RotacionDerecha(nodo)
else:
return self.RotacionDobleDerecha(nodo)
return nodo
def GetBalance(self, nodo):
if (nodo is None):
return 0
return (self.alturaNodo(nodo.hijo_izquierdo) - self.alturaNodo(nodo.hijo_derecho))
def EncontrarMenor(self, nodo):
if nodo is None:
return None
elif (nodo.hijo_izquierdo is None):
return nodo
else:
return self.EncontrarMenor(nodo.hijo_izquierdo)
def preorder(self):
self._preorder(self.raiz)
def _preorder(self, aux):
if aux:
print(aux.valor, end=' ')
self._preorder(aux.hijo_izquierdo)
self._preorder(aux.hijo_derecho)
def inorder(self):
self._inorder(self.raiz)
def _inorder(self, aux):
if aux:
self._inorder(aux.hijo_izquierdo)
print(aux.valor, end=' ')
self._inorder(aux.hijo_derecho)
def postorder(self):
self._postorder(self.raiz)
def _postorder(self, aux):
if aux:
self._postorder(aux.hijo_izquierdo)
self._postorder(aux.hijo_derecho)
print(aux.valor, end=' ')
def getValor(self, nodo):
return nodo.valor
CADENA=""
Count=0
def GetDotArbol(self, inicio):
self.Count+=1
# nodo = str(inicio.valor) + " [label=\"" + str(inicio.valor) + "]\n"
nodo = ""
if (inicio.hijo_izquierdo != None):
nodo += str(inicio.valor) + " -> " + \
str(self.getValor(inicio.hijo_izquierdo))+"\n"
self.GetDotArbol(inicio.hijo_izquierdo)
if (inicio.hijo_derecho != None):
nodo += str(inicio.valor) + " -> " + \
str(self.getValor(inicio.hijo_derecho)) + "\n"
self.GetDotArbol(inicio.hijo_derecho)
self.CADENA+=nodo
return nodo
def PRINT(self,raiz):
self.GetDotArbol(raiz)
x="\nDigraph Arbol{\nrankdir = TB;\nnode[shape = circle];\n"+self.CADENA+"}"
print(x)
t = AVLTree()
t.add(56)
t.add(61)
t.add(68)
t.add(89)
t.add(100)
t.add(1)
t.add(12)
t.add(19)
t.add(10)
t.add(15)
t.add(58)
t.add(9)
#t._Eliminar(15)
# t._Eliminar(10)
# t._Eliminar(9)
t.preorder()
print()
t.inorder()
print()
t.postorder()
# t.preorder()
# print()
# t.inorder()
# print()
# t.postorder()
t.PRINT(t.raiz) | class Node:
def __init__(self, valor):
self.valor = valor
self.hijo_izquierdo = None
self.hijo_derecho = None
self.altura = 0
class Avltree:
def __init__(self):
self.raiz = None
def add(self, valor):
self.raiz = self._add(valor, self.raiz)
def _add(self, valor, aux):
if aux is None:
return node(valor)
elif valor > aux.valor:
aux.hijo_derecho = self._add(valor, aux.hijo_derecho)
if self.alturaNodo(aux.hijo_derecho) - self.alturaNodo(aux.hijo_izquierdo) == 2:
if valor > aux.hijo_derecho.valor:
aux = self.RotacionIzquierda(aux)
else:
aux = self.RotacionDobleIzquierda(aux)
else:
aux.hijo_izquierdo = self._add(valor, aux.hijo_izquierdo)
if self.alturaNodo(aux.hijo_izquierdo) - self.alturaNodo(aux.hijo_derecho) == 2:
if valor < aux.hijo_izquierdo.valor:
aux = self.RotacionDerecha(aux)
else:
aux = self.RotacionDobleDerecha(aux)
r = self.alturaNodo(aux.hijo_derecho)
l = self.alturaNodo(aux.hijo_izquierdo)
m = self.maxi(r, l)
aux.altura = m + 1
return aux
def altura_nodo(self, aux):
if aux is None:
return -1
else:
return aux.altura
def maxi(self, r, l):
return (l, r)[r > l]
def rotacion_derecha(self, t1):
t2 = t1.hijo_izquierdo
t1.hijo_izquierdo = t2.hijo_derecho
t2.hijo_derecho = t1
t1.altura = self.maxi(self.alturaNodo(t1.hijo_izquierdo), self.alturaNodo(t1.hijo_derecho)) + 1
t2.altura = self.maxi(self.alturaNodo(t2.hijo_izquierdo), t1.altura) + 1
return t2
def rotacion_izquierda(self, t1):
t2 = t1.hijo_derecho
t1.hijo_derecho = t2.hijo_izquierdo
t2.hijo_izquierdo = t1
t1.altura = self.maxi(self.alturaNodo(t1.hijo_izquierdo), self.alturaNodo(t1.hijo_derecho)) + 1
t2.altura = self.maxi(self.alturaNodo(t2.hijo_izquierdo), t1.altura) + 1
return t2
def rotacion_doble_derecha(self, aux):
aux.hijo_izquierdo = self.RotacionIzquierda(aux.hijo_izquierdo)
return self.RotacionDerecha(aux)
def rotacion_doble_izquierda(self, aux):
aux.hijo_derecho = self.RotacionDerecha(aux.hijo_derecho)
return self.RotacionIzquierda(aux)
def __eliminar(self, valor):
self.raiz = self.Eliminar(valor, self.raiz)
def eliminar(self, valor, nodo):
if nodo is None:
print('Elemento no encontrado')
return None
elif nodo.valor > valor:
nodo.hijo_izquierdo = self.Eliminar(valor, nodo.hijo_izquierdo)
elif nodo.valor < valor:
nodo.hijo_derecho = self.Eliminar(valor, nodo.hijo_derecho)
elif nodo.hijo_izquierdo != None and nodo.hijo_derecho != None:
aux = self.EncontrarMenor(nodo.hijo_derecho)
nodo.valor = aux.valor
nodo.hijo_derecho = self.Eliminar(nodo.valor, nodo.hijo_derecho)
else:
aux = nodo
if nodo.hijo_izquierdo is None:
nodo = nodo.hijo_derecho
elif nodo.hijo_derecho is None:
nodo = nodo.hijo_izquierdo
del aux
if nodo is None:
return nodo
nodo.altura = self.maxi(self.alturaNodo(nodo.hijo_izquierdo), self.alturaNodo(nodo.hijo_derecho)) + 1
balance = self.GetBalance(nodo)
if balance < -1:
if self.GetBalance(nodo.hijo_derecho) <= 0:
return self.RotacionIzquierda(nodo)
else:
return self.RotacionDobleIzquierda(nodo)
elif balance > 1:
if self.GetBalance(nodo.hijo_izquierdo) >= 0:
return self.RotacionDerecha(nodo)
else:
return self.RotacionDobleDerecha(nodo)
return nodo
def get_balance(self, nodo):
if nodo is None:
return 0
return self.alturaNodo(nodo.hijo_izquierdo) - self.alturaNodo(nodo.hijo_derecho)
def encontrar_menor(self, nodo):
if nodo is None:
return None
elif nodo.hijo_izquierdo is None:
return nodo
else:
return self.EncontrarMenor(nodo.hijo_izquierdo)
def preorder(self):
self._preorder(self.raiz)
def _preorder(self, aux):
if aux:
print(aux.valor, end=' ')
self._preorder(aux.hijo_izquierdo)
self._preorder(aux.hijo_derecho)
def inorder(self):
self._inorder(self.raiz)
def _inorder(self, aux):
if aux:
self._inorder(aux.hijo_izquierdo)
print(aux.valor, end=' ')
self._inorder(aux.hijo_derecho)
def postorder(self):
self._postorder(self.raiz)
def _postorder(self, aux):
if aux:
self._postorder(aux.hijo_izquierdo)
self._postorder(aux.hijo_derecho)
print(aux.valor, end=' ')
def get_valor(self, nodo):
return nodo.valor
cadena = ''
count = 0
def get_dot_arbol(self, inicio):
self.Count += 1
nodo = ''
if inicio.hijo_izquierdo != None:
nodo += str(inicio.valor) + ' -> ' + str(self.getValor(inicio.hijo_izquierdo)) + '\n'
self.GetDotArbol(inicio.hijo_izquierdo)
if inicio.hijo_derecho != None:
nodo += str(inicio.valor) + ' -> ' + str(self.getValor(inicio.hijo_derecho)) + '\n'
self.GetDotArbol(inicio.hijo_derecho)
self.CADENA += nodo
return nodo
def print(self, raiz):
self.GetDotArbol(raiz)
x = '\nDigraph Arbol{\nrankdir = TB;\nnode[shape = circle];\n' + self.CADENA + '}'
print(x)
t = avl_tree()
t.add(56)
t.add(61)
t.add(68)
t.add(89)
t.add(100)
t.add(1)
t.add(12)
t.add(19)
t.add(10)
t.add(15)
t.add(58)
t.add(9)
t.preorder()
print()
t.inorder()
print()
t.postorder()
t.PRINT(t.raiz) |
p = 196732205348849427366498732223276547339
secret = REDACTED
def calc_root(num, mod, n):
f = GF(mod)
temp = f(num)
return temp.nth_root(n)
def gen_v_list(primelist, p, secret):
a = []
for prime in primelist:
a.append(calc_root(prime, p, secret))
return a
def decodeInt(i, primelist):
pl = sorted(primelist)[::-1]
out = ''
for j in pl:
if i%j == 0:
out += '1'
else:
out += '0'
return out
def bin2asc(b):
return hex(int(b,2)).replace('0x','').decode('hex')
primelist = [2,3,5,7,11,13,17,19,23,29,31,37,43,47,53,59]
message = REDACTED
chunks = []
for i in range(0,len(message),2):
chunks += [message[i:i+2]]
vlist = gen_v_list(primelist,p,secret)
print(vlist)
for chunk in chunks:
binarized = bin(int(chunk.encode('hex'),16)).replace('0b','').zfill(16)[::-1] #lsb first
enc = 1
for bit in range(len(binarized)):
enc *= vlist[bit]**int(binarized[bit])
enc = enc%p
print(enc)
| p = 196732205348849427366498732223276547339
secret = REDACTED
def calc_root(num, mod, n):
f = gf(mod)
temp = f(num)
return temp.nth_root(n)
def gen_v_list(primelist, p, secret):
a = []
for prime in primelist:
a.append(calc_root(prime, p, secret))
return a
def decode_int(i, primelist):
pl = sorted(primelist)[::-1]
out = ''
for j in pl:
if i % j == 0:
out += '1'
else:
out += '0'
return out
def bin2asc(b):
return hex(int(b, 2)).replace('0x', '').decode('hex')
primelist = [2, 3, 5, 7, 11, 13, 17, 19, 23, 29, 31, 37, 43, 47, 53, 59]
message = REDACTED
chunks = []
for i in range(0, len(message), 2):
chunks += [message[i:i + 2]]
vlist = gen_v_list(primelist, p, secret)
print(vlist)
for chunk in chunks:
binarized = bin(int(chunk.encode('hex'), 16)).replace('0b', '').zfill(16)[::-1]
enc = 1
for bit in range(len(binarized)):
enc *= vlist[bit] ** int(binarized[bit])
enc = enc % p
print(enc) |
#2
total=0
for number in range(1, 10 + 1):
print(number)
total = total + number
print(total)
#3
def add_numbers (x,y):
for number in range (x,y):
print (number)
tot= total+number
print(total)
add_numbers(10,45)
#4
def jamie_1(x,y):
total=0
for jamie in range(x,y+1):
print(jamie)
total=total+jamie
return(total)
x=jamie_1(333,777)
print(x)
squared_x = x**2
print(squared_x)
| total = 0
for number in range(1, 10 + 1):
print(number)
total = total + number
print(total)
def add_numbers(x, y):
for number in range(x, y):
print(number)
tot = total + number
print(total)
add_numbers(10, 45)
def jamie_1(x, y):
total = 0
for jamie in range(x, y + 1):
print(jamie)
total = total + jamie
return total
x = jamie_1(333, 777)
print(x)
squared_x = x ** 2
print(squared_x) |
product_map = { 1: 'Original 1000',
3: 'Color 650',
10: 'White 800 (Low Voltage)',
11: 'White 800 (High Voltage)',
18: 'White 900 BR30 (Low Voltage)',
20: 'Color 1000 BR30',
22: 'Color 1000',
27: 'LIFX A19',
28: 'LIFX BR30',
29: 'LIFX+ A19',
30: 'LIFX+ BR30',
31: 'LIFX Z',
32: 'LIFX Z 2',
36: 'LIFX Downlight',
37: 'LIFX Downlight',
38: 'LIFX Beam',
43: 'LIFX A19',
44: 'LIFX BR30',
45: 'LIFX+ A19',
46: 'LIFX+ BR30',
49: 'LIFX Mini',
50: 'LIFX Mini Day and Dusk',
51: 'LIFX Mini White',
52: 'LIFX GU10',
55: 'LIFX Tile',
59: 'LIFX Mini Color',
60: 'LIFX Mini Day and Dusk',
61: 'LIFX Mini White'}
features_map = { 1: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
3: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
10: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 6500,
'min_kelvin': 2700,
'multizone': False},
11: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 6500,
'min_kelvin': 2700,
'multizone': False},
18: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
20: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
22: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
27: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
28: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
29: { 'chain': False,
'color': True,
'infrared': True,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
30: { 'chain': False,
'color': True,
'infrared': True,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
31: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': True},
32: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': True},
36: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
37: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
38: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': True},
43: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
44: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
45: { 'chain': False,
'color': True,
'infrared': True,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
46: { 'chain': False,
'color': True,
'infrared': True,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
49: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
50: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 4000,
'min_kelvin': 1500,
'multizone': False},
51: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 2700,
'min_kelvin': 2700,
'multizone': False},
52: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
55: { 'chain': True,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
59: { 'chain': False,
'color': True,
'infrared': False,
'max_kelvin': 9000,
'min_kelvin': 2500,
'multizone': False},
60: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 4000,
'min_kelvin': 1500,
'multizone': False},
61: { 'chain': False,
'color': False,
'infrared': False,
'max_kelvin': 2700,
'min_kelvin': 2700,
'multizone': False}}
| product_map = {1: 'Original 1000', 3: 'Color 650', 10: 'White 800 (Low Voltage)', 11: 'White 800 (High Voltage)', 18: 'White 900 BR30 (Low Voltage)', 20: 'Color 1000 BR30', 22: 'Color 1000', 27: 'LIFX A19', 28: 'LIFX BR30', 29: 'LIFX+ A19', 30: 'LIFX+ BR30', 31: 'LIFX Z', 32: 'LIFX Z 2', 36: 'LIFX Downlight', 37: 'LIFX Downlight', 38: 'LIFX Beam', 43: 'LIFX A19', 44: 'LIFX BR30', 45: 'LIFX+ A19', 46: 'LIFX+ BR30', 49: 'LIFX Mini', 50: 'LIFX Mini Day and Dusk', 51: 'LIFX Mini White', 52: 'LIFX GU10', 55: 'LIFX Tile', 59: 'LIFX Mini Color', 60: 'LIFX Mini Day and Dusk', 61: 'LIFX Mini White'}
features_map = {1: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 3: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 10: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 6500, 'min_kelvin': 2700, 'multizone': False}, 11: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 6500, 'min_kelvin': 2700, 'multizone': False}, 18: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 20: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 22: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 27: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 28: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 29: {'chain': False, 'color': True, 'infrared': True, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 30: {'chain': False, 'color': True, 'infrared': True, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 31: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': True}, 32: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': True}, 36: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 37: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 38: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': True}, 43: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 44: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 45: {'chain': False, 'color': True, 'infrared': True, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 46: {'chain': False, 'color': True, 'infrared': True, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 49: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 50: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 4000, 'min_kelvin': 1500, 'multizone': False}, 51: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 2700, 'min_kelvin': 2700, 'multizone': False}, 52: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 55: {'chain': True, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 59: {'chain': False, 'color': True, 'infrared': False, 'max_kelvin': 9000, 'min_kelvin': 2500, 'multizone': False}, 60: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 4000, 'min_kelvin': 1500, 'multizone': False}, 61: {'chain': False, 'color': False, 'infrared': False, 'max_kelvin': 2700, 'min_kelvin': 2700, 'multizone': False}} |
x,y,z=0,1,0
print(x,',',y,end="")
for i in range(1,49):
z=x+y
print(',',z,end="")
x=y
y=z
| (x, y, z) = (0, 1, 0)
print(x, ',', y, end='')
for i in range(1, 49):
z = x + y
print(',', z, end='')
x = y
y = z |
def first_last(full_name):
first_name = ''
last_name = ''
has_been_a_space = False
for letter in full_name:
if letter == ' ':
has_been_a_space = True
elif has_been_a_space:
last_name = last_name + letter
else:
first_name = first_name + letter
print('First: ', first_name)
print('Last: ', last_name)
first_last('Tony Macaroni')
| def first_last(full_name):
first_name = ''
last_name = ''
has_been_a_space = False
for letter in full_name:
if letter == ' ':
has_been_a_space = True
elif has_been_a_space:
last_name = last_name + letter
else:
first_name = first_name + letter
print('First: ', first_name)
print('Last: ', last_name)
first_last('Tony Macaroni') |
class Solution:
def word_pattern(self, pattern: str, str: str) -> bool:
words = str.split(" ")
return len(pattern) == len(words) and len(set(pattern)) == len(set(words)) == len(set(zip(pattern, words)))
| class Solution:
def word_pattern(self, pattern: str, str: str) -> bool:
words = str.split(' ')
return len(pattern) == len(words) and len(set(pattern)) == len(set(words)) == len(set(zip(pattern, words))) |
print('Hello')
print('World')
# adding a keyword argument will get "Hello World" on the same line.
print('Hello', end=' ')
print('World')
# the "end=' '" adds a single space character at the end of Hello starts the next print right next ot it
print('cat', 'dog', 'mouse')
#the above will have a single space character
print('cat', 'dog', 'mouse', sep='ABC')
#the above "sep" argument will make ABC show in the spaces instead of a single space character
| print('Hello')
print('World')
print('Hello', end=' ')
print('World')
print('cat', 'dog', 'mouse')
print('cat', 'dog', 'mouse', sep='ABC') |
#
# PySNMP MIB module ASCEND-MIBINET-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ASCEND-MIBINET-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:27:29 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)
#
configuration, = mibBuilder.importSymbols("ASCEND-MIB", "configuration")
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint", "ValueRangeConstraint")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
TimeTicks, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, Counter32, Unsigned32, Gauge32, iso, IpAddress, Integer32, Bits, MibIdentifier, ModuleIdentity, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "Counter32", "Unsigned32", "Gauge32", "iso", "IpAddress", "Integer32", "Bits", "MibIdentifier", "ModuleIdentity", "Counter64")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
class DisplayString(OctetString):
pass
mibinternetProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 529, 23, 1))
mibinternetProfileTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 1, 1), )
if mibBuilder.loadTexts: mibinternetProfileTable.setStatus('mandatory')
if mibBuilder.loadTexts: mibinternetProfileTable.setDescription('A list of mibinternetProfile profile entries.')
mibinternetProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1), ).setIndexNames((0, "ASCEND-MIBINET-MIB", "internetProfile-Station"))
if mibBuilder.loadTexts: mibinternetProfileEntry.setStatus('mandatory')
if mibBuilder.loadTexts: mibinternetProfileEntry.setDescription('A mibinternetProfile entry containing objects that maps to the parameters of mibinternetProfile profile.')
internetProfile_Station = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 1), DisplayString()).setLabel("internetProfile-Station").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_Station.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Station.setDescription('The name of the host we will be communicating with. This name is used as part of the authentication process when authentication is being used.')
internetProfile_Active = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-Active").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Active.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Active.setDescription('A profile can be disabled by setting this field to no. There is no difference between an inactive profile and no profile at all to the remainder of the code.')
internetProfile_EncapsulationProtocol = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 9, 4, 5, 6, 10, 11, 12, 13, 7, 14, 15, 17, 8, 18, 21, 22, 23, 24, 26, 27, 28))).clone(namedValues=NamedValues(("mpp", 1), ("mp", 2), ("ppp", 3), ("combinet", 9), ("slip", 4), ("cslip", 5), ("frameRelay", 6), ("frameRelayCircuit", 10), ("x25pad", 11), ("euraw", 12), ("euui", 13), ("tcpRaw", 7), ("rfc1356X25", 14), ("ara", 15), ("t3pos", 17), ("dtpt", 8), ("x32", 18), ("atm", 21), ("atmFrameRelayCircuit", 22), ("hdlcNrm", 23), ("atmCircuit", 24), ("visa2", 26), ("atmSvcSig", 27), ("atmIma", 28)))).setLabel("internetProfile-EncapsulationProtocol").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_EncapsulationProtocol.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_EncapsulationProtocol.setDescription('The encapsulation protocol to be used when communicating with the named station.')
internetProfile_CalledNumberType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 7))).clone(namedValues=NamedValues(("unknown", 1), ("international", 2), ("national", 3), ("networkSpecific", 4), ("local", 5), ("abbrev", 7)))).setLabel("internetProfile-CalledNumberType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_CalledNumberType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_CalledNumberType.setDescription('Indication of whether national number, international number, etc. is specified.')
internetProfile_DialNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 5), DisplayString()).setLabel("internetProfile-DialNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_DialNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_DialNumber.setDescription('The phone number of the named station.')
internetProfile_SubAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 292), DisplayString()).setLabel("internetProfile-SubAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SubAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SubAddress.setDescription('The sub-address extension to the dialed number of the station.')
internetProfile_Clid = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 6), DisplayString()).setLabel("internetProfile-Clid").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Clid.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Clid.setDescription('The calling line number for authentication.')
internetProfile_AutoProfiles = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 420), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AutoProfiles").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AutoProfiles.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AutoProfiles.setDescription('This parameter enables or disables automatic profile creation. Currently only the Stinger IDSL provides this capability for PPP Circuits and Frame Relay Circuits.')
internetProfile_IpOptions_IpRoutingEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-IpRoutingEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_IpRoutingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_IpRoutingEnabled.setDescription('Enable/disable IP routing for this connection.')
internetProfile_IpOptions_VjHeaderPrediction = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-VjHeaderPrediction").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_VjHeaderPrediction.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_VjHeaderPrediction.setDescription('Enable/disable Van Jacabson TCP Header prediction processing on this connection if supported by the selected encapsulation protocol.')
internetProfile_IpOptions_RemoteAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 9), IpAddress()).setLabel("internetProfile-IpOptions-RemoteAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_RemoteAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_RemoteAddress.setDescription('The remote address with netmask of the named host.')
internetProfile_IpOptions_NetmaskRemote = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 10), IpAddress()).setLabel("internetProfile-IpOptions-NetmaskRemote").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_NetmaskRemote.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_NetmaskRemote.setDescription('The netmask of the remote address.')
internetProfile_IpOptions_LocalAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 11), IpAddress()).setLabel("internetProfile-IpOptions-LocalAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_LocalAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_LocalAddress.setDescription('The interface address with netmask, if required, of the local end. If left zero the interface is assumed to be an unnumbered interface.')
internetProfile_IpOptions_NetmaskLocal = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 12), IpAddress()).setLabel("internetProfile-IpOptions-NetmaskLocal").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_NetmaskLocal.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_NetmaskLocal.setDescription('The netmask of the local interface address.')
internetProfile_IpOptions_RoutingMetric = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 13), Integer32()).setLabel("internetProfile-IpOptions-RoutingMetric").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_RoutingMetric.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_RoutingMetric.setDescription('The routing metric, typically measured in number of hops, to be used in the routing table entry created for this connection when the connection is active.')
internetProfile_IpOptions_Preference = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 14), Integer32()).setLabel("internetProfile-IpOptions-Preference").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_Preference.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_Preference.setDescription('The preference used for comparing this route to other routes. Preference has a higher priority than metric. As with the metric field, the lower the number, the higher the preference.')
internetProfile_IpOptions_DownPreference = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 15), Integer32()).setLabel("internetProfile-IpOptions-DownPreference").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_DownPreference.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_DownPreference.setDescription('The preference used for comparing the down-metric route to other routes. Preference has a higher priority than metric. As with the metric field, the lower the number, the higher the preference.')
internetProfile_IpOptions_PrivateRoute = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-PrivateRoute").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_PrivateRoute.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_PrivateRoute.setDescription('Enable/disable distribution of the route created for this connection via routing protocols. Private routes are used internally, but never advertized to the outside world.')
internetProfile_IpOptions_MulticastAllowed = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-MulticastAllowed").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_MulticastAllowed.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_MulticastAllowed.setDescription('Enable this connection as a multicast traffic client.')
internetProfile_IpOptions_AddressPool = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 18), Integer32()).setLabel("internetProfile-IpOptions-AddressPool").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_AddressPool.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_AddressPool.setDescription('The number of the address pool from which an address for this host should be obtained when using assigned addresses.')
internetProfile_IpOptions_IpDirect = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 19), IpAddress()).setLabel("internetProfile-IpOptions-IpDirect").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_IpDirect.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_IpDirect.setDescription('The address of the next-hop when IP direct routing is used.')
internetProfile_IpOptions_Rip = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("routingOff", 1), ("routingSendOnly", 2), ("routingRecvOnly", 3), ("routingSendAndRecv", 4), ("routingSendOnlyV2", 5), ("routingRecvOnlyV2", 6), ("routingSendAndRecvV2", 7)))).setLabel("internetProfile-IpOptions-Rip").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_Rip.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_Rip.setDescription('Specify if RIP or RIP-2 should be used over this connection and if used in both directions or not.')
internetProfile_IpOptions_RouteFilter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 21), DisplayString()).setLabel("internetProfile-IpOptions-RouteFilter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_RouteFilter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_RouteFilter.setDescription('The name of this filter. All filters are referenced by name so a name must be assigned to active filters.')
internetProfile_IpOptions_SourceIpCheck = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-SourceIpCheck").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_SourceIpCheck.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_SourceIpCheck.setDescription("Enable/disable source ip checking. Packets with source ip address which doesn't match with negotiated remote ip address will be dropped.")
internetProfile_IpOptions_OspfOptions_Active = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-OspfOptions-Active").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Active.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Active.setDescription('Is OSPF active on this interface.')
internetProfile_IpOptions_OspfOptions_Area = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 24), IpAddress()).setLabel("internetProfile-IpOptions-OspfOptions-Area").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Area.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Area.setDescription('The area that this interface belongs to.')
internetProfile_IpOptions_OspfOptions_AreaType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("normal", 1), ("stub", 2), ("nSSA", 3)))).setLabel("internetProfile-IpOptions-OspfOptions-AreaType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AreaType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AreaType.setDescription('The type of Area. Normal, Stub, NSSA')
internetProfile_IpOptions_OspfOptions_HelloInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 26), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-HelloInterval").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_HelloInterval.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_HelloInterval.setDescription('The hello interval (seconds).')
internetProfile_IpOptions_OspfOptions_DeadInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 27), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-DeadInterval").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_DeadInterval.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_DeadInterval.setDescription('The dead interval (seconds).')
internetProfile_IpOptions_OspfOptions_Priority = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 28), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-Priority").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Priority.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Priority.setDescription('The priority of this router in DR elections.')
internetProfile_IpOptions_OspfOptions_AuthenType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("simple", 2), ("md5", 3)))).setLabel("internetProfile-IpOptions-OspfOptions-AuthenType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AuthenType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AuthenType.setDescription('The type of OSPF authentication in effect.')
internetProfile_IpOptions_OspfOptions_AuthKey = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 30), DisplayString()).setLabel("internetProfile-IpOptions-OspfOptions-AuthKey").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AuthKey.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AuthKey.setDescription('The authentication key.')
internetProfile_IpOptions_OspfOptions_KeyId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 31), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-KeyId").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_KeyId.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_KeyId.setDescription('The key identifier for MD5 authentication.')
internetProfile_IpOptions_OspfOptions_Cost = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 32), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-Cost").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Cost.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Cost.setDescription('The output cost.')
internetProfile_IpOptions_OspfOptions_DownCost = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 33), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-DownCost").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_DownCost.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_DownCost.setDescription('The output cost when the link is physically down but virtually up.')
internetProfile_IpOptions_OspfOptions_AseType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("type1", 1), ("type2", 2)))).setLabel("internetProfile-IpOptions-OspfOptions-AseType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AseType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AseType.setDescription('The OSPF ASE type of this LSA.')
internetProfile_IpOptions_OspfOptions_AseTag = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 35), DisplayString()).setLabel("internetProfile-IpOptions-OspfOptions-AseTag").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AseTag.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_AseTag.setDescription('The OSPF ASE tag of this link.')
internetProfile_IpOptions_OspfOptions_TransitDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 36), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-TransitDelay").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_TransitDelay.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_TransitDelay.setDescription('The estimated transit delay (seconds).')
internetProfile_IpOptions_OspfOptions_RetransmitInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 37), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-RetransmitInterval").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_RetransmitInterval.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_RetransmitInterval.setDescription('The retransmit time (seconds).')
internetProfile_IpOptions_OspfOptions_NonMulticast = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-OspfOptions-NonMulticast").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_NonMulticast.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_NonMulticast.setDescription('Use direct addresses instead of multicast addresses.')
internetProfile_IpOptions_OspfOptions_NetworkType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 250), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4))).clone(namedValues=NamedValues(("broadcast", 2), ("nonBroadcast", 3), ("pointToPoint", 4)))).setLabel("internetProfile-IpOptions-OspfOptions-NetworkType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_NetworkType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_NetworkType.setDescription('The type of network attachment.')
internetProfile_IpOptions_OspfOptions_PollInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 251), Integer32()).setLabel("internetProfile-IpOptions-OspfOptions-PollInterval").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_PollInterval.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_PollInterval.setDescription('The poll interval for non-broadcast multi-access network (seconds).')
internetProfile_IpOptions_OspfOptions_Md5AuthKey = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 252), DisplayString()).setLabel("internetProfile-IpOptions-OspfOptions-Md5AuthKey").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Md5AuthKey.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_OspfOptions_Md5AuthKey.setDescription('The MD5 authentication key.')
internetProfile_IpOptions_MulticastRateLimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 39), Integer32()).setLabel("internetProfile-IpOptions-MulticastRateLimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_MulticastRateLimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_MulticastRateLimit.setDescription('The multicast rate limit in seconds.')
internetProfile_IpOptions_MulticastGroupLeaveDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 40), Integer32()).setLabel("internetProfile-IpOptions-MulticastGroupLeaveDelay").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_MulticastGroupLeaveDelay.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_MulticastGroupLeaveDelay.setDescription('The multicast group leave in seconds. This is only for IGMP Version 2')
internetProfile_IpOptions_ClientDnsPrimaryAddr = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 41), IpAddress()).setLabel("internetProfile-IpOptions-ClientDnsPrimaryAddr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDnsPrimaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDnsPrimaryAddr.setDescription('User specific DNS Primary Address.')
internetProfile_IpOptions_ClientDnsSecondaryAddr = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 42), IpAddress()).setLabel("internetProfile-IpOptions-ClientDnsSecondaryAddr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDnsSecondaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDnsSecondaryAddr.setDescription('User specific DNS Secondary Address.')
internetProfile_IpOptions_ClientDnsAddrAssign = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-ClientDnsAddrAssign").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDnsAddrAssign.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDnsAddrAssign.setDescription('A flag to control assigning user specific DNS Addresses.')
internetProfile_IpOptions_ClientDefaultGateway = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 44), IpAddress()).setLabel("internetProfile-IpOptions-ClientDefaultGateway").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDefaultGateway.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientDefaultGateway.setDescription("The default gateway to be used for traffic from this connection, if no specific route is found in the routing table. If left zero, the system's default route will be used.")
internetProfile_IpOptions_TosOptions_Active = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-TosOptions-Active").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_Active.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_Active.setDescription('Activate type of service for this connection.')
internetProfile_IpOptions_TosOptions_Precedence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 33, 65, 97, 129, 161, 193, 225))).clone(namedValues=NamedValues(("n-000", 1), ("n-001", 33), ("n-010", 65), ("n-011", 97), ("n-100", 129), ("n-101", 161), ("n-110", 193), ("n-111", 225)))).setLabel("internetProfile-IpOptions-TosOptions-Precedence").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_Precedence.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_Precedence.setDescription('Tag the precedence bits (priority bits) in the TOS octet of IP datagram header with this value when match occurs.')
internetProfile_IpOptions_TosOptions_TypeOfService = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 3, 5, 9, 17))).clone(namedValues=NamedValues(("normal", 1), ("cost", 3), ("reliability", 5), ("throughput", 9), ("latency", 17)))).setLabel("internetProfile-IpOptions-TosOptions-TypeOfService").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_TypeOfService.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_TypeOfService.setDescription('Tag the type of service field in the TOS octet of IP datagram header with this value when match occurs.')
internetProfile_IpOptions_TosOptions_ApplyTo = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1025, 2049, 3073))).clone(namedValues=NamedValues(("incoming", 1025), ("outgoing", 2049), ("both", 3073)))).setLabel("internetProfile-IpOptions-TosOptions-ApplyTo").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_ApplyTo.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_ApplyTo.setDescription('Define how the type-of-service applies to data flow for this connection.')
internetProfile_IpOptions_TosOptions_MarkingType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 459), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("precedenceTos", 1), ("dscp", 2)))).setLabel("internetProfile-IpOptions-TosOptions-MarkingType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_MarkingType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_MarkingType.setDescription('Select type of packet marking.')
internetProfile_IpOptions_TosOptions_Dscp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 460), DisplayString()).setLabel("internetProfile-IpOptions-TosOptions-Dscp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_Dscp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosOptions_Dscp.setDescription('DSCP tag to be used in marking of the packets (if marking-type = dscp).')
internetProfile_IpOptions_TosFilter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 49), DisplayString()).setLabel("internetProfile-IpOptions-TosFilter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_TosFilter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_TosFilter.setDescription('The name of type-of-service filter. All filters are referenced by name so a name must be assigned to active filters.')
internetProfile_IpOptions_ClientWinsPrimaryAddr = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 293), IpAddress()).setLabel("internetProfile-IpOptions-ClientWinsPrimaryAddr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientWinsPrimaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientWinsPrimaryAddr.setDescription('User specific WINS Primary Address.')
internetProfile_IpOptions_ClientWinsSecondaryAddr = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 294), IpAddress()).setLabel("internetProfile-IpOptions-ClientWinsSecondaryAddr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientWinsSecondaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientWinsSecondaryAddr.setDescription('User specific WINS Secondary Address.')
internetProfile_IpOptions_ClientWinsAddrAssign = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 295), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-ClientWinsAddrAssign").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientWinsAddrAssign.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_ClientWinsAddrAssign.setDescription('A flag to control assigning user specific WINS Addresses.')
internetProfile_IpOptions_PrivateRouteTable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 296), DisplayString()).setLabel("internetProfile-IpOptions-PrivateRouteTable").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_PrivateRouteTable.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_PrivateRouteTable.setDescription('Private route table ID for this connection')
internetProfile_IpOptions_PrivateRouteProfileRequired = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 297), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpOptions-PrivateRouteProfileRequired").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_PrivateRouteProfileRequired.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_PrivateRouteProfileRequired.setDescription('Parameter to decide default action,if private route table not found. If set to yes, the call will be cleared if the private route profile cannot be found. If set to no, the call will be allowed to complete, even if the private route profile cannot be found.')
internetProfile_IpOptions_NatProfileName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 419), DisplayString()).setLabel("internetProfile-IpOptions-NatProfileName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_NatProfileName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_NatProfileName.setDescription('The profile to use for NAT translations on this connection.')
internetProfile_IpOptions_AddressRealm = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 421), Integer32()).setLabel("internetProfile-IpOptions-AddressRealm").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpOptions_AddressRealm.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpOptions_AddressRealm.setDescription('Used to determine which interfaces and WANs are connected to the same address space--they will have the identical values in this field.')
internetProfile_IpxOptions_IpxRoutingEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpxOptions-IpxRoutingEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxRoutingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxRoutingEnabled.setDescription('Enable/disable IPX routing for this connection.')
internetProfile_IpxOptions_PeerMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("routerPeer", 1), ("dialinPeer", 2)))).setLabel("internetProfile-IpxOptions-PeerMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_PeerMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_PeerMode.setDescription('Enable/disable full routing between peer or use the pool to assign a network number.')
internetProfile_IpxOptions_Rip = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("both", 1), ("send", 2), ("recv", 3), ("off", 4)))).setLabel("internetProfile-IpxOptions-Rip").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_Rip.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_Rip.setDescription('This field specifies RIP traffic when peer is a Router.')
internetProfile_IpxOptions_Sap = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("both", 1), ("send", 2), ("recv", 3), ("off", 4)))).setLabel("internetProfile-IpxOptions-Sap").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_Sap.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_Sap.setDescription('This field specifies SAP traffic when peer is a Router.')
internetProfile_IpxOptions_DialQuery = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 54), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpxOptions-DialQuery").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_DialQuery.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_DialQuery.setDescription('Indicate if we should dial to this connection if our SAP table contains no NetWare file servers, and a workstation makes a get-nearest-server query.')
internetProfile_IpxOptions_NetNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 55), DisplayString()).setLabel("internetProfile-IpxOptions-NetNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_NetNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_NetNumber.setDescription("The network number of the other router. May be zero, if we don't know what it is.")
internetProfile_IpxOptions_NetAlias = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 56), DisplayString()).setLabel("internetProfile-IpxOptions-NetAlias").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_NetAlias.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_NetAlias.setDescription('The network number of the point to point link.')
internetProfile_IpxOptions_SapFilter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 57), DisplayString()).setLabel("internetProfile-IpxOptions-SapFilter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_SapFilter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_SapFilter.setDescription('The name of the IPX SAP filter, if any, to use with this connection.')
internetProfile_IpxOptions_IpxSpoofing = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 58), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("clientSpoofing", 2), ("serverSpoofing", 3)))).setLabel("internetProfile-IpxOptions-IpxSpoofing").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSpoofing.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSpoofing.setDescription('Selects the IPX spoofing mode when bridging.')
internetProfile_IpxOptions_SpoofingTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 59), Integer32()).setLabel("internetProfile-IpxOptions-SpoofingTimeout").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_SpoofingTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_SpoofingTimeout.setDescription('IPX NetWare connection timeout value.')
internetProfile_IpxOptions_IpxSapHsProxy = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 60), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpxOptions-IpxSapHsProxy").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxy.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxy.setDescription('Use IPX SAP Home Server Proxy.')
internetProfile_IpxOptions_IpxHeaderCompression = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 61), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpxOptions-IpxHeaderCompression").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxHeaderCompression.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxHeaderCompression.setDescription('Use IPX header compression if encapsulation supports it.')
internetProfile_BridgingOptions_BridgingGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 62), Integer32()).setLabel("internetProfile-BridgingOptions-BridgingGroup").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_BridgingGroup.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_BridgingGroup.setDescription('Select the bridging group for this connection. Group 0 disables bridging. All packets not routed will be bridged to interfaces belonging to the same group.')
internetProfile_BridgingOptions_DialOnBroadcast = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 63), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-BridgingOptions-DialOnBroadcast").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_DialOnBroadcast.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_DialOnBroadcast.setDescription('Enable/disable outdial when broadcast frames are received.')
internetProfile_BridgingOptions_IpxSpoofing = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("clientSpoofing", 2), ("serverSpoofing", 3)))).setLabel("internetProfile-BridgingOptions-IpxSpoofing").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_IpxSpoofing.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_IpxSpoofing.setDescription('Selects the IPX spoofing mode when bridging.')
internetProfile_BridgingOptions_SpoofingTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 65), Integer32()).setLabel("internetProfile-BridgingOptions-SpoofingTimeout").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_SpoofingTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_SpoofingTimeout.setDescription('IPX NetWare connection timeout value.')
internetProfile_BridgingOptions_Fill2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 253), Integer32()).setLabel("internetProfile-BridgingOptions-Fill2").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_Fill2.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_Fill2.setDescription('filler to get to 32 bit boundary')
internetProfile_BridgingOptions_BridgeType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 66), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("transparentBridging", 1), ("ipxClientBridging", 2), ("noBridging", 3)))).setLabel("internetProfile-BridgingOptions-BridgeType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_BridgeType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_BridgeType.setDescription('For the P25 user interface.')
internetProfile_BridgingOptions_Egress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 285), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-BridgingOptions-Egress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BridgingOptions_Egress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BridgingOptions_Egress.setDescription('Enable/disable Egress on this interface. This interface will become the exit path for all packets destined to the network.')
internetProfile_SessionOptions_CallFilter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 67), DisplayString()).setLabel("internetProfile-SessionOptions-CallFilter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_CallFilter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_CallFilter.setDescription('The name of the filter used to determine if a packet should cause the idle timer to be reset or, when the answer profile is used for connection profile defaults, if a call should be placed.')
internetProfile_SessionOptions_DataFilter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 68), DisplayString()).setLabel("internetProfile-SessionOptions-DataFilter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_DataFilter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_DataFilter.setDescription('The name of the filter used to determine if packets should be forwarded or dropped.')
internetProfile_SessionOptions_FilterPersistence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 69), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-SessionOptions-FilterPersistence").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_FilterPersistence.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_FilterPersistence.setDescription('Determines if filters should persist between calls.')
internetProfile_SessionOptions_FilterRequired = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 298), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-SessionOptions-FilterRequired").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_FilterRequired.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_FilterRequired.setDescription('If No, the call will be allowed to come up even if the specified filter was not found either locally, in the cache or in RADIUS. If Yes, then the call will be cleared if the specified filter was not found either locally, in the cache or in RADIUS.')
internetProfile_SessionOptions_IdleTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 70), Integer32()).setLabel("internetProfile-SessionOptions-IdleTimer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_IdleTimer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_IdleTimer.setDescription('The number of seconds of no activity before a call will be dropped. The value 0 disables the idle timer.')
internetProfile_SessionOptions_TsIdleMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 71), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noIdle", 1), ("inputOnlyIdle", 2), ("inputOutputIdle", 3)))).setLabel("internetProfile-SessionOptions-TsIdleMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_TsIdleMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_TsIdleMode.setDescription('The method used to determine when the terminal server idle session timer is reset.')
internetProfile_SessionOptions_TsIdleTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 72), Integer32()).setLabel("internetProfile-SessionOptions-TsIdleTimer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_TsIdleTimer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_TsIdleTimer.setDescription('The number of seconds of no activity as defined by the idle mode before a session will be terminated.')
internetProfile_SessionOptions_Backup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 73), DisplayString()).setLabel("internetProfile-SessionOptions-Backup").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_Backup.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_Backup.setDescription('Name of the backup connection profile.')
internetProfile_SessionOptions_Secondary = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 74), DisplayString()).setLabel("internetProfile-SessionOptions-Secondary").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_Secondary.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_Secondary.setDescription('A secondary internet profile used for dial back-up support.')
internetProfile_SessionOptions_MaxCallDuration = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 76), Integer32()).setLabel("internetProfile-SessionOptions-MaxCallDuration").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxCallDuration.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxCallDuration.setDescription('The number of minutes of connect time before a call will be dropped. The value 0 disables the connection timer.')
internetProfile_SessionOptions_VtpGateway = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 77), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-SessionOptions-VtpGateway").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_VtpGateway.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_VtpGateway.setDescription("This profile is an VTP gateway connection to an mobile client's home network.")
internetProfile_SessionOptions_Blockcountlimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 78), Integer32()).setLabel("internetProfile-SessionOptions-Blockcountlimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_Blockcountlimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_Blockcountlimit.setDescription('Maximum number of failed attempts allowed for connection before blocking the call.')
internetProfile_SessionOptions_Blockduration = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 79), Integer32()).setLabel("internetProfile-SessionOptions-Blockduration").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_Blockduration.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_Blockduration.setDescription('Number of seconds that connection attempts to non responding network will be blocked before allowing retries.')
internetProfile_SessionOptions_MaxVtpTunnels = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 81), Integer32()).setLabel("internetProfile-SessionOptions-MaxVtpTunnels").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxVtpTunnels.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxVtpTunnels.setDescription('If this profile is a VTP gateway, then this parameter specifies the maximum number of VTP tunnels allowed to the VTP home network specified by the name of this profile.')
internetProfile_SessionOptions_RedialDelayLimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 82), Integer32()).setLabel("internetProfile-SessionOptions-RedialDelayLimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_RedialDelayLimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_RedialDelayLimit.setDescription('Number of seconds delay before allowing a redial')
internetProfile_SessionOptions_SesRateType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 83), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("disabled", 1), ("sdsl", 2), ("adslCap", 3), ("adslCell", 4), ("adslDmt", 5)))).setLabel("internetProfile-SessionOptions-SesRateType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesRateType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesRateType.setDescription('The per ses rate type.')
internetProfile_SessionOptions_SesRateMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 84), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("autobaud", 2), ("singlebaud", 3)))).setLabel("internetProfile-SessionOptions-SesRateMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesRateMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesRateMode.setDescription('The per ses rate mode.')
internetProfile_SessionOptions_SesAdslCapUpRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 85), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(51, 52, 53, 54, 55, 56, 57))).clone(namedValues=NamedValues(("n-1088000", 51), ("n-952000", 52), ("n-816000", 53), ("n-680000", 54), ("n-544000", 55), ("n-408000", 56), ("n-272000", 57)))).setLabel("internetProfile-SessionOptions-SesAdslCapUpRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslCapUpRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslCapUpRate.setDescription('The per session adsl-cap up stream data rate')
internetProfile_SessionOptions_SesAdslCapDownRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 86), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("n-7168000", 1), ("n-6272000", 2), ("n-5120000", 3), ("n-4480000", 4), ("n-3200000", 5), ("n-2688000", 6), ("n-2560000", 7), ("n-2240000", 8), ("n-1920000", 9), ("n-1600000", 10), ("n-1280000", 11), ("n-960000", 12), ("n-640000", 13)))).setLabel("internetProfile-SessionOptions-SesAdslCapDownRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslCapDownRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslCapDownRate.setDescription('The per session adsl-cap down stream data rate')
internetProfile_SessionOptions_SesSdslRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 87), 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))).clone(namedValues=NamedValues(("n-144000", 1), ("n-272000", 2), ("n-400000", 3), ("n-528000", 4), ("n-784000", 5), ("n-1168000", 6), ("n-1552000", 7), ("n-2320000", 8), ("n-160000", 9), ("n-192000", 10), ("n-208000", 11), ("n-384000", 12), ("n-416000", 13), ("n-768000", 14), ("n-1040000", 15), ("n-1152000", 16), ("n-1536000", 17), ("n-1568000", 18), ("n-1680000", 19), ("n-1920000", 20), ("n-2160000", 21)))).setLabel("internetProfile-SessionOptions-SesSdslRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesSdslRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesSdslRate.setDescription('The per session symetrical data rate. This parameter does not pertain to the old 16 port sdsl card.')
internetProfile_SessionOptions_SesAdslDmtUpRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 88), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(151, 152, 153, 154, 155, 156, 157, 158, 159, 160, 161))).clone(namedValues=NamedValues(("upstrmMegMax", 151), ("n-1088000", 152), ("n-928000", 153), ("n-896000", 154), ("n-800000", 155), ("n-768000", 156), ("n-640000", 157), ("n-512000", 158), ("n-384000", 159), ("n-256000", 160), ("n-128000", 161)))).setLabel("internetProfile-SessionOptions-SesAdslDmtUpRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslDmtUpRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslDmtUpRate.setDescription('The per session adsl-dmt up stream data rate')
internetProfile_SessionOptions_SesAdslDmtDownRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 89), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122))).clone(namedValues=NamedValues(("dwnstrmMegMax", 101), ("n-9504000", 102), ("n-8960000", 103), ("n-8000000", 104), ("n-7168000", 105), ("n-6272000", 106), ("n-5120000", 107), ("n-4480000", 108), ("n-3200000", 109), ("n-2688000", 110), ("n-2560000", 111), ("n-2240000", 112), ("n-1920000", 113), ("n-1600000", 114), ("n-1280000", 115), ("n-960000", 116), ("n-768000", 117), ("n-640000", 118), ("n-512000", 119), ("n-384000", 120), ("n-256000", 121), ("n-128000", 122)))).setLabel("internetProfile-SessionOptions-SesAdslDmtDownRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslDmtDownRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_SesAdslDmtDownRate.setDescription('The per session adsl-dmt down stream data rate')
internetProfile_SessionOptions_RxDataRateLimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 90), Integer32()).setLabel("internetProfile-SessionOptions-RxDataRateLimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_RxDataRateLimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_RxDataRateLimit.setDescription('The maximum information rate to be received from the named station (kbps).')
internetProfile_SessionOptions_TxDataRateLimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 91), Integer32()).setLabel("internetProfile-SessionOptions-TxDataRateLimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_TxDataRateLimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_TxDataRateLimit.setDescription('The maximum information rate to be transmitted to the named station (kbps).')
internetProfile_SessionOptions_CirTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 414), Integer32()).setLabel("internetProfile-SessionOptions-CirTimer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_CirTimer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_CirTimer.setDescription('The CIR timer in (milli-sec).')
internetProfile_SessionOptions_TrafficShaper = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 286), Integer32()).setLabel("internetProfile-SessionOptions-TrafficShaper").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_TrafficShaper.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_TrafficShaper.setDescription('The traffic shaper assigned to this profile.')
internetProfile_SessionOptions_MaxtapLogServer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 299), DisplayString()).setLabel("internetProfile-SessionOptions-MaxtapLogServer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxtapLogServer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxtapLogServer.setDescription('The name or the IP Address of the host to which the MaxTap start/stop notifications has to be sent.')
internetProfile_SessionOptions_MaxtapDataServer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 300), DisplayString()).setLabel("internetProfile-SessionOptions-MaxtapDataServer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxtapDataServer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_MaxtapDataServer.setDescription('The name or the IP Address of the host to which the tapped data has to be sent.')
internetProfile_SessionOptions_Priority = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 415), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("high", 2)))).setLabel("internetProfile-SessionOptions-Priority").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SessionOptions_Priority.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SessionOptions_Priority.setDescription('Priority of the link')
internetProfile_TelcoOptions_AnswerOriginate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 92), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ansAndOrig", 1), ("answerOnly", 2), ("originateOnly", 3)))).setLabel("internetProfile-TelcoOptions-AnswerOriginate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_AnswerOriginate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_AnswerOriginate.setDescription('Specifies if this profile can be used for incoming calls, outgoing calls, or both.')
internetProfile_TelcoOptions_Callback = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 93), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TelcoOptions-Callback").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_Callback.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_Callback.setDescription('When true a call received from the named host requires callback security. The number dialed is the phoneNumber from this connection profile.')
internetProfile_TelcoOptions_CallType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 94), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("off", 1), ("ft1", 2), ("ft1Mpp", 3), ("bri", 4), ("ft1Bo", 5), ("dChan", 6), ("aodi", 7), ("megamax", 8)))).setLabel("internetProfile-TelcoOptions-CallType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_CallType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_CallType.setDescription('Nailed channel usage for this connection.')
internetProfile_TelcoOptions_NailedGroups = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 95), DisplayString()).setLabel("internetProfile-TelcoOptions-NailedGroups").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_NailedGroups.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_NailedGroups.setDescription('All the nailed groups belonging to a session. MPP supports multiple groups.')
internetProfile_TelcoOptions_Ft1Caller = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 96), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TelcoOptions-Ft1Caller").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_Ft1Caller.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_Ft1Caller.setDescription('Specifies if this side should initiate calls when a mix of nailed and switched calls are being used.')
internetProfile_TelcoOptions_Force56kbps = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 97), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TelcoOptions-Force56kbps").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_Force56kbps.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_Force56kbps.setDescription('If yes then inbound 64 kbps calls are connected at 56 kbps.')
internetProfile_TelcoOptions_DataService = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 98), 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, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 255, 263))).clone(namedValues=NamedValues(("voice", 1), ("n-56kRestricted", 2), ("n-64kClear", 3), ("n-64kRestricted", 4), ("n-56kClear", 5), ("n-384kRestricted", 6), ("n-384kClear", 7), ("n-1536kClear", 8), ("n-1536kRestricted", 9), ("n-128kClear", 10), ("n-192kClear", 11), ("n-256kClear", 12), ("n-320kClear", 13), ("dws384Clear", 14), ("n-448Clear", 15), ("n-512Clear", 16), ("n-576Clear", 17), ("n-640Clear", 18), ("n-704Clear", 19), ("n-768Clear", 20), ("n-832Clear", 21), ("n-896Clear", 22), ("n-960Clear", 23), ("n-1024Clear", 24), ("n-1088Clear", 25), ("n-1152Clear", 26), ("n-1216Clear", 27), ("n-1280Clear", 28), ("n-1344Clear", 29), ("n-1408Clear", 30), ("n-1472Clear", 31), ("n-1600Clear", 32), ("n-1664Clear", 33), ("n-1728Clear", 34), ("n-1792Clear", 35), ("n-1856Clear", 36), ("n-1920Clear", 37), ("x30RestrictedBearer", 39), ("v110ClearBearer", 40), ("n-64kX30Restricted", 41), ("n-56kV110Clear", 42), ("modem", 43), ("atmodem", 44), ("n-2456kV110", 46), ("n-4856kV110", 47), ("n-9656kV110", 48), ("n-19256kV110", 49), ("n-38456kV110", 50), ("n-2456krV110", 51), ("n-4856krV110", 52), ("n-9656krV110", 53), ("n-19256krV110", 54), ("n-38456krV110", 55), ("n-2464kV110", 56), ("n-4864kV110", 57), ("n-9664kV110", 58), ("n-19264kV110", 59), ("n-38464kV110", 60), ("n-2464krV110", 61), ("n-4864krV110", 62), ("n-9664krV110", 63), ("n-19264krV110", 64), ("n-38464krV110", 65), ("v32", 66), ("phs64k", 67), ("voiceOverIp", 68), ("atmSvc", 70), ("frameRelaySvc", 71), ("vpnTunnel", 72), ("wormarq", 73), ("n-14456kV110", 74), ("n-28856kV110", 75), ("n-14456krV110", 76), ("n-28856krV110", 77), ("n-14464kV110", 78), ("n-28864kV110", 79), ("n-14464krV110", 80), ("n-28864krV110", 81), ("modem31khzAudio", 82), ("x25Svc", 83), ("n-144kClear", 255), ("iptoip", 263)))).setLabel("internetProfile-TelcoOptions-DataService").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_DataService.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_DataService.setDescription('The type of bearer channel capability to set up for each switched call in the session.')
internetProfile_TelcoOptions_CallByCall = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 99), Integer32()).setLabel("internetProfile-TelcoOptions-CallByCall").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_CallByCall.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_CallByCall.setDescription('The call-by-call signaling value for PRI lines.')
internetProfile_TelcoOptions_BillingNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 100), DisplayString()).setLabel("internetProfile-TelcoOptions-BillingNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_BillingNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_BillingNumber.setDescription("A number used for billing purposes. This number, if present, is used as either a 'billing suffix' or the 'calling party number'.")
internetProfile_TelcoOptions_TransitNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 101), DisplayString()).setLabel("internetProfile-TelcoOptions-TransitNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_TransitNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_TransitNumber.setDescription("The string for use in the 'transit network IE' for PRI calling when going through a LEC.")
internetProfile_TelcoOptions_ExpectCallback = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 102), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TelcoOptions-ExpectCallback").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_ExpectCallback.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_ExpectCallback.setDescription('When true we expect calls to the named host will result in a callback from that host. This would occur if the remote host were authenticating us based on Caller ID.')
internetProfile_TelcoOptions_DialoutAllowed = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 103), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TelcoOptions-DialoutAllowed").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_DialoutAllowed.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_DialoutAllowed.setDescription('When true, this connection is allowed to use the LAN modems to place outgoing calls.')
internetProfile_TelcoOptions_DelayCallback = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 104), Integer32()).setLabel("internetProfile-TelcoOptions-DelayCallback").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_DelayCallback.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_DelayCallback.setDescription('Number of seconds to delay before dialing back. Values of 0-3 seconds are treated as 3 seconds.')
internetProfile_TelcoOptions_NasPortType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 254), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9, 10, 11, 12, 1, 2, 3))).clone(namedValues=NamedValues(("async", 4), ("sync", 5), ("isdnSync", 6), ("v120IsdnAsync", 7), ("v110IsdnAsync", 8), ("virtual", 9), ("v32IsdnAsync", 10), ("vdspAsyncIsdn", 11), ("arqPdcIsdn", 12), ("any", 1), ("digital", 2), ("analog", 3)))).setLabel("internetProfile-TelcoOptions-NasPortType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TelcoOptions_NasPortType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TelcoOptions_NasPortType.setDescription('Indicates the type of physical port being used.')
internetProfile_PppOptions_SendAuthMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 105), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("noPppAuth", 1), ("papPppAuth", 2), ("chapPppAuth", 3), ("anyPppAuth", 4), ("desPapPppAuth", 5), ("tokenPapPppAuth", 6), ("tokenChapPppAuth", 7), ("cacheTokenPppAuth", 8), ("msChapPppAuth", 9), ("papPreferred", 10)))).setLabel("internetProfile-PppOptions-SendAuthMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_SendAuthMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_SendAuthMode.setDescription('The type of PPP authentication to use for this call.')
internetProfile_PppOptions_PppCircuit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 422), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("transparent", 2)))).setLabel("internetProfile-PppOptions-PppCircuit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_PppCircuit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_PppCircuit.setDescription('PPP Circuit. Set to type to enable the PPP Circuit Mode.')
internetProfile_PppOptions_PppCircuitName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 423), DisplayString()).setLabel("internetProfile-PppOptions-PppCircuitName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_PppCircuitName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_PppCircuitName.setDescription('The peer datalink identifier for a PPP circuit.')
internetProfile_PppOptions_BiDirectionalAuth = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 354), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("allowed", 2), ("required", 3)))).setLabel("internetProfile-PppOptions-BiDirectionalAuth").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_BiDirectionalAuth.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_BiDirectionalAuth.setDescription('This parameter enables the authentication to be done in both directions. It can be used only with CHAP or MS-CHAP authentication.')
internetProfile_PppOptions_SendPassword = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 106), DisplayString()).setLabel("internetProfile-PppOptions-SendPassword").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_SendPassword.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_SendPassword.setDescription('This is the password sent to the far end; used for MPP and PPP PAP and CHAP security.')
internetProfile_PppOptions_SubstituteSendName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 107), DisplayString()).setLabel("internetProfile-PppOptions-SubstituteSendName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_SubstituteSendName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_SubstituteSendName.setDescription('Name send to the far end, if different from the global system name.')
internetProfile_PppOptions_RecvPassword = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 108), DisplayString()).setLabel("internetProfile-PppOptions-RecvPassword").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_RecvPassword.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_RecvPassword.setDescription('This is the password received from the far end; used for MPP and PPP PAP and CHAP security.')
internetProfile_PppOptions_SubstituteRecvName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 355), DisplayString()).setLabel("internetProfile-PppOptions-SubstituteRecvName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_SubstituteRecvName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_SubstituteRecvName.setDescription('Name expected from the far end used during a bi-directional authentication. If it is null the profile name will be used in place. This parameter is used only for outgoing calls.')
internetProfile_PppOptions_LinkCompression = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 109), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("stac", 2), ("stac9", 3), ("msStac", 4), ("mppc", 5)))).setLabel("internetProfile-PppOptions-LinkCompression").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_LinkCompression.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_LinkCompression.setDescription('The type of link compression to use for PPP, MP, and MPP calls.')
internetProfile_PppOptions_Mru = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 110), Integer32()).setLabel("internetProfile-PppOptions-Mru").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_Mru.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_Mru.setDescription('The Maximum Receive Unit, i.e. the largest frame we will accept.')
internetProfile_PppOptions_Lqm = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 111), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-PppOptions-Lqm").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_Lqm.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_Lqm.setDescription('Link Quality Monitoring. Set to Yes to enable the PPP LQM protocol.')
internetProfile_PppOptions_LqmMinimumPeriod = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 112), Integer32()).setLabel("internetProfile-PppOptions-LqmMinimumPeriod").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_LqmMinimumPeriod.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_LqmMinimumPeriod.setDescription('The minimum period, in 1/100 of a second, that we will accept/send link quality monitoring packets.')
internetProfile_PppOptions_LqmMaximumPeriod = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 113), Integer32()).setLabel("internetProfile-PppOptions-LqmMaximumPeriod").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_LqmMaximumPeriod.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_LqmMaximumPeriod.setDescription('The maximum period, in 1/100 of a second, that we will accept/send link quality monitoring packets.')
internetProfile_PppOptions_CbcpEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 114), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-PppOptions-CbcpEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_CbcpEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_CbcpEnabled.setDescription('Enable Microsoft Callback Control Protocol Negotiation.')
internetProfile_PppOptions_ModeCallbackControl = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 115), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 8))).clone(namedValues=NamedValues(("cbcpNoCallback", 2), ("cbcpUserNumber", 3), ("cbcpProfileNum", 4), ("cbcpAll", 8)))).setLabel("internetProfile-PppOptions-ModeCallbackControl").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_ModeCallbackControl.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_ModeCallbackControl.setDescription('CBCP operation allowed on to use for this call.')
internetProfile_PppOptions_DelayCallbackControl = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 116), Integer32()).setLabel("internetProfile-PppOptions-DelayCallbackControl").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_DelayCallbackControl.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_DelayCallbackControl.setDescription('Delay to request before callback to us is initiated')
internetProfile_PppOptions_TrunkGroupCallbackControl = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 117), Integer32()).setLabel("internetProfile-PppOptions-TrunkGroupCallbackControl").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_TrunkGroupCallbackControl.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_TrunkGroupCallbackControl.setDescription('Trunk group to use for the callback.')
internetProfile_PppOptions_SplitCodeDotUserEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 118), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-PppOptions-SplitCodeDotUserEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_SplitCodeDotUserEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_SplitCodeDotUserEnabled.setDescription('TRUE if local splitting of passwords is desired in CACHE-TOKEN. This feature permits the use of usernames longer than five chars, when using a typical 4 digit pin and 6 digit ACE token code.')
internetProfile_PppOptions_PppInterfaceType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 119), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("hdlcLike", 1), ("frameRelay", 2), ("aal5", 3), ("x25", 4)))).setLabel("internetProfile-PppOptions-PppInterfaceType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_PppInterfaceType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_PppInterfaceType.setDescription('PPP network interface for this profile.')
internetProfile_PppOptions_Mtu = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 301), Integer32()).setLabel("internetProfile-PppOptions-Mtu").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppOptions_Mtu.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppOptions_Mtu.setDescription('The Maximum Transmit Unit, i.e. the largest frame we will transmit.')
internetProfile_MpOptions_BaseChannelCount = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 120), Integer32()).setLabel("internetProfile-MpOptions-BaseChannelCount").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MpOptions_BaseChannelCount.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MpOptions_BaseChannelCount.setDescription('When the session is initially set up, and if it is a fixed session, the number of channels to be used for the call.')
internetProfile_MpOptions_MinimumChannels = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 121), Integer32()).setLabel("internetProfile-MpOptions-MinimumChannels").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MpOptions_MinimumChannels.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MpOptions_MinimumChannels.setDescription('The default value for the minimum number of channels in a multi-channel call.')
internetProfile_MpOptions_MaximumChannels = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 122), Integer32()).setLabel("internetProfile-MpOptions-MaximumChannels").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MpOptions_MaximumChannels.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MpOptions_MaximumChannels.setDescription('The default value for the maximum number of channels in a multi-channel call.')
internetProfile_MpOptions_BacpEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 123), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-MpOptions-BacpEnable").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MpOptions_BacpEnable.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MpOptions_BacpEnable.setDescription('Enable Bandwidth Allocation Control Protocol (BACP).')
internetProfile_MpOptions_BodEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 255), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-MpOptions-BodEnable").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MpOptions_BodEnable.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MpOptions_BodEnable.setDescription('Enable Bandwidth On Demand.')
internetProfile_MpOptions_CallbackrequestEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 284), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-MpOptions-CallbackrequestEnable").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MpOptions_CallbackrequestEnable.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MpOptions_CallbackrequestEnable.setDescription('Allow BAP CallBackRequest.')
internetProfile_MppOptions_AuxSendPassword = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 124), DisplayString()).setLabel("internetProfile-MppOptions-AuxSendPassword").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_AuxSendPassword.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_AuxSendPassword.setDescription('This is the password sent to the far end; used for MPP PAP-TOKEN-CHAP security.')
internetProfile_MppOptions_DynamicAlgorithm = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 125), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("constant", 1), ("linear", 2), ("quadratic", 3)))).setLabel("internetProfile-MppOptions-DynamicAlgorithm").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_DynamicAlgorithm.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_DynamicAlgorithm.setDescription('The algorithm to use to calculate the average link utilization. Bandwidth changes are performed on the average utilization, not current utilization.')
internetProfile_MppOptions_BandwidthMonitorDirection = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 126), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("transmit", 1), ("transmitRecv", 2), ("none", 3)))).setLabel("internetProfile-MppOptions-BandwidthMonitorDirection").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_BandwidthMonitorDirection.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_BandwidthMonitorDirection.setDescription('The direction to monitor link utilization. A unit can monitor transmit, transmit and receive, or turn off monitoring entirely.')
internetProfile_MppOptions_IncrementChannelCount = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 127), Integer32()).setLabel("internetProfile-MppOptions-IncrementChannelCount").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_IncrementChannelCount.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_IncrementChannelCount.setDescription('Number of channels to increment as a block.')
internetProfile_MppOptions_DecrementChannelCount = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 128), Integer32()).setLabel("internetProfile-MppOptions-DecrementChannelCount").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_DecrementChannelCount.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_DecrementChannelCount.setDescription('Number of channels to decrement as a block.')
internetProfile_MppOptions_SecondsHistory = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 129), Integer32()).setLabel("internetProfile-MppOptions-SecondsHistory").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_SecondsHistory.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_SecondsHistory.setDescription('The number of seconds of history that link utilization is averaged over to make bandwidth changes.')
internetProfile_MppOptions_AddPersistence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 130), Integer32()).setLabel("internetProfile-MppOptions-AddPersistence").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_AddPersistence.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_AddPersistence.setDescription('The number of seconds of that the average line utilization must exceed the target utilization before bandwidth will be added.')
internetProfile_MppOptions_SubPersistence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 131), Integer32()).setLabel("internetProfile-MppOptions-SubPersistence").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_SubPersistence.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_SubPersistence.setDescription('The number of seconds of that the average line utilization must fall below the target utilization before bandwidth will be reduced. Bandwidth will not be reduced if the reduced bandwidth would exceed the target utilization.')
internetProfile_MppOptions_TargetUtilization = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 132), Integer32()).setLabel("internetProfile-MppOptions-TargetUtilization").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_TargetUtilization.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_TargetUtilization.setDescription('The default value for the target utilization. Bandwidth changes occur when the average utilization exceeds or falls below this value.')
internetProfile_MppOptions_X25chanTargetUtilization = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 380), Integer32()).setLabel("internetProfile-MppOptions-X25chanTargetUtilization").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MppOptions_X25chanTargetUtilization.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MppOptions_X25chanTargetUtilization.setDescription('The default value for the X25 channel target utilization. Bandwidth changes occur when the average utilization exceeds or falls below this value.')
internetProfile_FrOptions_FrameRelayProfile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 133), DisplayString()).setLabel("internetProfile-FrOptions-FrameRelayProfile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_FrameRelayProfile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_FrameRelayProfile.setDescription('Frame Relay profile name, specifies link over which this circuit is established.')
internetProfile_FrOptions_CircuitType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 302), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("pvc", 1), ("svc", 2)))).setLabel("internetProfile-FrOptions-CircuitType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_CircuitType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_CircuitType.setDescription('The type of circuit, permanent (PVC) or switched (SVC).')
internetProfile_FrOptions_Dlci = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 134), Integer32()).setLabel("internetProfile-FrOptions-Dlci").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_Dlci.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_Dlci.setDescription('The assigned DLCI value for this connection, for PVC.')
internetProfile_FrOptions_CircuitName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 135), DisplayString()).setLabel("internetProfile-FrOptions-CircuitName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_CircuitName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_CircuitName.setDescription('The peer frame relay datalink for a FR circuit.')
internetProfile_FrOptions_FrLinkType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 303), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("transparentLink", 1), ("hostLink", 2), ("trunkLink", 3)))).setLabel("internetProfile-FrOptions-FrLinkType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_FrLinkType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_FrLinkType.setDescription('The frame relay link type.')
internetProfile_FrOptions_FrDirectEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 136), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-FrOptions-FrDirectEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_FrDirectEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_FrDirectEnabled.setDescription('Enable the frame relay direct option for this connection.')
internetProfile_FrOptions_FrDirectProfile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 137), DisplayString()).setLabel("internetProfile-FrOptions-FrDirectProfile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_FrDirectProfile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_FrDirectProfile.setDescription('Name of the frame relay profile that will be used for frame-relay-direct routing.')
internetProfile_FrOptions_FrDirectDlci = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 138), Integer32()).setLabel("internetProfile-FrOptions-FrDirectDlci").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_FrDirectDlci.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_FrDirectDlci.setDescription('The DLCI of the frame relay direct connection.')
internetProfile_FrOptions_MfrBundleName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 287), DisplayString()).setLabel("internetProfile-FrOptions-MfrBundleName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FrOptions_MfrBundleName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FrOptions_MfrBundleName.setDescription('Name of the multi-link frame-relay profile.')
internetProfile_TcpClearOptions_Host = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 139), DisplayString()).setLabel("internetProfile-TcpClearOptions-Host").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host.setDescription('The first TCP CLEAR login host.')
internetProfile_TcpClearOptions_Port = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 140), Integer32()).setLabel("internetProfile-TcpClearOptions-Port").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port.setDescription('The TCP port of the first login-host.')
internetProfile_TcpClearOptions_Host2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 141), DisplayString()).setLabel("internetProfile-TcpClearOptions-Host2").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host2.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host2.setDescription('The second TCP CLEAR login host.')
internetProfile_TcpClearOptions_Port2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 142), Integer32()).setLabel("internetProfile-TcpClearOptions-Port2").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port2.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port2.setDescription('The TCP port of the second login-host.')
internetProfile_TcpClearOptions_Host3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 143), DisplayString()).setLabel("internetProfile-TcpClearOptions-Host3").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host3.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host3.setDescription('The third TCP CLEAR login host.')
internetProfile_TcpClearOptions_Port3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 144), Integer32()).setLabel("internetProfile-TcpClearOptions-Port3").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port3.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port3.setDescription('The TCP port of the third login-host.')
internetProfile_TcpClearOptions_Host4 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 145), DisplayString()).setLabel("internetProfile-TcpClearOptions-Host4").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host4.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Host4.setDescription('The fourth TCP CLEAR login host.')
internetProfile_TcpClearOptions_Port4 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 146), Integer32()).setLabel("internetProfile-TcpClearOptions-Port4").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port4.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_Port4.setDescription('The TCP port of the fourth login-host.')
internetProfile_TcpClearOptions_DetectEndOfPacket = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 147), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TcpClearOptions-DetectEndOfPacket").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_DetectEndOfPacket.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_DetectEndOfPacket.setDescription('Set to yes to attempt packet detection')
internetProfile_TcpClearOptions_EndOfPacketPattern = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 148), DisplayString()).setLabel("internetProfile-TcpClearOptions-EndOfPacketPattern").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_EndOfPacketPattern.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_EndOfPacketPattern.setDescription('End of packet pattern to match')
internetProfile_TcpClearOptions_FlushLength = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 149), Integer32()).setLabel("internetProfile-TcpClearOptions-FlushLength").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_FlushLength.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_FlushLength.setDescription('Set the maximum packet length before flush')
internetProfile_TcpClearOptions_FlushTime = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 150), Integer32()).setLabel("internetProfile-TcpClearOptions-FlushTime").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_FlushTime.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TcpClearOptions_FlushTime.setDescription('Set the maximum packet hold time before flush')
internetProfile_AraOptions_RecvPassword = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 151), DisplayString()).setLabel("internetProfile-AraOptions-RecvPassword").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AraOptions_RecvPassword.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AraOptions_RecvPassword.setDescription('The password received from the far end.')
internetProfile_AraOptions_MaximumConnectTime = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 152), Integer32()).setLabel("internetProfile-AraOptions-MaximumConnectTime").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AraOptions_MaximumConnectTime.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AraOptions_MaximumConnectTime.setDescription('Maximum time in minutes that an ARA session can stay connected.')
internetProfile_X25Options_X25Profile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 157), DisplayString()).setLabel("internetProfile-X25Options-X25Profile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X25Profile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X25Profile.setDescription('Name of the x25 profile that this profile is associated with.')
internetProfile_X25Options_Lcn = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 158), Integer32()).setLabel("internetProfile-X25Options-Lcn").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_Lcn.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_Lcn.setDescription('The LCN (if any) for this profile (for PVCs).')
internetProfile_X25Options_X3Profile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 159), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 12, 10, 11))).clone(namedValues=NamedValues(("crtProfile", 1), ("infonetProfile", 2), ("defaultProfile", 3), ("scenProfile", 4), ("ccSspProfile", 5), ("ccTspProfile", 6), ("hardcopyProfile", 7), ("hdxProfile", 8), ("sharkProfile", 9), ("posProfile", 12), ("nullProfile", 10), ("customProfile", 11)))).setLabel("internetProfile-X25Options-X3Profile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X3Profile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X3Profile.setDescription('X.3 profile parameter index')
internetProfile_X25Options_MaxCalls = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 160), Integer32()).setLabel("internetProfile-X25Options-MaxCalls").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_MaxCalls.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_MaxCalls.setDescription('Max number of unsuccessful calls')
internetProfile_X25Options_VcTimerEnable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 161), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-X25Options-VcTimerEnable").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_VcTimerEnable.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_VcTimerEnable.setDescription('PAD VCE enable flag')
internetProfile_X25Options_X25EncapsType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 162), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("rfc877", 1), ("snap", 2), ("null", 3), ("ppp", 4), ("aodi", 5)))).setLabel("internetProfile-X25Options-X25EncapsType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X25EncapsType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X25EncapsType.setDescription('RFC1356 encaps Type: RFC877/SNAP/NULL')
internetProfile_X25Options_RemoteX25Address = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 461), DisplayString()).setLabel("internetProfile-X25Options-RemoteX25Address").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_RemoteX25Address.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_RemoteX25Address.setDescription('X.25 address of remote station.')
internetProfile_X25Options_ReverseCharge = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 164), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-X25Options-ReverseCharge").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_ReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_ReverseCharge.setDescription('Reverse charge request')
internetProfile_X25Options_CallMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 165), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("both", 1), ("outgoing", 2), ("incoming", 3)))).setLabel("internetProfile-X25Options-CallMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_CallMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_CallMode.setDescription('Call mode for this interface: Both/Outgoing/Incoming')
internetProfile_X25Options_AnswerX25Address = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 462), DisplayString()).setLabel("internetProfile-X25Options-AnswerX25Address").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_AnswerX25Address.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_AnswerX25Address.setDescription('Answer number: mandatory if call mode is incoming or both.')
internetProfile_X25Options_InactivityTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 167), Integer32()).setLabel("internetProfile-X25Options-InactivityTimer").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_InactivityTimer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_InactivityTimer.setDescription('X.25 Inactivity Timer.')
internetProfile_X25Options_Windowsize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 463), Integer32()).setLabel("internetProfile-X25Options-Windowsize").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_Windowsize.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_Windowsize.setDescription('Window size requested on outgoing X.25 calls.')
internetProfile_X25Options_Packetsize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 464), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("n-6", 7), ("n-7", 8), ("n-8", 9), ("n-9", 10), ("n-10", 11), ("n-11", 12), ("n-12", 13)))).setLabel("internetProfile-X25Options-Packetsize").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_Packetsize.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_Packetsize.setDescription('Packet size requested on outgoing X.25 calls.')
internetProfile_X25Options_X25Rpoa = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 169), DisplayString()).setLabel("internetProfile-X25Options-X25Rpoa").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X25Rpoa.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X25Rpoa.setDescription('X.25 RPOA facility.')
internetProfile_X25Options_X25CugIndex = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 170), DisplayString()).setLabel("internetProfile-X25Options-X25CugIndex").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X25CugIndex.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X25CugIndex.setDescription('X.25 CUG index. Supplied as a right-justified field e.g. 1 should be 0001')
internetProfile_X25Options_X25Nui = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 171), DisplayString()).setLabel("internetProfile-X25Options-X25Nui").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X25Nui.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X25Nui.setDescription('X.25 NUI facility.')
internetProfile_X25Options_PadBanner = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 172), DisplayString()).setLabel("internetProfile-X25Options-PadBanner").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadBanner.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadBanner.setDescription('PAD banner message.')
internetProfile_X25Options_PadPrompt = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 173), DisplayString()).setLabel("internetProfile-X25Options-PadPrompt").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadPrompt.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadPrompt.setDescription('PAD prompt.')
internetProfile_X25Options_PadNuiPrompt = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 174), DisplayString()).setLabel("internetProfile-X25Options-PadNuiPrompt").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadNuiPrompt.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadNuiPrompt.setDescription('NUI prompt.')
internetProfile_X25Options_PadNuiPwPrompt = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 175), DisplayString()).setLabel("internetProfile-X25Options-PadNuiPwPrompt").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadNuiPwPrompt.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadNuiPwPrompt.setDescription('NUI password prompt.')
internetProfile_X25Options_PadAlias1 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 176), DisplayString()).setLabel("internetProfile-X25Options-PadAlias1").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadAlias1.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadAlias1.setDescription('PAD Alias number 1.')
internetProfile_X25Options_PadAlias2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 177), DisplayString()).setLabel("internetProfile-X25Options-PadAlias2").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadAlias2.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadAlias2.setDescription('PAD Alias number 2.')
internetProfile_X25Options_PadAlias3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 178), DisplayString()).setLabel("internetProfile-X25Options-PadAlias3").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X25Options_PadAlias3.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadAlias3.setDescription('PAD Alias number 3.')
internetProfile_X25Options_PadDiagDisp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 179), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-X25Options-PadDiagDisp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_PadDiagDisp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadDiagDisp.setDescription('PAD D/B channel Diagnostic display.')
internetProfile_X25Options_PadDefaultListen = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 180), DisplayString()).setLabel("internetProfile-X25Options-PadDefaultListen").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_PadDefaultListen.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadDefaultListen.setDescription('PAD diag listen address.')
internetProfile_X25Options_PadDefaultPw = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 181), DisplayString()).setLabel("internetProfile-X25Options-PadDefaultPw").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_PadDefaultPw.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PadDefaultPw.setDescription('PAD diag password.')
internetProfile_X25Options_X121SourceAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 471), DisplayString()).setLabel("internetProfile-X25Options-X121SourceAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_X121SourceAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_X121SourceAddress.setDescription('X.121 address to use to identify this call')
internetProfile_X25Options_PosAuth = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 472), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("false", 1), ("true", 2)))).setLabel("internetProfile-X25Options-PosAuth").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X25Options_PosAuth.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X25Options_PosAuth.setDescription('Use POS Authentication')
internetProfile_EuOptions_DceAddr = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 182), Integer32()).setLabel("internetProfile-EuOptions-DceAddr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_EuOptions_DceAddr.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_EuOptions_DceAddr.setDescription('The address of the DCE side of the link when the EUNET UI protocol is used.')
internetProfile_EuOptions_DteAddr = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 183), Integer32()).setLabel("internetProfile-EuOptions-DteAddr").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_EuOptions_DteAddr.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_EuOptions_DteAddr.setDescription('The address of the DTE side of the link when the EUNET UI protocol is used.')
internetProfile_EuOptions_Mru = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 184), Integer32()).setLabel("internetProfile-EuOptions-Mru").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_EuOptions_Mru.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_EuOptions_Mru.setDescription('The MRU used for EUNET protocol connections.')
internetProfile_X75Options_KFramesOutstanding = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 185), Integer32()).setLabel("internetProfile-X75Options-KFramesOutstanding").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X75Options_KFramesOutstanding.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X75Options_KFramesOutstanding.setDescription('Number of frames outstanding before we require an ack. Defaults to 7.')
internetProfile_X75Options_N2Retransmissions = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 186), Integer32()).setLabel("internetProfile-X75Options-N2Retransmissions").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X75Options_N2Retransmissions.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X75Options_N2Retransmissions.setDescription('Number of retransmissions allowed. Defaults to 10.')
internetProfile_X75Options_T1RetranTimer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 187), Integer32()).setLabel("internetProfile-X75Options-T1RetranTimer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X75Options_T1RetranTimer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X75Options_T1RetranTimer.setDescription('Number of milliseconds between retransmissions. Defaults to 1000.')
internetProfile_X75Options_FrameLength = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 188), Integer32()).setLabel("internetProfile-X75Options-FrameLength").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X75Options_FrameLength.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X75Options_FrameLength.setDescription('Frame length to use for incoming X.75 connections. Defaults to 1024.')
internetProfile_AppletalkOptions_AtalkRoutingEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 189), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AppletalkOptions-AtalkRoutingEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkRoutingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkRoutingEnabled.setDescription('Enable/disable AppleTalk routine for this connection.')
internetProfile_AppletalkOptions_AtalkStaticZoneName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 190), DisplayString()).setLabel("internetProfile-AppletalkOptions-AtalkStaticZoneName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkStaticZoneName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkStaticZoneName.setDescription('The static Zone Name to show for this route.')
internetProfile_AppletalkOptions_AtalkStaticNetStart = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 191), Integer32()).setLabel("internetProfile-AppletalkOptions-AtalkStaticNetStart").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkStaticNetStart.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkStaticNetStart.setDescription('The Net Number start value for this route.')
internetProfile_AppletalkOptions_AtalkStaticNetEnd = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 192), Integer32()).setLabel("internetProfile-AppletalkOptions-AtalkStaticNetEnd").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkStaticNetEnd.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkStaticNetEnd.setDescription('The Net Number end value for this route.')
internetProfile_AppletalkOptions_AtalkPeerMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 193), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("routerPeer", 1), ("dialinPeer", 2)))).setLabel("internetProfile-AppletalkOptions-AtalkPeerMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkPeerMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AppletalkOptions_AtalkPeerMode.setDescription('Enable/disable full routing between peer or using proxy AARP to assign a network address.')
internetProfile_UsrRadOptions_AcctType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 194), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("global", 1), ("local", 2), ("both", 3)))).setLabel("internetProfile-UsrRadOptions-AcctType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctType.setDescription('Specify where accounting information for this connection will be sent, either the global server list, a per-user override, or both.')
internetProfile_UsrRadOptions_AcctHost = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 195), IpAddress()).setLabel("internetProfile-UsrRadOptions-AcctHost").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctHost.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctHost.setDescription('The IP address of the RADIUS accounting host.')
internetProfile_UsrRadOptions_AcctPort = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 196), Integer32()).setLabel("internetProfile-UsrRadOptions-AcctPort").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctPort.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctPort.setDescription('The UDP port of the RADIUS Accounting server.')
internetProfile_UsrRadOptions_AcctKey = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 197), DisplayString()).setLabel("internetProfile-UsrRadOptions-AcctKey").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctKey.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctKey.setDescription('The RADIUS accounting key.')
internetProfile_UsrRadOptions_AcctTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 198), Integer32()).setLabel("internetProfile-UsrRadOptions-AcctTimeout").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctTimeout.setDescription('Number of seconds to wait for a response to accounting request.')
internetProfile_UsrRadOptions_AcctIdBase = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 199), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("acctBase10", 1), ("acctBase16", 2)))).setLabel("internetProfile-UsrRadOptions-AcctIdBase").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctIdBase.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_UsrRadOptions_AcctIdBase.setDescription('The Base to use in reporting the Account ID')
internetProfile_CalledNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 200), DisplayString()).setLabel("internetProfile-CalledNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_CalledNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_CalledNumber.setDescription('The called line number for authentication.')
internetProfile_DhcpOptions_ReplyEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 201), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-DhcpOptions-ReplyEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_DhcpOptions_ReplyEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_DhcpOptions_ReplyEnabled.setDescription('Set to yes to enable replies to DHCP clients.')
internetProfile_DhcpOptions_PoolNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 202), Integer32()).setLabel("internetProfile-DhcpOptions-PoolNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_DhcpOptions_PoolNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_DhcpOptions_PoolNumber.setDescription('Allocate addresses from this pool.')
internetProfile_DhcpOptions_MaximumLeases = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 203), Integer32()).setLabel("internetProfile-DhcpOptions-MaximumLeases").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_DhcpOptions_MaximumLeases.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_DhcpOptions_MaximumLeases.setDescription('Maximum number of leases allowed on this connection.')
internetProfile_SharedProf = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 283), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-SharedProf").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SharedProf.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SharedProf.setDescription('When TRUE multiple users may share a connection profile, as long as IP addresses are not duplicated.')
internetProfile_MaxSharedUsers = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 465), Integer32()).setLabel("internetProfile-MaxSharedUsers").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_MaxSharedUsers.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_MaxSharedUsers.setDescription('Limits the maximum number of end users allowed to connect using a shared connection profile. The default value is 0 which means there is no limit.')
internetProfile_T3posOptions_X25Profile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 205), DisplayString()).setLabel("internetProfile-T3posOptions-X25Profile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25Profile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25Profile.setDescription('Name of the x25 profile that this profile is associated with.')
internetProfile_T3posOptions_MaxCalls = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 206), Integer32()).setLabel("internetProfile-T3posOptions-MaxCalls").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_T3posOptions_MaxCalls.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_MaxCalls.setDescription('Max number of unsuccessful calls')
internetProfile_T3posOptions_AutoCallX121Address = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 207), DisplayString()).setLabel("internetProfile-T3posOptions-AutoCallX121Address").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_AutoCallX121Address.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_AutoCallX121Address.setDescription('X.121 address to auto-call upon session startup.')
internetProfile_T3posOptions_ReverseCharge = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 208), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-T3posOptions-ReverseCharge").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_T3posOptions_ReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_ReverseCharge.setDescription('Reverse charge request')
internetProfile_T3posOptions_Answer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 209), DisplayString()).setLabel("internetProfile-T3posOptions-Answer").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_Answer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_Answer.setDescription('Answer number: mandatory if call mode is incoming or both.')
internetProfile_T3posOptions_T3PosHostInitMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 210), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("local", 1), ("binLocal", 2), ("transparent", 3), ("blind", 4), ("unknown", 5)))).setLabel("internetProfile-T3posOptions-T3PosHostInitMode").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosHostInitMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosHostInitMode.setDescription('T3POS Host Initialization mode: LOCAL/BIN-LOCAL/TRANSPARENT/BLIND')
internetProfile_T3posOptions_T3PosDteInitMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 211), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("local", 1), ("binLocal", 2), ("transparent", 3), ("blind", 4), ("unknown", 5)))).setLabel("internetProfile-T3posOptions-T3PosDteInitMode").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosDteInitMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosDteInitMode.setDescription('T3POS DTE Initialization mode: LOCAL/BIN-LOCAL/TRANSPARENT/BLIND')
internetProfile_T3posOptions_T3PosEnqHandling = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 212), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setLabel("internetProfile-T3posOptions-T3PosEnqHandling").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosEnqHandling.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosEnqHandling.setDescription('T3POS ENQ handling param')
internetProfile_T3posOptions_T3PosMaxBlockSize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 213), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("n-512", 1), ("n-1024", 2)))).setLabel("internetProfile-T3posOptions-T3PosMaxBlockSize").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosMaxBlockSize.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosMaxBlockSize.setDescription('T3POS Max block size: 512/1024')
internetProfile_T3posOptions_T3PosT1 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 214), Integer32()).setLabel("internetProfile-T3posOptions-T3PosT1").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT1.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT1.setDescription('T3POS T1 timer.')
internetProfile_T3posOptions_T3PosT2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 215), Integer32()).setLabel("internetProfile-T3posOptions-T3PosT2").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT2.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT2.setDescription('T3POS T2 timer.')
internetProfile_T3posOptions_T3PosT3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 216), Integer32()).setLabel("internetProfile-T3posOptions-T3PosT3").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT3.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT3.setDescription('T3POS T3 timer.')
internetProfile_T3posOptions_T3PosT4 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 217), Integer32()).setLabel("internetProfile-T3posOptions-T3PosT4").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT4.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT4.setDescription('T3POS T4 timer.')
internetProfile_T3posOptions_T3PosT5 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 218), Integer32()).setLabel("internetProfile-T3posOptions-T3PosT5").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT5.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT5.setDescription('T3POS T5 timer.')
internetProfile_T3posOptions_T3PosT6 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 219), Integer32()).setLabel("internetProfile-T3posOptions-T3PosT6").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT6.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosT6.setDescription('T3POS T6 timer.')
internetProfile_T3posOptions_T3PosMethodOfHostNotif = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 220), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("callRequestPacket", 2), ("modeSwitchFrame", 3)))).setLabel("internetProfile-T3posOptions-T3PosMethodOfHostNotif").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosMethodOfHostNotif.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosMethodOfHostNotif.setDescription('T3POS Method of Host Notification.')
internetProfile_T3posOptions_T3PosPidSelection = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 221), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("x29", 1), ("t3pos", 2)))).setLabel("internetProfile-T3posOptions-T3PosPidSelection").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosPidSelection.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosPidSelection.setDescription('T3POS PID selection: X.29, T3POS.')
internetProfile_T3posOptions_T3PosAckSuppression = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 222), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setLabel("internetProfile-T3posOptions-T3PosAckSuppression").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosAckSuppression.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_T3PosAckSuppression.setDescription('T3POS ACK suppression.')
internetProfile_T3posOptions_X25Rpoa = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 223), DisplayString()).setLabel("internetProfile-T3posOptions-X25Rpoa").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25Rpoa.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25Rpoa.setDescription('X.25 RPOA facility.')
internetProfile_T3posOptions_X25CugIndex = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 224), DisplayString()).setLabel("internetProfile-T3posOptions-X25CugIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25CugIndex.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25CugIndex.setDescription('X.25 CUG index.')
internetProfile_T3posOptions_X25Nui = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 225), DisplayString()).setLabel("internetProfile-T3posOptions-X25Nui").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25Nui.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_X25Nui.setDescription('X.25 NUI facility.')
internetProfile_T3posOptions_DataFormat = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 226), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("dataFormat7e1", 1), ("dataFormat7o1", 2), ("dataFormat7m1", 3), ("dataFormat7s1", 4), ("dataFormat8n1", 5)))).setLabel("internetProfile-T3posOptions-DataFormat").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_DataFormat.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_DataFormat.setDescription('T3POS Open/Local Data Format.')
internetProfile_T3posOptions_LinkAccessType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 227), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("axtypeDedicated", 1), ("axtypeDialIn", 2)))).setLabel("internetProfile-T3posOptions-LinkAccessType").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_T3posOptions_LinkAccessType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_T3posOptions_LinkAccessType.setDescription('T3POS Link access type.')
internetProfile_FramedOnly = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 228), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-FramedOnly").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_FramedOnly.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_FramedOnly.setDescription('A profile can be restricted to only doing the framed commands (ppp, mpp, slip, and quit) by setting this to YES')
internetProfile_AltdialNumber1 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 229), DisplayString()).setLabel("internetProfile-AltdialNumber1").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AltdialNumber1.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AltdialNumber1.setDescription('The first alternate phone number of the named station.')
internetProfile_AltdialNumber2 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 230), DisplayString()).setLabel("internetProfile-AltdialNumber2").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AltdialNumber2.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AltdialNumber2.setDescription('The second alternate phone number of the named station.')
internetProfile_AltdialNumber3 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 231), DisplayString()).setLabel("internetProfile-AltdialNumber3").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AltdialNumber3.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AltdialNumber3.setDescription('The third alternate phone number of the named station.')
internetProfile_X32Options_X32Profile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 232), DisplayString()).setLabel("internetProfile-X32Options-X32Profile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X32Options_X32Profile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X32Options_X32Profile.setDescription('Name of the x25 profile that this profile is associated with.')
internetProfile_X32Options_CallMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 233), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("both", 1), ("outgoing", 2), ("incoming", 3)))).setLabel("internetProfile-X32Options-CallMode").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_X32Options_CallMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X32Options_CallMode.setDescription('Call mode for this interface: Incoming')
internetProfile_X32Options_X32ApplMode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 424), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("netToNet", 1), ("isdnCircuitMode", 2), ("isdnPacketMode", 3), ("last", 4)))).setLabel("internetProfile-X32Options-X32ApplMode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_X32Options_X32ApplMode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_X32Options_X32ApplMode.setDescription('Appl mode for this interface')
internetProfile_TunnelOptions_ProfileType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 234), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 1), ("mobileClient", 2), ("gatewayProfile", 3), ("dialoutProfile", 4)))).setLabel("internetProfile-TunnelOptions-ProfileType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_ProfileType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_ProfileType.setDescription('The type of connection this profile describes')
internetProfile_TunnelOptions_TunnelingProtocol = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 235), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 8))).clone(namedValues=NamedValues(("disabled", 1), ("pptpProtocol", 2), ("l2fProtocol", 3), ("l2tpProtocol", 4), ("atmpProtocol", 5), ("vtpProtocol", 6), ("ipinipProtocol", 8)))).setLabel("internetProfile-TunnelOptions-TunnelingProtocol").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_TunnelingProtocol.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_TunnelingProtocol.setDescription('The protocol used for tunneling, if enabled')
internetProfile_TunnelOptions_MaxTunnels = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 236), Integer32()).setLabel("internetProfile-TunnelOptions-MaxTunnels").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_MaxTunnels.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_MaxTunnels.setDescription('If this profile is a tunnel gateway, then this parameter specifies the maximum number of tunnels allowed to the home network specified by the name of this profile.')
internetProfile_TunnelOptions_AtmpHaRip = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 237), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ripOff", 1), ("ripSendV2", 2)))).setLabel("internetProfile-TunnelOptions-AtmpHaRip").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_AtmpHaRip.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_AtmpHaRip.setDescription("Allows an ATMP home agent to send routing updates to the home network consisting of the mobile nodes' addresses.")
internetProfile_TunnelOptions_PrimaryTunnelServer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 238), DisplayString()).setLabel("internetProfile-TunnelOptions-PrimaryTunnelServer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_PrimaryTunnelServer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_PrimaryTunnelServer.setDescription("The IP address or hostname of the primary tunnel server if this is a mobile client's profile.")
internetProfile_TunnelOptions_SecondaryTunnelServer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 239), DisplayString()).setLabel("internetProfile-TunnelOptions-SecondaryTunnelServer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_SecondaryTunnelServer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_SecondaryTunnelServer.setDescription("The IP address or hostname of the secondary tunnel server if this is a mobile client's profile.")
internetProfile_TunnelOptions_UdpPort = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 240), Integer32()).setLabel("internetProfile-TunnelOptions-UdpPort").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_UdpPort.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_UdpPort.setDescription("The default UDP port to use when communicating with the ATMP home agent, if this is a mobile client's profile.")
internetProfile_TunnelOptions_Password = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 241), DisplayString()).setLabel("internetProfile-TunnelOptions-Password").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_Password.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_Password.setDescription('The password required by the tunnel server, if this is a mobile client profile.')
internetProfile_TunnelOptions_HomeNetworkName = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 242), DisplayString()).setLabel("internetProfile-TunnelOptions-HomeNetworkName").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_HomeNetworkName.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_HomeNetworkName.setDescription("The name of the home network if the ATMP home agent is operating in gateway mode. It should be empty if the ATMP home agent is operating in router mode. For L2TP, it indicates the Private Group ID value for a client. Used for ATMP and L2TP mobile client's profiles.")
internetProfile_TunnelOptions_ClientAuthId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 413), DisplayString()).setLabel("internetProfile-TunnelOptions-ClientAuthId").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_ClientAuthId.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_ClientAuthId.setDescription('The system name used by the Tunnel Initiator during Tunnel establishment for the purposes of tunnel authentication. This is different and independent from user authentication. Used on L2TP and L2F.')
internetProfile_TunnelOptions_ServerAuthId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 417), DisplayString()).setLabel("internetProfile-TunnelOptions-ServerAuthId").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_ServerAuthId.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_ServerAuthId.setDescription('The system name used by the Tunnel Terminator during Tunnel establishment for the purposes of tunnel authentication. This is different and independent from user authentication. Used on L2TP and L2F.')
internetProfile_TunnelOptions_Vrouter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 356), DisplayString()).setLabel("internetProfile-TunnelOptions-Vrouter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_Vrouter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_Vrouter.setDescription('The name of the virtual router used for the tunnel.')
internetProfile_TunnelOptions_AssignmentId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 418), DisplayString()).setLabel("internetProfile-TunnelOptions-AssignmentId").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_AssignmentId.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_AssignmentId.setDescription('The identification assigned to tunnels so that sessions could be grouped into different tunnels based on this Id. This Id only has local significance and is not transmited to the remote tunnel-endpoint.')
internetProfile_TunnelOptions_TosCopying = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 473), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-TunnelOptions-TosCopying").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_TunnelOptions_TosCopying.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_TunnelOptions_TosCopying.setDescription('Control the TOS byte of the outer IP header')
internetProfile_IpsecOptions_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 474), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-IpsecOptions-Enabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpsecOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpsecOptions_Enabled.setDescription('IPSec can be disabled on a profile by setting this field to no.')
internetProfile_IpsecOptions_SecurityPolicyDatabase = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 475), DisplayString()).setLabel("internetProfile-IpsecOptions-SecurityPolicyDatabase").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpsecOptions_SecurityPolicyDatabase.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpsecOptions_SecurityPolicyDatabase.setDescription('The name of the IPSec SPD profile to be used.')
internetProfile_PriNumberingPlanId = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 244), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 10))).clone(namedValues=NamedValues(("unknown", 1), ("iSDN", 2), ("private", 10)))).setLabel("internetProfile-PriNumberingPlanId").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriNumberingPlanId.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriNumberingPlanId.setDescription("PRI Called Party element's Numbering-Plan-ID value for outgoing PRI calls.")
internetProfile_Vrouter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 245), DisplayString()).setLabel("internetProfile-Vrouter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Vrouter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Vrouter.setDescription('Specifies the VRouter in which this profile belongs.')
internetProfile_CrossConnectIndex = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 425), Integer32()).setLabel("internetProfile-CrossConnectIndex").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_CrossConnectIndex.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_CrossConnectIndex.setDescription('AToM Mib cross connect index.')
internetProfile_AtmOptions_Atm1483type = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 246), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("aal5Llc", 1), ("aal5Vc", 2)))).setLabel("internetProfile-AtmOptions-Atm1483type").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_Atm1483type.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_Atm1483type.setDescription('The type of AAL5 multiplexing.')
internetProfile_AtmOptions_Vpi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 247), Integer32()).setLabel("internetProfile-AtmOptions-Vpi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_Vpi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_Vpi.setDescription('The VPI of this connection.')
internetProfile_AtmOptions_Vci = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 248), Integer32()).setLabel("internetProfile-AtmOptions-Vci").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_Vci.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_Vci.setDescription('The VCI of this connection.')
internetProfile_AtmOptions_NailedGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 256), Integer32()).setLabel("internetProfile-AtmOptions-NailedGroup").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_NailedGroup.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_NailedGroup.setDescription('A number that identifies the set of lines that makes up a nailed-group.')
internetProfile_AtmOptions_CastType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 426), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4))).clone(namedValues=NamedValues(("p2p", 2), ("p2mproot", 3), ("p2mpleaf", 4)))).setLabel("internetProfile-AtmOptions-CastType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_CastType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_CastType.setDescription('The connection topology type.')
internetProfile_AtmOptions_ConnKind = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 427), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("pvc", 2), ("svcIncoming", 3), ("svcOutgoing", 4), ("spvcInitiator", 5), ("spvcTarget", 6)))).setLabel("internetProfile-AtmOptions-ConnKind").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_ConnKind.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_ConnKind.setDescription('The use of call control.')
internetProfile_AtmOptions_AtmServiceType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 257), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("atmUbrService", 1), ("atmCbrService", 2), ("atmAbrService", 3), ("atmVbrService", 4)))).setLabel("internetProfile-AtmOptions-AtmServiceType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmServiceType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmServiceType.setDescription('ATM service type.')
internetProfile_AtmOptions_AtmServiceRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 258), Integer32()).setLabel("internetProfile-AtmOptions-AtmServiceRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmServiceRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmServiceRate.setDescription('ATM service rate is the minimum bits per second that is required.')
internetProfile_AtmOptions_VpSwitching = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 304), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmOptions-VpSwitching").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_VpSwitching.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_VpSwitching.setDescription('Is this VP switching? VP = 0 is used for VC switching and VP > 0 is used for VP switching.')
internetProfile_AtmOptions_TargetAtmAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 428), DisplayString()).setLabel("internetProfile-AtmOptions-TargetAtmAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetAtmAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetAtmAddress.setDescription('The target ATM Address of this Soft PVcc or PVpc.')
internetProfile_AtmOptions_TargetSelect = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 429), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("required", 2), ("any", 3)))).setLabel("internetProfile-AtmOptions-TargetSelect").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetSelect.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetSelect.setDescription('Indicates whether the target VPI/VCI values are to be used at the destination.')
internetProfile_AtmOptions_TargetVpi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 430), Integer32()).setLabel("internetProfile-AtmOptions-TargetVpi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetVpi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetVpi.setDescription('Target VPI.')
internetProfile_AtmOptions_TargetVci = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 431), Integer32()).setLabel("internetProfile-AtmOptions-TargetVci").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetVci.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_TargetVci.setDescription('Target VCI.')
internetProfile_AtmOptions_SpvcRetryInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 448), Integer32()).setLabel("internetProfile-AtmOptions-SpvcRetryInterval").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SpvcRetryInterval.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SpvcRetryInterval.setDescription('Period to wait before attempting to establish SPVC after the first SPVC setup failure. 0 indicates no retry')
internetProfile_AtmOptions_SpvcRetryThreshold = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 449), Integer32()).setLabel("internetProfile-AtmOptions-SpvcRetryThreshold").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SpvcRetryThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SpvcRetryThreshold.setDescription('The number of consecutive call setup attempts for the SPVC to fail before the call failure is declared. 0 indicates infinite number of call attempts that means failure is not declared.')
internetProfile_AtmOptions_SpvcRetryLimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 450), Integer32()).setLabel("internetProfile-AtmOptions-SpvcRetryLimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SpvcRetryLimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SpvcRetryLimit.setDescription('Maximum limit on how many consecutive unsuccessful call setup attempts can be made before stopping the attempt to set up the connection.')
internetProfile_AtmOptions_AtmDirectEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 306), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmOptions-AtmDirectEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmDirectEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmDirectEnabled.setDescription('Enable ATM Direct.')
internetProfile_AtmOptions_AtmDirectProfile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 307), DisplayString()).setLabel("internetProfile-AtmOptions-AtmDirectProfile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmDirectProfile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmDirectProfile.setDescription('The atm connection profile name to be used for the ATM Direct connection.')
internetProfile_AtmOptions_VcFaultManagement = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 357), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("segmentLoopback", 2), ("endToEndLoopback", 3)))).setLabel("internetProfile-AtmOptions-VcFaultManagement").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_VcFaultManagement.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_VcFaultManagement.setDescription('The VC fault management function to be used for this VC.')
internetProfile_AtmOptions_VcMaxLoopbackCellLoss = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 358), Integer32()).setLabel("internetProfile-AtmOptions-VcMaxLoopbackCellLoss").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_VcMaxLoopbackCellLoss.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_VcMaxLoopbackCellLoss.setDescription('The maximum number of consecutive cell loopback failures before the call is disconnected.')
internetProfile_AtmOptions_SvcOptions_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 308), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmOptions-SvcOptions-Enabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_Enabled.setDescription('Enable ATM SVC.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 381), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 9))).clone(namedValues=NamedValues(("undefined", 1), ("isdn", 2), ("aesa", 3), ("unknown", 5), ("x121", 9)))).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-NumberingPlan").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 382), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-E164NativeAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 383), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 6, 4, 5))).clone(namedValues=NamedValues(("undefined", 1), ("dccAesa", 2), ("icdAesa", 6), ("e164Aesa", 4), ("customAesa", 5)))).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-Format").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 384), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Afi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 385), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Idi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 386), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-HoDsp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 387), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Esi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 388), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Sel").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 389), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 9))).clone(namedValues=NamedValues(("undefined", 1), ("isdn", 2), ("aesa", 3), ("unknown", 5), ("x121", 9)))).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-NumberingPlan").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 390), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-E164NativeAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 391), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 6, 4, 5))).clone(namedValues=NamedValues(("undefined", 1), ("dccAesa", 2), ("icdAesa", 6), ("e164Aesa", 4), ("customAesa", 5)))).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-Format").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 392), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Afi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 393), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Idi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 394), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-HoDsp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 395), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Esi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 396), DisplayString()).setLabel("internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Sel").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internetProfile_AtmOptions_AtmInverseArp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 327), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmOptions-AtmInverseArp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmInverseArp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmInverseArp.setDescription('Send Atm Inverse Arp request for this connection.')
internetProfile_AtmOptions_Fr08Mode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 367), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("translation", 1), ("transparent", 2)))).setLabel("internetProfile-AtmOptions-Fr08Mode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_Fr08Mode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_Fr08Mode.setDescription('The FR-08 transparent mode')
internetProfile_AtmOptions_AtmCircuitProfile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 432), DisplayString()).setLabel("internetProfile-AtmOptions-AtmCircuitProfile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmCircuitProfile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_AtmCircuitProfile.setDescription('The atm circuit profile name to be used for this connection.')
internetProfile_AtmOptions_OamAisF5 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 451), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disable", 1), ("segment", 2), ("endToEnd", 3)))).setLabel("internetProfile-AtmOptions-OamAisF5").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_OamAisF5.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_OamAisF5.setDescription('Disable/Enable sending OAM AIS F5 cells when pvc is down.')
internetProfile_AtmOptions_OamSupport = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 452), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmOptions-OamSupport").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_OamSupport.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_OamSupport.setDescription('Is F4 OAM supported? It is used only when vp-switching is yes. The Stinger system can only support F4 OAM for 50 VPC segments in total.')
internetProfile_AtmOptions_Mtu = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 468), Integer32()).setLabel("internetProfile-AtmOptions-Mtu").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmOptions_Mtu.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmOptions_Mtu.setDescription('The maximum packet size (excluding LLC encapsulation if used) that can be transmitted to a remote peer without performing fragmentation.')
internetProfile_HdlcNrmOptions_SnrmResponseTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 259), Integer32()).setLabel("internetProfile-HdlcNrmOptions-SnrmResponseTimeout").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_SnrmResponseTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_SnrmResponseTimeout.setDescription('SNRM Response Timeout in milliseconds.')
internetProfile_HdlcNrmOptions_SnrmRetryCounter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 260), Integer32()).setLabel("internetProfile-HdlcNrmOptions-SnrmRetryCounter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_SnrmRetryCounter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_SnrmRetryCounter.setDescription('SNRM Retry Counter in units.')
internetProfile_HdlcNrmOptions_PollTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 261), Integer32()).setLabel("internetProfile-HdlcNrmOptions-PollTimeout").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_PollTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_PollTimeout.setDescription('HDLC-NRM Poll Reponse Timeout in milliseconds')
internetProfile_HdlcNrmOptions_PollRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 262), Integer32()).setLabel("internetProfile-HdlcNrmOptions-PollRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_PollRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_PollRate.setDescription('HDLC-NRM Poll Rate in milliseconds')
internetProfile_HdlcNrmOptions_PollRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 263), Integer32()).setLabel("internetProfile-HdlcNrmOptions-PollRetryCount").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_PollRetryCount.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_PollRetryCount.setDescription('Poll Response Retry Counter in units')
internetProfile_HdlcNrmOptions_Primary = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 264), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-HdlcNrmOptions-Primary").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_Primary.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_Primary.setDescription('Primary station (Yes) or Secondary station (No).')
internetProfile_HdlcNrmOptions_AsyncDrop = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 368), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-HdlcNrmOptions-AsyncDrop").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_AsyncDrop.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_AsyncDrop.setDescription('Drop Async I-frames (Yes) or process (No).')
internetProfile_HdlcNrmOptions_StationPollAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 416), Integer32()).setLabel("internetProfile-HdlcNrmOptions-StationPollAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_StationPollAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_HdlcNrmOptions_StationPollAddress.setDescription('Secondary station address to use for SNRM polling')
internetProfile_AtmConnectOptions_Atm1483type = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 265), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("aal5Llc", 1), ("aal5Vc", 2)))).setLabel("internetProfile-AtmConnectOptions-Atm1483type").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Atm1483type.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Atm1483type.setDescription('The type of AAL5 multiplexing.')
internetProfile_AtmConnectOptions_Vpi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 266), Integer32()).setLabel("internetProfile-AtmConnectOptions-Vpi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Vpi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Vpi.setDescription('The VPI of this connection.')
internetProfile_AtmConnectOptions_Vci = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 267), Integer32()).setLabel("internetProfile-AtmConnectOptions-Vci").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Vci.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Vci.setDescription('The VCI of this connection.')
internetProfile_AtmConnectOptions_NailedGroup = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 268), Integer32()).setLabel("internetProfile-AtmConnectOptions-NailedGroup").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_NailedGroup.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_NailedGroup.setDescription('A number that identifies the set of lines that makes up a nailed-group.')
internetProfile_AtmConnectOptions_CastType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 433), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4))).clone(namedValues=NamedValues(("p2p", 2), ("p2mproot", 3), ("p2mpleaf", 4)))).setLabel("internetProfile-AtmConnectOptions-CastType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_CastType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_CastType.setDescription('The connection topology type.')
internetProfile_AtmConnectOptions_ConnKind = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 434), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("pvc", 2), ("svcIncoming", 3), ("svcOutgoing", 4), ("spvcInitiator", 5), ("spvcTarget", 6)))).setLabel("internetProfile-AtmConnectOptions-ConnKind").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_ConnKind.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_ConnKind.setDescription('The use of call control.')
internetProfile_AtmConnectOptions_AtmServiceType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 269), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("atmUbrService", 1), ("atmCbrService", 2), ("atmAbrService", 3), ("atmVbrService", 4)))).setLabel("internetProfile-AtmConnectOptions-AtmServiceType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmServiceType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmServiceType.setDescription('ATM service type.')
internetProfile_AtmConnectOptions_AtmServiceRate = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 270), Integer32()).setLabel("internetProfile-AtmConnectOptions-AtmServiceRate").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmServiceRate.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmServiceRate.setDescription('ATM service rate is the minimum bits per second that is required.')
internetProfile_AtmConnectOptions_VpSwitching = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 328), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmConnectOptions-VpSwitching").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_VpSwitching.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_VpSwitching.setDescription('Is this VP switching? VP = 0 is used for VC switching and VP > 0 is used for VP switching.')
internetProfile_AtmConnectOptions_TargetAtmAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 435), DisplayString()).setLabel("internetProfile-AtmConnectOptions-TargetAtmAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetAtmAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetAtmAddress.setDescription('The target ATM Address of this Soft PVcc or PVpc.')
internetProfile_AtmConnectOptions_TargetSelect = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 436), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("required", 2), ("any", 3)))).setLabel("internetProfile-AtmConnectOptions-TargetSelect").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetSelect.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetSelect.setDescription('Indicates whether the target VPI/VCI values are to be used at the destination.')
internetProfile_AtmConnectOptions_TargetVpi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 437), Integer32()).setLabel("internetProfile-AtmConnectOptions-TargetVpi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetVpi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetVpi.setDescription('Target VPI.')
internetProfile_AtmConnectOptions_TargetVci = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 438), Integer32()).setLabel("internetProfile-AtmConnectOptions-TargetVci").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetVci.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_TargetVci.setDescription('Target VCI.')
internetProfile_AtmConnectOptions_SpvcRetryInterval = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 453), Integer32()).setLabel("internetProfile-AtmConnectOptions-SpvcRetryInterval").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SpvcRetryInterval.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SpvcRetryInterval.setDescription('Period to wait before attempting to establish SPVC after the first SPVC setup failure. 0 indicates no retry')
internetProfile_AtmConnectOptions_SpvcRetryThreshold = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 454), Integer32()).setLabel("internetProfile-AtmConnectOptions-SpvcRetryThreshold").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SpvcRetryThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SpvcRetryThreshold.setDescription('The number of consecutive call setup attempts for the SPVC to fail before the call failure is declared. 0 indicates infinite number of call attempts that means failure is not declared.')
internetProfile_AtmConnectOptions_SpvcRetryLimit = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 455), Integer32()).setLabel("internetProfile-AtmConnectOptions-SpvcRetryLimit").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SpvcRetryLimit.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SpvcRetryLimit.setDescription('Maximum limit on how many consecutive unsuccessful call setup attempts can be made before stopping the attempt to set up the connection.')
internetProfile_AtmConnectOptions_AtmDirectEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 330), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmConnectOptions-AtmDirectEnabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmDirectEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmDirectEnabled.setDescription('Enable ATM Direct.')
internetProfile_AtmConnectOptions_AtmDirectProfile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 331), DisplayString()).setLabel("internetProfile-AtmConnectOptions-AtmDirectProfile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmDirectProfile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmDirectProfile.setDescription('The atm connection profile name to be used for the ATM Direct connection.')
internetProfile_AtmConnectOptions_VcFaultManagement = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 369), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("segmentLoopback", 2), ("endToEndLoopback", 3)))).setLabel("internetProfile-AtmConnectOptions-VcFaultManagement").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_VcFaultManagement.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_VcFaultManagement.setDescription('The VC fault management function to be used for this VC.')
internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 370), Integer32()).setLabel("internetProfile-AtmConnectOptions-VcMaxLoopbackCellLoss").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss.setDescription('The maximum number of consecutive cell loopback failures before the call is disconnected.')
internetProfile_AtmConnectOptions_SvcOptions_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 332), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmConnectOptions-SvcOptions-Enabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_Enabled.setDescription('Enable ATM SVC.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 397), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 9))).clone(namedValues=NamedValues(("undefined", 1), ("isdn", 2), ("aesa", 3), ("unknown", 5), ("x121", 9)))).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-NumberingPlan").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 398), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-E164NativeAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 399), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 6, 4, 5))).clone(namedValues=NamedValues(("undefined", 1), ("dccAesa", 2), ("icdAesa", 6), ("e164Aesa", 4), ("customAesa", 5)))).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-Format").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 400), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Afi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 401), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Idi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 402), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-HoDsp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 403), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Esi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 404), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Sel").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 405), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 5, 9))).clone(namedValues=NamedValues(("undefined", 1), ("isdn", 2), ("aesa", 3), ("unknown", 5), ("x121", 9)))).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-NumberingPlan").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 406), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-E164NativeAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 407), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 6, 4, 5))).clone(namedValues=NamedValues(("undefined", 1), ("dccAesa", 2), ("icdAesa", 6), ("e164Aesa", 4), ("customAesa", 5)))).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-Format").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 408), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Afi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 409), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Idi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 410), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-HoDsp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 411), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Esi").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 412), DisplayString()).setLabel("internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Sel").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internetProfile_AtmConnectOptions_AtmInverseArp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 351), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmConnectOptions-AtmInverseArp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmInverseArp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmInverseArp.setDescription('Send Atm Inverse Arp request for this connection.')
internetProfile_AtmConnectOptions_Fr08Mode = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 379), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("translation", 1), ("transparent", 2)))).setLabel("internetProfile-AtmConnectOptions-Fr08Mode").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Fr08Mode.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Fr08Mode.setDescription('The FR-08 transparent mode')
internetProfile_AtmConnectOptions_AtmCircuitProfile = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 439), DisplayString()).setLabel("internetProfile-AtmConnectOptions-AtmCircuitProfile").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmCircuitProfile.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_AtmCircuitProfile.setDescription('The atm circuit profile name to be used for this connection.')
internetProfile_AtmConnectOptions_OamAisF5 = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 456), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("disable", 1), ("segment", 2), ("endToEnd", 3)))).setLabel("internetProfile-AtmConnectOptions-OamAisF5").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_OamAisF5.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_OamAisF5.setDescription('Disable/Enable sending OAM AIS F5 cells when pvc is down.')
internetProfile_AtmConnectOptions_OamSupport = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 457), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmConnectOptions-OamSupport").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_OamSupport.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_OamSupport.setDescription('Is F4 OAM supported? It is used only when vp-switching is yes. The Stinger system can only support F4 OAM for 50 VPC segments in total.')
internetProfile_AtmConnectOptions_Mtu = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 469), Integer32()).setLabel("internetProfile-AtmConnectOptions-Mtu").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Mtu.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmConnectOptions_Mtu.setDescription('The maximum packet size (excluding LLC encapsulation if used) that can be transmitted to a remote peer without performing fragmentation.')
internetProfile_Visa2Options_IdleCharacterDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 271), Integer32()).setLabel("internetProfile-Visa2Options-IdleCharacterDelay").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_IdleCharacterDelay.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_IdleCharacterDelay.setDescription('Idle Character Delay in milliseconds.')
internetProfile_Visa2Options_FirstDataForwardCharacter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 272), DisplayString()).setLabel("internetProfile-Visa2Options-FirstDataForwardCharacter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_FirstDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_FirstDataForwardCharacter.setDescription('First Data Forwarding Character. Default is 0x04')
internetProfile_Visa2Options_SecondDataForwardCharacter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 273), DisplayString()).setLabel("internetProfile-Visa2Options-SecondDataForwardCharacter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_SecondDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_SecondDataForwardCharacter.setDescription('Second Data Forwarding Character. Default is 0x06')
internetProfile_Visa2Options_ThirdDataForwardCharacter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 274), DisplayString()).setLabel("internetProfile-Visa2Options-ThirdDataForwardCharacter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_ThirdDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_ThirdDataForwardCharacter.setDescription('Third Data Forwarding Character. Default is 0x15')
internetProfile_Visa2Options_FourthDataForwardCharacter = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 275), DisplayString()).setLabel("internetProfile-Visa2Options-FourthDataForwardCharacter").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_FourthDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_FourthDataForwardCharacter.setDescription('Fourth Data Forwarding Character. Default is 0x05')
internetProfile_Visa2Options_o1CharSequence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 276), DisplayString()).setLabel("internetProfile-Visa2Options-o1CharSequence").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_o1CharSequence.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_o1CharSequence.setDescription('1 character data forwarding sequence. Default is 0x03')
internetProfile_Visa2Options_o2CharSequence = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 277), DisplayString()).setLabel("internetProfile-Visa2Options-o2CharSequence").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Visa2Options_o2CharSequence.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Visa2Options_o2CharSequence.setDescription('2 character data forwarding sequence. Default is 0x00:0x03')
internetProfile_SdtnPacketsServer = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 278), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-SdtnPacketsServer").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_SdtnPacketsServer.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_SdtnPacketsServer.setDescription('Decides if this profile Handles sdtn-packets. Note, the Sdtn data packets may still be encapsulated')
internetProfile_oATString = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 279), DisplayString()).setLabel("internetProfile-oATString").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_oATString.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_oATString.setDescription('Allows the user to enter customized AT commands in the modem dial or answer string.')
internetProfile_PortRedirectOptions_Protocol = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 280), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 7, 18))).clone(namedValues=NamedValues(("none", 1), ("tcp", 7), ("udp", 18)))).setLabel("internetProfile-PortRedirectOptions-Protocol").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PortRedirectOptions_Protocol.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PortRedirectOptions_Protocol.setDescription('The protocol to be redirected.')
internetProfile_PortRedirectOptions_PortNumber = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 281), Integer32()).setLabel("internetProfile-PortRedirectOptions-PortNumber").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PortRedirectOptions_PortNumber.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PortRedirectOptions_PortNumber.setDescription('Port number to be redirected.')
internetProfile_PortRedirectOptions_RedirectAddress = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 282), IpAddress()).setLabel("internetProfile-PortRedirectOptions-RedirectAddress").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PortRedirectOptions_RedirectAddress.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PortRedirectOptions_RedirectAddress.setDescription('IP Address of server to which packet is to be redirected.')
internetProfile_PppoeOptions_Pppoe = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 288), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-PppoeOptions-Pppoe").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppoeOptions_Pppoe.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppoeOptions_Pppoe.setDescription('Enable or disable the ability to establish PPP over Ethernet session over this interface.')
internetProfile_PppoeOptions_BridgeNonPppoe = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 289), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-PppoeOptions-BridgeNonPppoe").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PppoeOptions_BridgeNonPppoe.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PppoeOptions_BridgeNonPppoe.setDescription('States wheather to bridge all other protocols except PPPoE on this interface or not.')
internetProfile_AtmQosOptions_UsrUpStreamContract = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 352), DisplayString()).setLabel("internetProfile-AtmQosOptions-UsrUpStreamContract").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmQosOptions_UsrUpStreamContract.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmQosOptions_UsrUpStreamContract.setDescription('Quality of Service (QOS) contract for user up stream traffic')
internetProfile_AtmQosOptions_UsrDnStreamContract = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 353), DisplayString()).setLabel("internetProfile-AtmQosOptions-UsrDnStreamContract").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmQosOptions_UsrDnStreamContract.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmQosOptions_UsrDnStreamContract.setDescription('Quality of Service (QOS) contract for user down stream traffic')
internetProfile_AtmQosOptions_SubtendingHops = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 470), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("n-0Level", 1), ("n-1Level", 2), ("n-2Level", 3), ("n-3Level", 4)))).setLabel("internetProfile-AtmQosOptions-SubtendingHops").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmQosOptions_SubtendingHops.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmQosOptions_SubtendingHops.setDescription('Number of hops from which the end-point of this connection originates')
internetProfile_BirOptions_Enable = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 290), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-BirOptions-Enable").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BirOptions_Enable.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BirOptions_Enable.setDescription('Enable or disable the BIR on this interface.')
internetProfile_BirOptions_ProxyArp = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 291), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-BirOptions-ProxyArp").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_BirOptions_ProxyArp.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_BirOptions_ProxyArp.setDescription('Specify how proxy arp is to be used on an interface.')
internetProfile_AtmAalOptions_AalEnabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 440), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-AtmAalOptions-AalEnabled").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_AalEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_AalEnabled.setDescription('Enable the AAl options')
internetProfile_AtmAalOptions_AalType = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 441), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("aal0", 1), ("aal5", 2), ("unspecified", 3)))).setLabel("internetProfile-AtmAalOptions-AalType").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_AalType.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_AalType.setDescription('ATM Adaptation Layer type')
internetProfile_AtmAalOptions_TransmitSduSize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 442), Integer32()).setLabel("internetProfile-AtmAalOptions-TransmitSduSize").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_TransmitSduSize.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_TransmitSduSize.setDescription('Size of the trasmitt Service Data Unit in octets.')
internetProfile_AtmAalOptions_ReceiveSduSize = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 443), Integer32()).setLabel("internetProfile-AtmAalOptions-ReceiveSduSize").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_ReceiveSduSize.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_AtmAalOptions_ReceiveSduSize.setDescription('Size of the receive Service Data Unit in octets.')
internetProfile_ConnUser = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 444), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("default", 1), ("cpcs", 2)))).setLabel("internetProfile-ConnUser").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_ConnUser.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_ConnUser.setDescription('Connetion User type .')
internetProfile_ModemOnHoldTimeout = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 458), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("mohDisabled", 1), ("n-10SecMohTimeout", 2), ("n-20SecMohTimeout", 3), ("n-30SecMohTimeout", 4), ("n-40SecMohTimeout", 5), ("n-1MinMohTimeout", 6), ("n-2MinMohTimeout", 7), ("n-3MinMohTimeout", 8), ("n-4MinMohTimeout", 9), ("n-6MinMohTimeout", 10), ("n-8MinMohTimeout", 11), ("n-12MinMohTimeout", 12), ("n-16MinMohTimeout", 13), ("noLimitMohTimeout", 14), ("connProfileUseGlobal", 15)))).setLabel("internetProfile-ModemOnHoldTimeout").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_ModemOnHoldTimeout.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_ModemOnHoldTimeout.setDescription('The allowable Modem-on-Hold timeout values.')
internetProfile_PriorityOptions_Enabled = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 482), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("no", 1), ("yes", 2)))).setLabel("internetProfile-PriorityOptions-Enabled").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriorityOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriorityOptions_Enabled.setDescription('Enable priority classification.')
internetProfile_PriorityOptions_PacketClassification = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 477), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("qosTag", 2), ("udpPortRange", 3)))).setLabel("internetProfile-PriorityOptions-PacketClassification").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriorityOptions_PacketClassification.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriorityOptions_PacketClassification.setDescription('Method used to classify PPP packets.')
internetProfile_PriorityOptions_MaxRtpPacketDelay = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 478), Integer32()).setLabel("internetProfile-PriorityOptions-MaxRtpPacketDelay").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriorityOptions_MaxRtpPacketDelay.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriorityOptions_MaxRtpPacketDelay.setDescription('Maximum delay for RTP packets in milli-seconds. Used for calculating the fragment size for the non-rtp traffic using the same link.')
internetProfile_PriorityOptions_MinimumRtpPort = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 479), Integer32()).setLabel("internetProfile-PriorityOptions-MinimumRtpPort").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriorityOptions_MinimumRtpPort.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriorityOptions_MinimumRtpPort.setDescription('Minimum UDP port for prioritization')
internetProfile_PriorityOptions_MaximumRtpPort = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 480), Integer32()).setLabel("internetProfile-PriorityOptions-MaximumRtpPort").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriorityOptions_MaximumRtpPort.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriorityOptions_MaximumRtpPort.setDescription('Maximum UDP port for prioritization')
internetProfile_PriorityOptions_NoHighPrioPktDuration = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 481), Integer32()).setLabel("internetProfile-PriorityOptions-NoHighPrioPktDuration").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_PriorityOptions_NoHighPrioPktDuration.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_PriorityOptions_NoHighPrioPktDuration.setDescription('The number of seconds of no high priority packets before disabling IP fragmentation of low priority packets. The value 0 disables checking duration of no high priority packet.')
internetProfile_Action_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 249), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noAction", 1), ("createProfile", 2), ("deleteProfile", 3)))).setLabel("internetProfile-Action-o").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_Action_o.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_Action_o.setDescription('')
mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable = MibTable((1, 3, 6, 1, 4, 1, 529, 23, 1, 2), ).setLabel("mibinternetProfile-IpxOptions-IpxSapHsProxyNetTable")
if mibBuilder.loadTexts: mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable.setStatus('mandatory')
if mibBuilder.loadTexts: mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable.setDescription('A list of mibinternetProfile__ipx_options__ipx_sap_hs_proxy_net profile entries.')
mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry = MibTableRow((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1), ).setLabel("mibinternetProfile-IpxOptions-IpxSapHsProxyNetEntry").setIndexNames((0, "ASCEND-MIBINET-MIB", "internetProfile-IpxOptions-IpxSapHsProxyNet-Station"), (0, "ASCEND-MIBINET-MIB", "internetProfile-IpxOptions-IpxSapHsProxyNet-Index-o"))
if mibBuilder.loadTexts: mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry.setStatus('mandatory')
if mibBuilder.loadTexts: mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry.setDescription('A mibinternetProfile__ipx_options__ipx_sap_hs_proxy_net entry containing objects that maps to the parameters of mibinternetProfile__ipx_options__ipx_sap_hs_proxy_net profile.')
internetProfile_IpxOptions_IpxSapHsProxyNet_Station = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1, 1), DisplayString()).setLabel("internetProfile-IpxOptions-IpxSapHsProxyNet-Station").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxyNet_Station.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxyNet_Station.setDescription('')
internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1, 2), Integer32()).setLabel("internetProfile-IpxOptions-IpxSapHsProxyNet-Index-o").setMaxAccess("readonly")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o.setDescription('')
internetProfile_IpxOptions_IpxSapHsProxyNet = MibScalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1, 3), Integer32()).setLabel("internetProfile-IpxOptions-IpxSapHsProxyNet").setMaxAccess("readwrite")
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxyNet.setStatus('mandatory')
if mibBuilder.loadTexts: internetProfile_IpxOptions_IpxSapHsProxyNet.setDescription('The Network# for IPX SAP Proxy Home Server.')
mibBuilder.exportSymbols("ASCEND-MIBINET-MIB", internetProfile_IpxOptions_NetAlias=internetProfile_IpxOptions_NetAlias, internetProfile_IpxOptions_Rip=internetProfile_IpxOptions_Rip, internetProfile_X25Options_PadAlias2=internetProfile_X25Options_PadAlias2, internetProfile_Clid=internetProfile_Clid, internetProfile_AtmConnectOptions_Atm1483type=internetProfile_AtmConnectOptions_Atm1483type, internetProfile_IpOptions_NetmaskLocal=internetProfile_IpOptions_NetmaskLocal, internetProfile_TelcoOptions_Callback=internetProfile_TelcoOptions_Callback, internetProfile_T3posOptions_T3PosEnqHandling=internetProfile_T3posOptions_T3PosEnqHandling, internetProfile_T3posOptions_X25CugIndex=internetProfile_T3posOptions_X25CugIndex, internetProfile_X25Options_PadAlias3=internetProfile_X25Options_PadAlias3, internetProfile_IpOptions_TosOptions_Dscp=internetProfile_IpOptions_TosOptions_Dscp, internetProfile_T3posOptions_X25Rpoa=internetProfile_T3posOptions_X25Rpoa, internetProfile_Visa2Options_FourthDataForwardCharacter=internetProfile_Visa2Options_FourthDataForwardCharacter, internetProfile_TelcoOptions_AnswerOriginate=internetProfile_TelcoOptions_AnswerOriginate, internetProfile_TelcoOptions_TransitNumber=internetProfile_TelcoOptions_TransitNumber, internetProfile_IpxOptions_IpxSapHsProxy=internetProfile_IpxOptions_IpxSapHsProxy, internetProfile_IpOptions_OspfOptions_AreaType=internetProfile_IpOptions_OspfOptions_AreaType, internetProfile_AtmQosOptions_UsrUpStreamContract=internetProfile_AtmQosOptions_UsrUpStreamContract, internetProfile_IpOptions_VjHeaderPrediction=internetProfile_IpOptions_VjHeaderPrediction, internetProfile_T3posOptions_DataFormat=internetProfile_T3posOptions_DataFormat, internetProfile_AtmConnectOptions_SpvcRetryLimit=internetProfile_AtmConnectOptions_SpvcRetryLimit, internetProfile_AtmOptions_Mtu=internetProfile_AtmOptions_Mtu, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi, internetProfile_AtmConnectOptions_OamSupport=internetProfile_AtmConnectOptions_OamSupport, internetProfile_DhcpOptions_PoolNumber=internetProfile_DhcpOptions_PoolNumber, internetProfile_HdlcNrmOptions_Primary=internetProfile_HdlcNrmOptions_Primary, internetProfile_IpOptions_OspfOptions_DownCost=internetProfile_IpOptions_OspfOptions_DownCost, internetProfile_PppOptions_PppInterfaceType=internetProfile_PppOptions_PppInterfaceType, internetProfile_UsrRadOptions_AcctPort=internetProfile_UsrRadOptions_AcctPort, internetProfile_T3posOptions_T3PosT4=internetProfile_T3posOptions_T3PosT4, internetProfile_PriorityOptions_Enabled=internetProfile_PriorityOptions_Enabled, internetProfile_TcpClearOptions_Port2=internetProfile_TcpClearOptions_Port2, internetProfile_PppOptions_PppCircuit=internetProfile_PppOptions_PppCircuit, internetProfile_DhcpOptions_MaximumLeases=internetProfile_DhcpOptions_MaximumLeases, internetProfile_PriorityOptions_MaxRtpPacketDelay=internetProfile_PriorityOptions_MaxRtpPacketDelay, internetProfile_TunnelOptions_Password=internetProfile_TunnelOptions_Password, internetProfile_IpOptions_AddressRealm=internetProfile_IpOptions_AddressRealm, internetProfile_SessionOptions_MaxtapLogServer=internetProfile_SessionOptions_MaxtapLogServer, internetProfile_AtmConnectOptions_OamAisF5=internetProfile_AtmConnectOptions_OamAisF5, internetProfile_X25Options_PosAuth=internetProfile_X25Options_PosAuth, internetProfile_PppOptions_LinkCompression=internetProfile_PppOptions_LinkCompression, internetProfile_BridgingOptions_SpoofingTimeout=internetProfile_BridgingOptions_SpoofingTimeout, internetProfile_AppletalkOptions_AtalkRoutingEnabled=internetProfile_AppletalkOptions_AtalkRoutingEnabled, internetProfile_IpOptions_IpDirect=internetProfile_IpOptions_IpDirect, internetProfile_SharedProf=internetProfile_SharedProf, internetProfile_SessionOptions_Blockduration=internetProfile_SessionOptions_Blockduration, internetProfile_TcpClearOptions_FlushLength=internetProfile_TcpClearOptions_FlushLength, internetProfile_SessionOptions_VtpGateway=internetProfile_SessionOptions_VtpGateway, internetProfile_AtmOptions_AtmServiceType=internetProfile_AtmOptions_AtmServiceType, internetProfile_TunnelOptions_TunnelingProtocol=internetProfile_TunnelOptions_TunnelingProtocol, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel, internetProfile_HdlcNrmOptions_PollRetryCount=internetProfile_HdlcNrmOptions_PollRetryCount, internetProfile_X25Options_X3Profile=internetProfile_X25Options_X3Profile, internetProfile_PriorityOptions_MinimumRtpPort=internetProfile_PriorityOptions_MinimumRtpPort, internetProfile_SessionOptions_CallFilter=internetProfile_SessionOptions_CallFilter, internetProfile_AtmConnectOptions_AtmInverseArp=internetProfile_AtmConnectOptions_AtmInverseArp, internetProfile_IpOptions_Rip=internetProfile_IpOptions_Rip, internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o=internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o, internetProfile_TelcoOptions_Force56kbps=internetProfile_TelcoOptions_Force56kbps, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel, internetProfile_IpOptions_OspfOptions_Active=internetProfile_IpOptions_OspfOptions_Active, internetProfile_IpxOptions_IpxHeaderCompression=internetProfile_IpxOptions_IpxHeaderCompression, internetProfile_AppletalkOptions_AtalkStaticNetStart=internetProfile_AppletalkOptions_AtalkStaticNetStart, internetProfile_Visa2Options_o1CharSequence=internetProfile_Visa2Options_o1CharSequence, internetProfile_PriorityOptions_MaximumRtpPort=internetProfile_PriorityOptions_MaximumRtpPort, internetProfile_IpOptions_Preference=internetProfile_IpOptions_Preference, internetProfile_AtmQosOptions_UsrDnStreamContract=internetProfile_AtmQosOptions_UsrDnStreamContract, internetProfile_TelcoOptions_Ft1Caller=internetProfile_TelcoOptions_Ft1Caller, internetProfile_AtmOptions_Fr08Mode=internetProfile_AtmOptions_Fr08Mode, internetProfile_IpOptions_OspfOptions_PollInterval=internetProfile_IpOptions_OspfOptions_PollInterval, internetProfile_PppOptions_BiDirectionalAuth=internetProfile_PppOptions_BiDirectionalAuth, internetProfile_EuOptions_DceAddr=internetProfile_EuOptions_DceAddr, internetProfile_AtmConnectOptions_SvcOptions_Enabled=internetProfile_AtmConnectOptions_SvcOptions_Enabled, internetProfile_IpOptions_OspfOptions_AseTag=internetProfile_IpOptions_OspfOptions_AseTag, internetProfile_BridgingOptions_BridgingGroup=internetProfile_BridgingOptions_BridgingGroup, internetProfile_TunnelOptions_HomeNetworkName=internetProfile_TunnelOptions_HomeNetworkName, internetProfile_HdlcNrmOptions_AsyncDrop=internetProfile_HdlcNrmOptions_AsyncDrop, internetProfile_SessionOptions_SesAdslCapUpRate=internetProfile_SessionOptions_SesAdslCapUpRate, internetProfile_BridgingOptions_IpxSpoofing=internetProfile_BridgingOptions_IpxSpoofing, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp, internetProfile_PppOptions_CbcpEnabled=internetProfile_PppOptions_CbcpEnabled, internetProfile_X25Options_PadDefaultListen=internetProfile_X25Options_PadDefaultListen, internetProfile_IpOptions_RemoteAddress=internetProfile_IpOptions_RemoteAddress, internetProfile_SessionOptions_RedialDelayLimit=internetProfile_SessionOptions_RedialDelayLimit, internetProfile_AtmOptions_OamSupport=internetProfile_AtmOptions_OamSupport, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format, internetProfile_BridgingOptions_DialOnBroadcast=internetProfile_BridgingOptions_DialOnBroadcast, internetProfile_IpOptions_PrivateRoute=internetProfile_IpOptions_PrivateRoute, internetProfile_MppOptions_X25chanTargetUtilization=internetProfile_MppOptions_X25chanTargetUtilization, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format, mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry=mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry, internetProfile_BridgingOptions_BridgeType=internetProfile_BridgingOptions_BridgeType, internetProfile_AtmConnectOptions_CastType=internetProfile_AtmConnectOptions_CastType, internetProfile_PriorityOptions_NoHighPrioPktDuration=internetProfile_PriorityOptions_NoHighPrioPktDuration, DisplayString=DisplayString, internetProfile_AtmAalOptions_AalType=internetProfile_AtmAalOptions_AalType, internetProfile_AtmAalOptions_ReceiveSduSize=internetProfile_AtmAalOptions_ReceiveSduSize, internetProfile_AtmConnectOptions_SpvcRetryThreshold=internetProfile_AtmConnectOptions_SpvcRetryThreshold, internetProfile_SessionOptions_IdleTimer=internetProfile_SessionOptions_IdleTimer, internetProfile_T3posOptions_T3PosDteInitMode=internetProfile_T3posOptions_T3PosDteInitMode, internetProfile_AtmConnectOptions_TargetVpi=internetProfile_AtmConnectOptions_TargetVpi, internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss=internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss, internetProfile_BirOptions_ProxyArp=internetProfile_BirOptions_ProxyArp, internetProfile_X25Options_PadPrompt=internetProfile_X25Options_PadPrompt, internetProfile_AtmOptions_SpvcRetryLimit=internetProfile_AtmOptions_SpvcRetryLimit, internetProfile_AtmConnectOptions_TargetSelect=internetProfile_AtmConnectOptions_TargetSelect, internetProfile_T3posOptions_T3PosT3=internetProfile_T3posOptions_T3PosT3, internetProfile_X25Options_MaxCalls=internetProfile_X25Options_MaxCalls, internetProfile_Vrouter=internetProfile_Vrouter, internetProfile_UsrRadOptions_AcctKey=internetProfile_UsrRadOptions_AcctKey, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress, internetProfile_TunnelOptions_Vrouter=internetProfile_TunnelOptions_Vrouter, internetProfile_SessionOptions_TsIdleMode=internetProfile_SessionOptions_TsIdleMode, internetProfile_AtmOptions_SpvcRetryThreshold=internetProfile_AtmOptions_SpvcRetryThreshold, internetProfile_IpOptions_ClientWinsAddrAssign=internetProfile_IpOptions_ClientWinsAddrAssign, internetProfile_TcpClearOptions_DetectEndOfPacket=internetProfile_TcpClearOptions_DetectEndOfPacket, internetProfile_TcpClearOptions_Host3=internetProfile_TcpClearOptions_Host3, internetProfile_X25Options_X121SourceAddress=internetProfile_X25Options_X121SourceAddress, internetProfile_HdlcNrmOptions_PollRate=internetProfile_HdlcNrmOptions_PollRate, internetProfile_AtmOptions_AtmDirectProfile=internetProfile_AtmOptions_AtmDirectProfile, internetProfile_IpOptions_TosFilter=internetProfile_IpOptions_TosFilter, internetProfile_SessionOptions_MaxCallDuration=internetProfile_SessionOptions_MaxCallDuration, internetProfile_IpxOptions_DialQuery=internetProfile_IpxOptions_DialQuery, internetProfile_MppOptions_TargetUtilization=internetProfile_MppOptions_TargetUtilization, internetProfile_T3posOptions_AutoCallX121Address=internetProfile_T3posOptions_AutoCallX121Address, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress, internetProfile_X75Options_T1RetranTimer=internetProfile_X75Options_T1RetranTimer, internetProfile_T3posOptions_T3PosPidSelection=internetProfile_T3posOptions_T3PosPidSelection, internetProfile_X32Options_X32ApplMode=internetProfile_X32Options_X32ApplMode, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan, internetProfile_AtmConnectOptions_SpvcRetryInterval=internetProfile_AtmConnectOptions_SpvcRetryInterval, internetProfile_AtmOptions_AtmInverseArp=internetProfile_AtmOptions_AtmInverseArp, internetProfile_X25Options_X25EncapsType=internetProfile_X25Options_X25EncapsType, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi, internetProfile_PriNumberingPlanId=internetProfile_PriNumberingPlanId, internetProfile_Visa2Options_ThirdDataForwardCharacter=internetProfile_Visa2Options_ThirdDataForwardCharacter, internetProfile_X25Options_CallMode=internetProfile_X25Options_CallMode, internetProfile_X25Options_PadNuiPrompt=internetProfile_X25Options_PadNuiPrompt, internetProfile_X25Options_RemoteX25Address=internetProfile_X25Options_RemoteX25Address, internetProfile_SessionOptions_TsIdleTimer=internetProfile_SessionOptions_TsIdleTimer, internetProfile_MppOptions_AddPersistence=internetProfile_MppOptions_AddPersistence, internetProfile_BridgingOptions_Egress=internetProfile_BridgingOptions_Egress, internetProfile_FrOptions_FrDirectProfile=internetProfile_FrOptions_FrDirectProfile, internetProfile_AtmConnectOptions_VcFaultManagement=internetProfile_AtmConnectOptions_VcFaultManagement, internetProfile_IpOptions_ClientWinsSecondaryAddr=internetProfile_IpOptions_ClientWinsSecondaryAddr, internetProfile_SessionOptions_DataFilter=internetProfile_SessionOptions_DataFilter, internetProfile_EuOptions_DteAddr=internetProfile_EuOptions_DteAddr, internetProfile_UsrRadOptions_AcctIdBase=internetProfile_UsrRadOptions_AcctIdBase, internetProfile_X25Options_X25Profile=internetProfile_X25Options_X25Profile, internetProfile_AltdialNumber1=internetProfile_AltdialNumber1, internetProfile_IpOptions_OspfOptions_NetworkType=internetProfile_IpOptions_OspfOptions_NetworkType, internetProfile_AtmOptions_TargetAtmAddress=internetProfile_AtmOptions_TargetAtmAddress, internetProfile_MppOptions_DynamicAlgorithm=internetProfile_MppOptions_DynamicAlgorithm, internetProfile_EuOptions_Mru=internetProfile_EuOptions_Mru, internetProfile_SessionOptions_FilterRequired=internetProfile_SessionOptions_FilterRequired, internetProfile_PortRedirectOptions_PortNumber=internetProfile_PortRedirectOptions_PortNumber, internetProfile_IpOptions_TosOptions_Active=internetProfile_IpOptions_TosOptions_Active, internetProfile_SessionOptions_SesAdslDmtDownRate=internetProfile_SessionOptions_SesAdslDmtDownRate, internetProfile_AtmConnectOptions_TargetVci=internetProfile_AtmConnectOptions_TargetVci, internetProfile_MppOptions_BandwidthMonitorDirection=internetProfile_MppOptions_BandwidthMonitorDirection, internetProfile_X25Options_X25CugIndex=internetProfile_X25Options_X25CugIndex, internetProfile_AtmConnectOptions_TargetAtmAddress=internetProfile_AtmConnectOptions_TargetAtmAddress, internetProfile_IpOptions_RouteFilter=internetProfile_IpOptions_RouteFilter, internetProfile_TelcoOptions_DelayCallback=internetProfile_TelcoOptions_DelayCallback, internetProfile_AtmConnectOptions_VpSwitching=internetProfile_AtmConnectOptions_VpSwitching, internetProfile_AtmOptions_AtmDirectEnabled=internetProfile_AtmOptions_AtmDirectEnabled, internetProfile_SessionOptions_TrafficShaper=internetProfile_SessionOptions_TrafficShaper, internetProfile_BridgingOptions_Fill2=internetProfile_BridgingOptions_Fill2, internetProfile_X25Options_X25Nui=internetProfile_X25Options_X25Nui, internetProfile_IpOptions_OspfOptions_Cost=internetProfile_IpOptions_OspfOptions_Cost, internetProfile_IpOptions_OspfOptions_KeyId=internetProfile_IpOptions_OspfOptions_KeyId, internetProfile_SessionOptions_SesRateType=internetProfile_SessionOptions_SesRateType, internetProfile_IpxOptions_IpxRoutingEnabled=internetProfile_IpxOptions_IpxRoutingEnabled, internetProfile_FrOptions_Dlci=internetProfile_FrOptions_Dlci, internetProfile_IpOptions_NetmaskRemote=internetProfile_IpOptions_NetmaskRemote, internetProfile_MaxSharedUsers=internetProfile_MaxSharedUsers, internetProfile_CalledNumber=internetProfile_CalledNumber, internetProfile_T3posOptions_MaxCalls=internetProfile_T3posOptions_MaxCalls, internetProfile_TunnelOptions_SecondaryTunnelServer=internetProfile_TunnelOptions_SecondaryTunnelServer, internetProfile_IpOptions_MulticastRateLimit=internetProfile_IpOptions_MulticastRateLimit, internetProfile_T3posOptions_LinkAccessType=internetProfile_T3posOptions_LinkAccessType, internetProfile_oATString=internetProfile_oATString, internetProfile_AraOptions_RecvPassword=internetProfile_AraOptions_RecvPassword, internetProfile_PppOptions_SubstituteSendName=internetProfile_PppOptions_SubstituteSendName, internetProfile_TelcoOptions_CallByCall=internetProfile_TelcoOptions_CallByCall, internetProfile_AtmOptions_ConnKind=internetProfile_AtmOptions_ConnKind, internetProfile_ConnUser=internetProfile_ConnUser, internetProfile_TunnelOptions_TosCopying=internetProfile_TunnelOptions_TosCopying, internetProfile_UsrRadOptions_AcctType=internetProfile_UsrRadOptions_AcctType, internetProfile_MppOptions_AuxSendPassword=internetProfile_MppOptions_AuxSendPassword, internetProfile_X75Options_FrameLength=internetProfile_X75Options_FrameLength, internetProfile_IpOptions_TosOptions_ApplyTo=internetProfile_IpOptions_TosOptions_ApplyTo, internetProfile_AppletalkOptions_AtalkStaticZoneName=internetProfile_AppletalkOptions_AtalkStaticZoneName, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format, internetProfile_IpOptions_RoutingMetric=internetProfile_IpOptions_RoutingMetric, internetProfile_X25Options_VcTimerEnable=internetProfile_X25Options_VcTimerEnable, mibinternetProfileEntry=mibinternetProfileEntry, internetProfile_SessionOptions_SesAdslCapDownRate=internetProfile_SessionOptions_SesAdslCapDownRate, internetProfile_IpxOptions_NetNumber=internetProfile_IpxOptions_NetNumber, internetProfile_CrossConnectIndex=internetProfile_CrossConnectIndex, internetProfile_TelcoOptions_NailedGroups=internetProfile_TelcoOptions_NailedGroups, internetProfile_Visa2Options_o2CharSequence=internetProfile_Visa2Options_o2CharSequence, internetProfile_T3posOptions_Answer=internetProfile_T3posOptions_Answer, internetProfile_X25Options_Windowsize=internetProfile_X25Options_Windowsize, internetProfile_X25Options_X25Rpoa=internetProfile_X25Options_X25Rpoa, internetProfile_AtmAalOptions_TransmitSduSize=internetProfile_AtmAalOptions_TransmitSduSize, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi, internetProfile_X25Options_InactivityTimer=internetProfile_X25Options_InactivityTimer, internetProfile_SessionOptions_SesSdslRate=internetProfile_SessionOptions_SesSdslRate, internetProfile_MpOptions_CallbackrequestEnable=internetProfile_MpOptions_CallbackrequestEnable, internetProfile_PppOptions_Mru=internetProfile_PppOptions_Mru, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp, internetProfile_X25Options_PadDiagDisp=internetProfile_X25Options_PadDiagDisp, internetProfile_TcpClearOptions_EndOfPacketPattern=internetProfile_TcpClearOptions_EndOfPacketPattern, internetProfile_TelcoOptions_BillingNumber=internetProfile_TelcoOptions_BillingNumber, internetProfile_IpOptions_AddressPool=internetProfile_IpOptions_AddressPool, internetProfile_AtmOptions_TargetVci=internetProfile_AtmOptions_TargetVci, internetProfile_AtmConnectOptions_NailedGroup=internetProfile_AtmConnectOptions_NailedGroup, internetProfile_IpOptions_ClientDnsAddrAssign=internetProfile_IpOptions_ClientDnsAddrAssign, internetProfile_TcpClearOptions_Port=internetProfile_TcpClearOptions_Port, internetProfile_T3posOptions_T3PosMaxBlockSize=internetProfile_T3posOptions_T3PosMaxBlockSize, internetProfile_UsrRadOptions_AcctHost=internetProfile_UsrRadOptions_AcctHost, internetProfile_AtmOptions_NailedGroup=internetProfile_AtmOptions_NailedGroup, internetProfile_FrOptions_MfrBundleName=internetProfile_FrOptions_MfrBundleName, internetProfile_AppletalkOptions_AtalkStaticNetEnd=internetProfile_AppletalkOptions_AtalkStaticNetEnd, internetProfile_SubAddress=internetProfile_SubAddress, internetProfile_PppOptions_DelayCallbackControl=internetProfile_PppOptions_DelayCallbackControl, internetProfile_AtmConnectOptions_AtmServiceRate=internetProfile_AtmConnectOptions_AtmServiceRate, internetProfile_IpOptions_OspfOptions_Md5AuthKey=internetProfile_IpOptions_OspfOptions_Md5AuthKey, internetProfile_T3posOptions_T3PosAckSuppression=internetProfile_T3posOptions_T3PosAckSuppression, internetProfile_T3posOptions_X25Nui=internetProfile_T3posOptions_X25Nui, internetProfile_TunnelOptions_PrimaryTunnelServer=internetProfile_TunnelOptions_PrimaryTunnelServer, internetProfile_IpOptions_TosOptions_Precedence=internetProfile_IpOptions_TosOptions_Precedence, internetProfile_AltdialNumber3=internetProfile_AltdialNumber3, internetProfile_MpOptions_BodEnable=internetProfile_MpOptions_BodEnable, internetProfile_AtmConnectOptions_AtmDirectProfile=internetProfile_AtmConnectOptions_AtmDirectProfile, internetProfile_TelcoOptions_DialoutAllowed=internetProfile_TelcoOptions_DialoutAllowed, internetProfile_SessionOptions_Backup=internetProfile_SessionOptions_Backup, internetProfile_SdtnPacketsServer=internetProfile_SdtnPacketsServer, internetProfile_IpOptions_MulticastAllowed=internetProfile_IpOptions_MulticastAllowed, internetProfile_IpOptions_ClientWinsPrimaryAddr=internetProfile_IpOptions_ClientWinsPrimaryAddr, internetProfile_AtmConnectOptions_AtmServiceType=internetProfile_AtmConnectOptions_AtmServiceType, internetProfile_IpOptions_LocalAddress=internetProfile_IpOptions_LocalAddress, internetProfile_MpOptions_BacpEnable=internetProfile_MpOptions_BacpEnable, internetProfile_SessionOptions_Blockcountlimit=internetProfile_SessionOptions_Blockcountlimit, internetProfile_TelcoOptions_DataService=internetProfile_TelcoOptions_DataService, internetProfile_AtmConnectOptions_ConnKind=internetProfile_AtmConnectOptions_ConnKind, internetProfile_IpOptions_OspfOptions_AuthKey=internetProfile_IpOptions_OspfOptions_AuthKey, internetProfile_FrOptions_FrDirectEnabled=internetProfile_FrOptions_FrDirectEnabled, internetProfile_PppOptions_LqmMaximumPeriod=internetProfile_PppOptions_LqmMaximumPeriod, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi, internetProfile_PortRedirectOptions_Protocol=internetProfile_PortRedirectOptions_Protocol, internetProfile_SessionOptions_SesAdslDmtUpRate=internetProfile_SessionOptions_SesAdslDmtUpRate)
mibBuilder.exportSymbols("ASCEND-MIBINET-MIB", internetProfile_T3posOptions_T3PosT6=internetProfile_T3posOptions_T3PosT6, internetProfile_PortRedirectOptions_RedirectAddress=internetProfile_PortRedirectOptions_RedirectAddress, internetProfile_X32Options_CallMode=internetProfile_X32Options_CallMode, internetProfile_AtmConnectOptions_Vci=internetProfile_AtmConnectOptions_Vci, internetProfile_IpOptions_ClientDefaultGateway=internetProfile_IpOptions_ClientDefaultGateway, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan, internetProfile_AtmOptions_SvcOptions_Enabled=internetProfile_AtmOptions_SvcOptions_Enabled, internetProfile_DialNumber=internetProfile_DialNumber, internetProfile_IpOptions_TosOptions_MarkingType=internetProfile_IpOptions_TosOptions_MarkingType, internetProfile_TcpClearOptions_Host=internetProfile_TcpClearOptions_Host, internetProfile_IpsecOptions_Enabled=internetProfile_IpsecOptions_Enabled, internetProfile_HdlcNrmOptions_PollTimeout=internetProfile_HdlcNrmOptions_PollTimeout, internetProfile_IpOptions_OspfOptions_TransitDelay=internetProfile_IpOptions_OspfOptions_TransitDelay, internetProfile_IpxOptions_SapFilter=internetProfile_IpxOptions_SapFilter, internetProfile_X25Options_ReverseCharge=internetProfile_X25Options_ReverseCharge, internetProfile_EncapsulationProtocol=internetProfile_EncapsulationProtocol, internetProfile_TcpClearOptions_Host2=internetProfile_TcpClearOptions_Host2, internetProfile_T3posOptions_T3PosT2=internetProfile_T3posOptions_T3PosT2, internetProfile_MpOptions_BaseChannelCount=internetProfile_MpOptions_BaseChannelCount, internetProfile_PriorityOptions_PacketClassification=internetProfile_PriorityOptions_PacketClassification, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format, internetProfile_IpOptions_OspfOptions_DeadInterval=internetProfile_IpOptions_OspfOptions_DeadInterval, internetProfile_IpOptions_DownPreference=internetProfile_IpOptions_DownPreference, internetProfile_AtmOptions_Vpi=internetProfile_AtmOptions_Vpi, internetProfile_X25Options_PadBanner=internetProfile_X25Options_PadBanner, internetProfile_HdlcNrmOptions_StationPollAddress=internetProfile_HdlcNrmOptions_StationPollAddress, internetProfile_T3posOptions_T3PosT5=internetProfile_T3posOptions_T3PosT5, internetProfile_UsrRadOptions_AcctTimeout=internetProfile_UsrRadOptions_AcctTimeout, internetProfile_TunnelOptions_UdpPort=internetProfile_TunnelOptions_UdpPort, internetProfile_MppOptions_SubPersistence=internetProfile_MppOptions_SubPersistence, internetProfile_PppOptions_LqmMinimumPeriod=internetProfile_PppOptions_LqmMinimumPeriod, internetProfile_IpxOptions_IpxSapHsProxyNet=internetProfile_IpxOptions_IpxSapHsProxyNet, internetProfile_SessionOptions_CirTimer=internetProfile_SessionOptions_CirTimer, internetProfile_AtmConnectOptions_Vpi=internetProfile_AtmConnectOptions_Vpi, internetProfile_Visa2Options_FirstDataForwardCharacter=internetProfile_Visa2Options_FirstDataForwardCharacter, internetProfile_TcpClearOptions_FlushTime=internetProfile_TcpClearOptions_FlushTime, internetProfile_FrOptions_CircuitType=internetProfile_FrOptions_CircuitType, internetProfile_IpOptions_OspfOptions_Area=internetProfile_IpOptions_OspfOptions_Area, internetProfile_IpOptions_IpRoutingEnabled=internetProfile_IpOptions_IpRoutingEnabled, internetProfile_AtmOptions_AtmCircuitProfile=internetProfile_AtmOptions_AtmCircuitProfile, internetProfile_PppOptions_RecvPassword=internetProfile_PppOptions_RecvPassword, internetProfile_IpOptions_ClientDnsPrimaryAddr=internetProfile_IpOptions_ClientDnsPrimaryAddr, internetProfile_Visa2Options_SecondDataForwardCharacter=internetProfile_Visa2Options_SecondDataForwardCharacter, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan, internetProfile_IpxOptions_PeerMode=internetProfile_IpxOptions_PeerMode, internetProfile_Active=internetProfile_Active, internetProfile_T3posOptions_T3PosMethodOfHostNotif=internetProfile_T3posOptions_T3PosMethodOfHostNotif, internetProfile_IpOptions_NatProfileName=internetProfile_IpOptions_NatProfileName, internetProfile_FrOptions_FrDirectDlci=internetProfile_FrOptions_FrDirectDlci, internetProfile_X32Options_X32Profile=internetProfile_X32Options_X32Profile, internetProfile_PppOptions_Lqm=internetProfile_PppOptions_Lqm, internetProfile_T3posOptions_X25Profile=internetProfile_T3posOptions_X25Profile, internetProfile_FrOptions_FrameRelayProfile=internetProfile_FrOptions_FrameRelayProfile, internetProfile_SessionOptions_FilterPersistence=internetProfile_SessionOptions_FilterPersistence, internetProfile_PppOptions_SendPassword=internetProfile_PppOptions_SendPassword, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi, internetProfile_PppOptions_TrunkGroupCallbackControl=internetProfile_PppOptions_TrunkGroupCallbackControl, internetProfile_T3posOptions_T3PosHostInitMode=internetProfile_T3posOptions_T3PosHostInitMode, mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable=mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable, internetProfile_AtmQosOptions_SubtendingHops=internetProfile_AtmQosOptions_SubtendingHops, internetProfile_AtmOptions_Vci=internetProfile_AtmOptions_Vci, internetProfile_IpxOptions_IpxSpoofing=internetProfile_IpxOptions_IpxSpoofing, internetProfile_HdlcNrmOptions_SnrmRetryCounter=internetProfile_HdlcNrmOptions_SnrmRetryCounter, internetProfile_PppOptions_SplitCodeDotUserEnabled=internetProfile_PppOptions_SplitCodeDotUserEnabled, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel, internetProfile_SessionOptions_MaxtapDataServer=internetProfile_SessionOptions_MaxtapDataServer, internetProfile_AraOptions_MaximumConnectTime=internetProfile_AraOptions_MaximumConnectTime, internetProfile_DhcpOptions_ReplyEnabled=internetProfile_DhcpOptions_ReplyEnabled, internetProfile_Action_o=internetProfile_Action_o, internetProfile_SessionOptions_Priority=internetProfile_SessionOptions_Priority, internetProfile_SessionOptions_MaxVtpTunnels=internetProfile_SessionOptions_MaxVtpTunnels, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi, internetProfile_FrOptions_CircuitName=internetProfile_FrOptions_CircuitName, internetProfile_IpOptions_OspfOptions_AuthenType=internetProfile_IpOptions_OspfOptions_AuthenType, internetProfile_BirOptions_Enable=internetProfile_BirOptions_Enable, internetProfile_AppletalkOptions_AtalkPeerMode=internetProfile_AppletalkOptions_AtalkPeerMode, internetProfile_AtmOptions_Atm1483type=internetProfile_AtmOptions_Atm1483type, internetProfile_IpxOptions_Sap=internetProfile_IpxOptions_Sap, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress, internetProfile_IpsecOptions_SecurityPolicyDatabase=internetProfile_IpsecOptions_SecurityPolicyDatabase, internetProfile_TunnelOptions_ServerAuthId=internetProfile_TunnelOptions_ServerAuthId, internetProfile_TcpClearOptions_Host4=internetProfile_TcpClearOptions_Host4, internetProfile_IpOptions_OspfOptions_AseType=internetProfile_IpOptions_OspfOptions_AseType, internetProfile_TunnelOptions_ProfileType=internetProfile_TunnelOptions_ProfileType, internetProfile_IpOptions_MulticastGroupLeaveDelay=internetProfile_IpOptions_MulticastGroupLeaveDelay, internetProfile_AltdialNumber2=internetProfile_AltdialNumber2, internetProfile_FramedOnly=internetProfile_FramedOnly, internetProfile_TcpClearOptions_Port3=internetProfile_TcpClearOptions_Port3, internetProfile_AtmOptions_CastType=internetProfile_AtmOptions_CastType, internetProfile_TunnelOptions_AssignmentId=internetProfile_TunnelOptions_AssignmentId, internetProfile_IpxOptions_IpxSapHsProxyNet_Station=internetProfile_IpxOptions_IpxSapHsProxyNet_Station, internetProfile_PppoeOptions_Pppoe=internetProfile_PppoeOptions_Pppoe, internetProfile_AtmOptions_AtmServiceRate=internetProfile_AtmOptions_AtmServiceRate, internetProfile_IpOptions_OspfOptions_HelloInterval=internetProfile_IpOptions_OspfOptions_HelloInterval, internetProfile_CalledNumberType=internetProfile_CalledNumberType, internetProfile_PppOptions_SubstituteRecvName=internetProfile_PppOptions_SubstituteRecvName, internetProfile_AtmOptions_VpSwitching=internetProfile_AtmOptions_VpSwitching, internetProfile_HdlcNrmOptions_SnrmResponseTimeout=internetProfile_HdlcNrmOptions_SnrmResponseTimeout, internetProfile_X75Options_N2Retransmissions=internetProfile_X75Options_N2Retransmissions, internetProfile_X25Options_PadNuiPwPrompt=internetProfile_X25Options_PadNuiPwPrompt, internetProfile_SessionOptions_RxDataRateLimit=internetProfile_SessionOptions_RxDataRateLimit, internetProfile_T3posOptions_T3PosT1=internetProfile_T3posOptions_T3PosT1, internetProfile_T3posOptions_ReverseCharge=internetProfile_T3posOptions_ReverseCharge, internetProfile_AtmOptions_VcMaxLoopbackCellLoss=internetProfile_AtmOptions_VcMaxLoopbackCellLoss, internetProfile_TelcoOptions_CallType=internetProfile_TelcoOptions_CallType, internetProfile_Visa2Options_IdleCharacterDelay=internetProfile_Visa2Options_IdleCharacterDelay, internetProfile_IpxOptions_SpoofingTimeout=internetProfile_IpxOptions_SpoofingTimeout, internetProfile_PppOptions_Mtu=internetProfile_PppOptions_Mtu, internetProfile_IpOptions_PrivateRouteProfileRequired=internetProfile_IpOptions_PrivateRouteProfileRequired, internetProfile_PppOptions_ModeCallbackControl=internetProfile_PppOptions_ModeCallbackControl, internetProfile_AutoProfiles=internetProfile_AutoProfiles, internetProfile_TcpClearOptions_Port4=internetProfile_TcpClearOptions_Port4, internetProfile_TunnelOptions_AtmpHaRip=internetProfile_TunnelOptions_AtmpHaRip, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi, internetProfile_X75Options_KFramesOutstanding=internetProfile_X75Options_KFramesOutstanding, internetProfile_MppOptions_DecrementChannelCount=internetProfile_MppOptions_DecrementChannelCount, mibinternetProfileTable=mibinternetProfileTable, internetProfile_TunnelOptions_ClientAuthId=internetProfile_TunnelOptions_ClientAuthId, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi, internetProfile_X25Options_Lcn=internetProfile_X25Options_Lcn, internetProfile_IpOptions_SourceIpCheck=internetProfile_IpOptions_SourceIpCheck, internetProfile_AtmOptions_TargetVpi=internetProfile_AtmOptions_TargetVpi, internetProfile_AtmConnectOptions_Fr08Mode=internetProfile_AtmConnectOptions_Fr08Mode, internetProfile_IpOptions_OspfOptions_NonMulticast=internetProfile_IpOptions_OspfOptions_NonMulticast, internetProfile_FrOptions_FrLinkType=internetProfile_FrOptions_FrLinkType, internetProfile_SessionOptions_TxDataRateLimit=internetProfile_SessionOptions_TxDataRateLimit, internetProfile_X25Options_PadDefaultPw=internetProfile_X25Options_PadDefaultPw, internetProfile_AtmConnectOptions_Mtu=internetProfile_AtmConnectOptions_Mtu, internetProfile_SessionOptions_Secondary=internetProfile_SessionOptions_Secondary, internetProfile_PppOptions_SendAuthMode=internetProfile_PppOptions_SendAuthMode, internetProfile_Station=internetProfile_Station, internetProfile_MpOptions_MaximumChannels=internetProfile_MpOptions_MaximumChannels, internetProfile_AtmAalOptions_AalEnabled=internetProfile_AtmAalOptions_AalEnabled, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan, internetProfile_AtmOptions_OamAisF5=internetProfile_AtmOptions_OamAisF5, internetProfile_MppOptions_SecondsHistory=internetProfile_MppOptions_SecondsHistory, internetProfile_IpOptions_ClientDnsSecondaryAddr=internetProfile_IpOptions_ClientDnsSecondaryAddr, internetProfile_X25Options_Packetsize=internetProfile_X25Options_Packetsize, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi, internetProfile_IpOptions_OspfOptions_RetransmitInterval=internetProfile_IpOptions_OspfOptions_RetransmitInterval, internetProfile_AtmConnectOptions_AtmCircuitProfile=internetProfile_AtmConnectOptions_AtmCircuitProfile, internetProfile_TelcoOptions_ExpectCallback=internetProfile_TelcoOptions_ExpectCallback, internetProfile_AtmOptions_TargetSelect=internetProfile_AtmOptions_TargetSelect, internetProfile_TelcoOptions_NasPortType=internetProfile_TelcoOptions_NasPortType, internetProfile_MpOptions_MinimumChannels=internetProfile_MpOptions_MinimumChannels, internetProfile_X25Options_PadAlias1=internetProfile_X25Options_PadAlias1, internetProfile_PppOptions_PppCircuitName=internetProfile_PppOptions_PppCircuitName, internetProfile_IpOptions_OspfOptions_Priority=internetProfile_IpOptions_OspfOptions_Priority, internetProfile_PppoeOptions_BridgeNonPppoe=internetProfile_PppoeOptions_BridgeNonPppoe, internetProfile_SessionOptions_SesRateMode=internetProfile_SessionOptions_SesRateMode, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi, internetProfile_AtmOptions_SpvcRetryInterval=internetProfile_AtmOptions_SpvcRetryInterval, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi, internetProfile_IpOptions_TosOptions_TypeOfService=internetProfile_IpOptions_TosOptions_TypeOfService, internetProfile_TunnelOptions_MaxTunnels=internetProfile_TunnelOptions_MaxTunnels, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi, internetProfile_X25Options_AnswerX25Address=internetProfile_X25Options_AnswerX25Address, internetProfile_ModemOnHoldTimeout=internetProfile_ModemOnHoldTimeout, mibinternetProfile=mibinternetProfile, internetProfile_AtmOptions_VcFaultManagement=internetProfile_AtmOptions_VcFaultManagement, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp, internetProfile_IpOptions_PrivateRouteTable=internetProfile_IpOptions_PrivateRouteTable, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp, internetProfile_MppOptions_IncrementChannelCount=internetProfile_MppOptions_IncrementChannelCount, internetProfile_AtmConnectOptions_AtmDirectEnabled=internetProfile_AtmConnectOptions_AtmDirectEnabled)
| (configuration,) = mibBuilder.importSymbols('ASCEND-MIB', 'configuration')
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, constraints_union, value_size_constraint, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint', 'ValueRangeConstraint')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(time_ticks, object_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, counter32, unsigned32, gauge32, iso, ip_address, integer32, bits, mib_identifier, module_identity, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'ObjectIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'Counter32', 'Unsigned32', 'Gauge32', 'iso', 'IpAddress', 'Integer32', 'Bits', 'MibIdentifier', 'ModuleIdentity', 'Counter64')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
class Displaystring(OctetString):
pass
mibinternet_profile = mib_identifier((1, 3, 6, 1, 4, 1, 529, 23, 1))
mibinternet_profile_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 1, 1))
if mibBuilder.loadTexts:
mibinternetProfileTable.setStatus('mandatory')
if mibBuilder.loadTexts:
mibinternetProfileTable.setDescription('A list of mibinternetProfile profile entries.')
mibinternet_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1)).setIndexNames((0, 'ASCEND-MIBINET-MIB', 'internetProfile-Station'))
if mibBuilder.loadTexts:
mibinternetProfileEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
mibinternetProfileEntry.setDescription('A mibinternetProfile entry containing objects that maps to the parameters of mibinternetProfile profile.')
internet_profile__station = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 1), display_string()).setLabel('internetProfile-Station').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_Station.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Station.setDescription('The name of the host we will be communicating with. This name is used as part of the authentication process when authentication is being used.')
internet_profile__active = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-Active').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Active.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Active.setDescription('A profile can be disabled by setting this field to no. There is no difference between an inactive profile and no profile at all to the remainder of the code.')
internet_profile__encapsulation_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 9, 4, 5, 6, 10, 11, 12, 13, 7, 14, 15, 17, 8, 18, 21, 22, 23, 24, 26, 27, 28))).clone(namedValues=named_values(('mpp', 1), ('mp', 2), ('ppp', 3), ('combinet', 9), ('slip', 4), ('cslip', 5), ('frameRelay', 6), ('frameRelayCircuit', 10), ('x25pad', 11), ('euraw', 12), ('euui', 13), ('tcpRaw', 7), ('rfc1356X25', 14), ('ara', 15), ('t3pos', 17), ('dtpt', 8), ('x32', 18), ('atm', 21), ('atmFrameRelayCircuit', 22), ('hdlcNrm', 23), ('atmCircuit', 24), ('visa2', 26), ('atmSvcSig', 27), ('atmIma', 28)))).setLabel('internetProfile-EncapsulationProtocol').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_EncapsulationProtocol.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_EncapsulationProtocol.setDescription('The encapsulation protocol to be used when communicating with the named station.')
internet_profile__called_number_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 7))).clone(namedValues=named_values(('unknown', 1), ('international', 2), ('national', 3), ('networkSpecific', 4), ('local', 5), ('abbrev', 7)))).setLabel('internetProfile-CalledNumberType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_CalledNumberType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_CalledNumberType.setDescription('Indication of whether national number, international number, etc. is specified.')
internet_profile__dial_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 5), display_string()).setLabel('internetProfile-DialNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_DialNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_DialNumber.setDescription('The phone number of the named station.')
internet_profile__sub_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 292), display_string()).setLabel('internetProfile-SubAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SubAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SubAddress.setDescription('The sub-address extension to the dialed number of the station.')
internet_profile__clid = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 6), display_string()).setLabel('internetProfile-Clid').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Clid.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Clid.setDescription('The calling line number for authentication.')
internet_profile__auto_profiles = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 420), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AutoProfiles').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AutoProfiles.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AutoProfiles.setDescription('This parameter enables or disables automatic profile creation. Currently only the Stinger IDSL provides this capability for PPP Circuits and Frame Relay Circuits.')
internet_profile__ip_options__ip_routing_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-IpRoutingEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_IpRoutingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_IpRoutingEnabled.setDescription('Enable/disable IP routing for this connection.')
internet_profile__ip_options__vj_header_prediction = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-VjHeaderPrediction').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_VjHeaderPrediction.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_VjHeaderPrediction.setDescription('Enable/disable Van Jacabson TCP Header prediction processing on this connection if supported by the selected encapsulation protocol.')
internet_profile__ip_options__remote_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 9), ip_address()).setLabel('internetProfile-IpOptions-RemoteAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_RemoteAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_RemoteAddress.setDescription('The remote address with netmask of the named host.')
internet_profile__ip_options__netmask_remote = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 10), ip_address()).setLabel('internetProfile-IpOptions-NetmaskRemote').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_NetmaskRemote.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_NetmaskRemote.setDescription('The netmask of the remote address.')
internet_profile__ip_options__local_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 11), ip_address()).setLabel('internetProfile-IpOptions-LocalAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_LocalAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_LocalAddress.setDescription('The interface address with netmask, if required, of the local end. If left zero the interface is assumed to be an unnumbered interface.')
internet_profile__ip_options__netmask_local = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 12), ip_address()).setLabel('internetProfile-IpOptions-NetmaskLocal').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_NetmaskLocal.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_NetmaskLocal.setDescription('The netmask of the local interface address.')
internet_profile__ip_options__routing_metric = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 13), integer32()).setLabel('internetProfile-IpOptions-RoutingMetric').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_RoutingMetric.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_RoutingMetric.setDescription('The routing metric, typically measured in number of hops, to be used in the routing table entry created for this connection when the connection is active.')
internet_profile__ip_options__preference = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 14), integer32()).setLabel('internetProfile-IpOptions-Preference').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_Preference.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_Preference.setDescription('The preference used for comparing this route to other routes. Preference has a higher priority than metric. As with the metric field, the lower the number, the higher the preference.')
internet_profile__ip_options__down_preference = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 15), integer32()).setLabel('internetProfile-IpOptions-DownPreference').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_DownPreference.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_DownPreference.setDescription('The preference used for comparing the down-metric route to other routes. Preference has a higher priority than metric. As with the metric field, the lower the number, the higher the preference.')
internet_profile__ip_options__private_route = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-PrivateRoute').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_PrivateRoute.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_PrivateRoute.setDescription('Enable/disable distribution of the route created for this connection via routing protocols. Private routes are used internally, but never advertized to the outside world.')
internet_profile__ip_options__multicast_allowed = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-MulticastAllowed').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_MulticastAllowed.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_MulticastAllowed.setDescription('Enable this connection as a multicast traffic client.')
internet_profile__ip_options__address_pool = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 18), integer32()).setLabel('internetProfile-IpOptions-AddressPool').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_AddressPool.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_AddressPool.setDescription('The number of the address pool from which an address for this host should be obtained when using assigned addresses.')
internet_profile__ip_options__ip_direct = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 19), ip_address()).setLabel('internetProfile-IpOptions-IpDirect').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_IpDirect.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_IpDirect.setDescription('The address of the next-hop when IP direct routing is used.')
internet_profile__ip_options__rip = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('routingOff', 1), ('routingSendOnly', 2), ('routingRecvOnly', 3), ('routingSendAndRecv', 4), ('routingSendOnlyV2', 5), ('routingRecvOnlyV2', 6), ('routingSendAndRecvV2', 7)))).setLabel('internetProfile-IpOptions-Rip').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_Rip.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_Rip.setDescription('Specify if RIP or RIP-2 should be used over this connection and if used in both directions or not.')
internet_profile__ip_options__route_filter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 21), display_string()).setLabel('internetProfile-IpOptions-RouteFilter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_RouteFilter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_RouteFilter.setDescription('The name of this filter. All filters are referenced by name so a name must be assigned to active filters.')
internet_profile__ip_options__source_ip_check = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 22), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-SourceIpCheck').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_SourceIpCheck.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_SourceIpCheck.setDescription("Enable/disable source ip checking. Packets with source ip address which doesn't match with negotiated remote ip address will be dropped.")
internet_profile__ip_options__ospf_options__active = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 23), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-OspfOptions-Active').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Active.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Active.setDescription('Is OSPF active on this interface.')
internet_profile__ip_options__ospf_options__area = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 24), ip_address()).setLabel('internetProfile-IpOptions-OspfOptions-Area').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Area.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Area.setDescription('The area that this interface belongs to.')
internet_profile__ip_options__ospf_options__area_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 25), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('normal', 1), ('stub', 2), ('nSSA', 3)))).setLabel('internetProfile-IpOptions-OspfOptions-AreaType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AreaType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AreaType.setDescription('The type of Area. Normal, Stub, NSSA')
internet_profile__ip_options__ospf_options__hello_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 26), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-HelloInterval').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_HelloInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_HelloInterval.setDescription('The hello interval (seconds).')
internet_profile__ip_options__ospf_options__dead_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 27), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-DeadInterval').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_DeadInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_DeadInterval.setDescription('The dead interval (seconds).')
internet_profile__ip_options__ospf_options__priority = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 28), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-Priority').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Priority.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Priority.setDescription('The priority of this router in DR elections.')
internet_profile__ip_options__ospf_options__authen_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('simple', 2), ('md5', 3)))).setLabel('internetProfile-IpOptions-OspfOptions-AuthenType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AuthenType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AuthenType.setDescription('The type of OSPF authentication in effect.')
internet_profile__ip_options__ospf_options__auth_key = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 30), display_string()).setLabel('internetProfile-IpOptions-OspfOptions-AuthKey').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AuthKey.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AuthKey.setDescription('The authentication key.')
internet_profile__ip_options__ospf_options__key_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 31), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-KeyId').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_KeyId.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_KeyId.setDescription('The key identifier for MD5 authentication.')
internet_profile__ip_options__ospf_options__cost = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 32), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-Cost').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Cost.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Cost.setDescription('The output cost.')
internet_profile__ip_options__ospf_options__down_cost = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 33), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-DownCost').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_DownCost.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_DownCost.setDescription('The output cost when the link is physically down but virtually up.')
internet_profile__ip_options__ospf_options__ase_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('type1', 1), ('type2', 2)))).setLabel('internetProfile-IpOptions-OspfOptions-AseType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AseType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AseType.setDescription('The OSPF ASE type of this LSA.')
internet_profile__ip_options__ospf_options__ase_tag = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 35), display_string()).setLabel('internetProfile-IpOptions-OspfOptions-AseTag').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AseTag.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_AseTag.setDescription('The OSPF ASE tag of this link.')
internet_profile__ip_options__ospf_options__transit_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 36), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-TransitDelay').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_TransitDelay.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_TransitDelay.setDescription('The estimated transit delay (seconds).')
internet_profile__ip_options__ospf_options__retransmit_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 37), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-RetransmitInterval').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_RetransmitInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_RetransmitInterval.setDescription('The retransmit time (seconds).')
internet_profile__ip_options__ospf_options__non_multicast = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-OspfOptions-NonMulticast').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_NonMulticast.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_NonMulticast.setDescription('Use direct addresses instead of multicast addresses.')
internet_profile__ip_options__ospf_options__network_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 250), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4))).clone(namedValues=named_values(('broadcast', 2), ('nonBroadcast', 3), ('pointToPoint', 4)))).setLabel('internetProfile-IpOptions-OspfOptions-NetworkType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_NetworkType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_NetworkType.setDescription('The type of network attachment.')
internet_profile__ip_options__ospf_options__poll_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 251), integer32()).setLabel('internetProfile-IpOptions-OspfOptions-PollInterval').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_PollInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_PollInterval.setDescription('The poll interval for non-broadcast multi-access network (seconds).')
internet_profile__ip_options__ospf_options__md5_auth_key = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 252), display_string()).setLabel('internetProfile-IpOptions-OspfOptions-Md5AuthKey').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Md5AuthKey.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_OspfOptions_Md5AuthKey.setDescription('The MD5 authentication key.')
internet_profile__ip_options__multicast_rate_limit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 39), integer32()).setLabel('internetProfile-IpOptions-MulticastRateLimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_MulticastRateLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_MulticastRateLimit.setDescription('The multicast rate limit in seconds.')
internet_profile__ip_options__multicast_group_leave_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 40), integer32()).setLabel('internetProfile-IpOptions-MulticastGroupLeaveDelay').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_MulticastGroupLeaveDelay.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_MulticastGroupLeaveDelay.setDescription('The multicast group leave in seconds. This is only for IGMP Version 2')
internet_profile__ip_options__client_dns_primary_addr = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 41), ip_address()).setLabel('internetProfile-IpOptions-ClientDnsPrimaryAddr').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDnsPrimaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDnsPrimaryAddr.setDescription('User specific DNS Primary Address.')
internet_profile__ip_options__client_dns_secondary_addr = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 42), ip_address()).setLabel('internetProfile-IpOptions-ClientDnsSecondaryAddr').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDnsSecondaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDnsSecondaryAddr.setDescription('User specific DNS Secondary Address.')
internet_profile__ip_options__client_dns_addr_assign = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 43), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-ClientDnsAddrAssign').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDnsAddrAssign.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDnsAddrAssign.setDescription('A flag to control assigning user specific DNS Addresses.')
internet_profile__ip_options__client_default_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 44), ip_address()).setLabel('internetProfile-IpOptions-ClientDefaultGateway').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDefaultGateway.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientDefaultGateway.setDescription("The default gateway to be used for traffic from this connection, if no specific route is found in the routing table. If left zero, the system's default route will be used.")
internet_profile__ip_options__tos_options__active = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 45), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-TosOptions-Active').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_Active.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_Active.setDescription('Activate type of service for this connection.')
internet_profile__ip_options__tos_options__precedence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 46), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 33, 65, 97, 129, 161, 193, 225))).clone(namedValues=named_values(('n-000', 1), ('n-001', 33), ('n-010', 65), ('n-011', 97), ('n-100', 129), ('n-101', 161), ('n-110', 193), ('n-111', 225)))).setLabel('internetProfile-IpOptions-TosOptions-Precedence').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_Precedence.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_Precedence.setDescription('Tag the precedence bits (priority bits) in the TOS octet of IP datagram header with this value when match occurs.')
internet_profile__ip_options__tos_options__type_of_service = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 47), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 3, 5, 9, 17))).clone(namedValues=named_values(('normal', 1), ('cost', 3), ('reliability', 5), ('throughput', 9), ('latency', 17)))).setLabel('internetProfile-IpOptions-TosOptions-TypeOfService').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_TypeOfService.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_TypeOfService.setDescription('Tag the type of service field in the TOS octet of IP datagram header with this value when match occurs.')
internet_profile__ip_options__tos_options__apply_to = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 48), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1025, 2049, 3073))).clone(namedValues=named_values(('incoming', 1025), ('outgoing', 2049), ('both', 3073)))).setLabel('internetProfile-IpOptions-TosOptions-ApplyTo').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_ApplyTo.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_ApplyTo.setDescription('Define how the type-of-service applies to data flow for this connection.')
internet_profile__ip_options__tos_options__marking_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 459), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('precedenceTos', 1), ('dscp', 2)))).setLabel('internetProfile-IpOptions-TosOptions-MarkingType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_MarkingType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_MarkingType.setDescription('Select type of packet marking.')
internet_profile__ip_options__tos_options__dscp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 460), display_string()).setLabel('internetProfile-IpOptions-TosOptions-Dscp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_Dscp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosOptions_Dscp.setDescription('DSCP tag to be used in marking of the packets (if marking-type = dscp).')
internet_profile__ip_options__tos_filter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 49), display_string()).setLabel('internetProfile-IpOptions-TosFilter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosFilter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_TosFilter.setDescription('The name of type-of-service filter. All filters are referenced by name so a name must be assigned to active filters.')
internet_profile__ip_options__client_wins_primary_addr = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 293), ip_address()).setLabel('internetProfile-IpOptions-ClientWinsPrimaryAddr').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientWinsPrimaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientWinsPrimaryAddr.setDescription('User specific WINS Primary Address.')
internet_profile__ip_options__client_wins_secondary_addr = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 294), ip_address()).setLabel('internetProfile-IpOptions-ClientWinsSecondaryAddr').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientWinsSecondaryAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientWinsSecondaryAddr.setDescription('User specific WINS Secondary Address.')
internet_profile__ip_options__client_wins_addr_assign = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 295), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-ClientWinsAddrAssign').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientWinsAddrAssign.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_ClientWinsAddrAssign.setDescription('A flag to control assigning user specific WINS Addresses.')
internet_profile__ip_options__private_route_table = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 296), display_string()).setLabel('internetProfile-IpOptions-PrivateRouteTable').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_PrivateRouteTable.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_PrivateRouteTable.setDescription('Private route table ID for this connection')
internet_profile__ip_options__private_route_profile_required = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 297), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpOptions-PrivateRouteProfileRequired').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_PrivateRouteProfileRequired.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_PrivateRouteProfileRequired.setDescription('Parameter to decide default action,if private route table not found. If set to yes, the call will be cleared if the private route profile cannot be found. If set to no, the call will be allowed to complete, even if the private route profile cannot be found.')
internet_profile__ip_options__nat_profile_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 419), display_string()).setLabel('internetProfile-IpOptions-NatProfileName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_NatProfileName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_NatProfileName.setDescription('The profile to use for NAT translations on this connection.')
internet_profile__ip_options__address_realm = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 421), integer32()).setLabel('internetProfile-IpOptions-AddressRealm').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpOptions_AddressRealm.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpOptions_AddressRealm.setDescription('Used to determine which interfaces and WANs are connected to the same address space--they will have the identical values in this field.')
internet_profile__ipx_options__ipx_routing_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 50), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpxOptions-IpxRoutingEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxRoutingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxRoutingEnabled.setDescription('Enable/disable IPX routing for this connection.')
internet_profile__ipx_options__peer_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 51), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('routerPeer', 1), ('dialinPeer', 2)))).setLabel('internetProfile-IpxOptions-PeerMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_PeerMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_PeerMode.setDescription('Enable/disable full routing between peer or use the pool to assign a network number.')
internet_profile__ipx_options__rip = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 52), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('both', 1), ('send', 2), ('recv', 3), ('off', 4)))).setLabel('internetProfile-IpxOptions-Rip').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_Rip.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_Rip.setDescription('This field specifies RIP traffic when peer is a Router.')
internet_profile__ipx_options__sap = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 53), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('both', 1), ('send', 2), ('recv', 3), ('off', 4)))).setLabel('internetProfile-IpxOptions-Sap').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_Sap.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_Sap.setDescription('This field specifies SAP traffic when peer is a Router.')
internet_profile__ipx_options__dial_query = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 54), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpxOptions-DialQuery').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_DialQuery.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_DialQuery.setDescription('Indicate if we should dial to this connection if our SAP table contains no NetWare file servers, and a workstation makes a get-nearest-server query.')
internet_profile__ipx_options__net_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 55), display_string()).setLabel('internetProfile-IpxOptions-NetNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_NetNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_NetNumber.setDescription("The network number of the other router. May be zero, if we don't know what it is.")
internet_profile__ipx_options__net_alias = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 56), display_string()).setLabel('internetProfile-IpxOptions-NetAlias').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_NetAlias.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_NetAlias.setDescription('The network number of the point to point link.')
internet_profile__ipx_options__sap_filter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 57), display_string()).setLabel('internetProfile-IpxOptions-SapFilter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_SapFilter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_SapFilter.setDescription('The name of the IPX SAP filter, if any, to use with this connection.')
internet_profile__ipx_options__ipx_spoofing = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 58), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('clientSpoofing', 2), ('serverSpoofing', 3)))).setLabel('internetProfile-IpxOptions-IpxSpoofing').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSpoofing.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSpoofing.setDescription('Selects the IPX spoofing mode when bridging.')
internet_profile__ipx_options__spoofing_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 59), integer32()).setLabel('internetProfile-IpxOptions-SpoofingTimeout').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_SpoofingTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_SpoofingTimeout.setDescription('IPX NetWare connection timeout value.')
internet_profile__ipx_options__ipx_sap_hs_proxy = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 60), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpxOptions-IpxSapHsProxy').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxy.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxy.setDescription('Use IPX SAP Home Server Proxy.')
internet_profile__ipx_options__ipx_header_compression = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 61), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpxOptions-IpxHeaderCompression').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxHeaderCompression.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxHeaderCompression.setDescription('Use IPX header compression if encapsulation supports it.')
internet_profile__bridging_options__bridging_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 62), integer32()).setLabel('internetProfile-BridgingOptions-BridgingGroup').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_BridgingGroup.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_BridgingGroup.setDescription('Select the bridging group for this connection. Group 0 disables bridging. All packets not routed will be bridged to interfaces belonging to the same group.')
internet_profile__bridging_options__dial_on_broadcast = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 63), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-BridgingOptions-DialOnBroadcast').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_DialOnBroadcast.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_DialOnBroadcast.setDescription('Enable/disable outdial when broadcast frames are received.')
internet_profile__bridging_options__ipx_spoofing = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 64), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('clientSpoofing', 2), ('serverSpoofing', 3)))).setLabel('internetProfile-BridgingOptions-IpxSpoofing').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_IpxSpoofing.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_IpxSpoofing.setDescription('Selects the IPX spoofing mode when bridging.')
internet_profile__bridging_options__spoofing_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 65), integer32()).setLabel('internetProfile-BridgingOptions-SpoofingTimeout').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_SpoofingTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_SpoofingTimeout.setDescription('IPX NetWare connection timeout value.')
internet_profile__bridging_options__fill2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 253), integer32()).setLabel('internetProfile-BridgingOptions-Fill2').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_Fill2.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_Fill2.setDescription('filler to get to 32 bit boundary')
internet_profile__bridging_options__bridge_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 66), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('transparentBridging', 1), ('ipxClientBridging', 2), ('noBridging', 3)))).setLabel('internetProfile-BridgingOptions-BridgeType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_BridgeType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_BridgeType.setDescription('For the P25 user interface.')
internet_profile__bridging_options__egress = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 285), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-BridgingOptions-Egress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_Egress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BridgingOptions_Egress.setDescription('Enable/disable Egress on this interface. This interface will become the exit path for all packets destined to the network.')
internet_profile__session_options__call_filter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 67), display_string()).setLabel('internetProfile-SessionOptions-CallFilter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_CallFilter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_CallFilter.setDescription('The name of the filter used to determine if a packet should cause the idle timer to be reset or, when the answer profile is used for connection profile defaults, if a call should be placed.')
internet_profile__session_options__data_filter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 68), display_string()).setLabel('internetProfile-SessionOptions-DataFilter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_DataFilter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_DataFilter.setDescription('The name of the filter used to determine if packets should be forwarded or dropped.')
internet_profile__session_options__filter_persistence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 69), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-SessionOptions-FilterPersistence').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_FilterPersistence.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_FilterPersistence.setDescription('Determines if filters should persist between calls.')
internet_profile__session_options__filter_required = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 298), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-SessionOptions-FilterRequired').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_FilterRequired.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_FilterRequired.setDescription('If No, the call will be allowed to come up even if the specified filter was not found either locally, in the cache or in RADIUS. If Yes, then the call will be cleared if the specified filter was not found either locally, in the cache or in RADIUS.')
internet_profile__session_options__idle_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 70), integer32()).setLabel('internetProfile-SessionOptions-IdleTimer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_IdleTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_IdleTimer.setDescription('The number of seconds of no activity before a call will be dropped. The value 0 disables the idle timer.')
internet_profile__session_options__ts_idle_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 71), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noIdle', 1), ('inputOnlyIdle', 2), ('inputOutputIdle', 3)))).setLabel('internetProfile-SessionOptions-TsIdleMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TsIdleMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TsIdleMode.setDescription('The method used to determine when the terminal server idle session timer is reset.')
internet_profile__session_options__ts_idle_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 72), integer32()).setLabel('internetProfile-SessionOptions-TsIdleTimer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TsIdleTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TsIdleTimer.setDescription('The number of seconds of no activity as defined by the idle mode before a session will be terminated.')
internet_profile__session_options__backup = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 73), display_string()).setLabel('internetProfile-SessionOptions-Backup').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Backup.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Backup.setDescription('Name of the backup connection profile.')
internet_profile__session_options__secondary = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 74), display_string()).setLabel('internetProfile-SessionOptions-Secondary').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Secondary.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Secondary.setDescription('A secondary internet profile used for dial back-up support.')
internet_profile__session_options__max_call_duration = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 76), integer32()).setLabel('internetProfile-SessionOptions-MaxCallDuration').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxCallDuration.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxCallDuration.setDescription('The number of minutes of connect time before a call will be dropped. The value 0 disables the connection timer.')
internet_profile__session_options__vtp_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 77), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-SessionOptions-VtpGateway').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_VtpGateway.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_VtpGateway.setDescription("This profile is an VTP gateway connection to an mobile client's home network.")
internet_profile__session_options__blockcountlimit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 78), integer32()).setLabel('internetProfile-SessionOptions-Blockcountlimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Blockcountlimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Blockcountlimit.setDescription('Maximum number of failed attempts allowed for connection before blocking the call.')
internet_profile__session_options__blockduration = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 79), integer32()).setLabel('internetProfile-SessionOptions-Blockduration').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Blockduration.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Blockduration.setDescription('Number of seconds that connection attempts to non responding network will be blocked before allowing retries.')
internet_profile__session_options__max_vtp_tunnels = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 81), integer32()).setLabel('internetProfile-SessionOptions-MaxVtpTunnels').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxVtpTunnels.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxVtpTunnels.setDescription('If this profile is a VTP gateway, then this parameter specifies the maximum number of VTP tunnels allowed to the VTP home network specified by the name of this profile.')
internet_profile__session_options__redial_delay_limit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 82), integer32()).setLabel('internetProfile-SessionOptions-RedialDelayLimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_RedialDelayLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_RedialDelayLimit.setDescription('Number of seconds delay before allowing a redial')
internet_profile__session_options__ses_rate_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 83), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('disabled', 1), ('sdsl', 2), ('adslCap', 3), ('adslCell', 4), ('adslDmt', 5)))).setLabel('internetProfile-SessionOptions-SesRateType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesRateType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesRateType.setDescription('The per ses rate type.')
internet_profile__session_options__ses_rate_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 84), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('autobaud', 2), ('singlebaud', 3)))).setLabel('internetProfile-SessionOptions-SesRateMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesRateMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesRateMode.setDescription('The per ses rate mode.')
internet_profile__session_options__ses_adsl_cap_up_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 85), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(51, 52, 53, 54, 55, 56, 57))).clone(namedValues=named_values(('n-1088000', 51), ('n-952000', 52), ('n-816000', 53), ('n-680000', 54), ('n-544000', 55), ('n-408000', 56), ('n-272000', 57)))).setLabel('internetProfile-SessionOptions-SesAdslCapUpRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslCapUpRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslCapUpRate.setDescription('The per session adsl-cap up stream data rate')
internet_profile__session_options__ses_adsl_cap_down_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 86), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('n-7168000', 1), ('n-6272000', 2), ('n-5120000', 3), ('n-4480000', 4), ('n-3200000', 5), ('n-2688000', 6), ('n-2560000', 7), ('n-2240000', 8), ('n-1920000', 9), ('n-1600000', 10), ('n-1280000', 11), ('n-960000', 12), ('n-640000', 13)))).setLabel('internetProfile-SessionOptions-SesAdslCapDownRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslCapDownRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslCapDownRate.setDescription('The per session adsl-cap down stream data rate')
internet_profile__session_options__ses_sdsl_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 87), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=named_values(('n-144000', 1), ('n-272000', 2), ('n-400000', 3), ('n-528000', 4), ('n-784000', 5), ('n-1168000', 6), ('n-1552000', 7), ('n-2320000', 8), ('n-160000', 9), ('n-192000', 10), ('n-208000', 11), ('n-384000', 12), ('n-416000', 13), ('n-768000', 14), ('n-1040000', 15), ('n-1152000', 16), ('n-1536000', 17), ('n-1568000', 18), ('n-1680000', 19), ('n-1920000', 20), ('n-2160000', 21)))).setLabel('internetProfile-SessionOptions-SesSdslRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesSdslRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesSdslRate.setDescription('The per session symetrical data rate. This parameter does not pertain to the old 16 port sdsl card.')
internet_profile__session_options__ses_adsl_dmt_up_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 88), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(151, 152, 153, 154, 155, 156, 157, 158, 159, 160, 161))).clone(namedValues=named_values(('upstrmMegMax', 151), ('n-1088000', 152), ('n-928000', 153), ('n-896000', 154), ('n-800000', 155), ('n-768000', 156), ('n-640000', 157), ('n-512000', 158), ('n-384000', 159), ('n-256000', 160), ('n-128000', 161)))).setLabel('internetProfile-SessionOptions-SesAdslDmtUpRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslDmtUpRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslDmtUpRate.setDescription('The per session adsl-dmt up stream data rate')
internet_profile__session_options__ses_adsl_dmt_down_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 89), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122))).clone(namedValues=named_values(('dwnstrmMegMax', 101), ('n-9504000', 102), ('n-8960000', 103), ('n-8000000', 104), ('n-7168000', 105), ('n-6272000', 106), ('n-5120000', 107), ('n-4480000', 108), ('n-3200000', 109), ('n-2688000', 110), ('n-2560000', 111), ('n-2240000', 112), ('n-1920000', 113), ('n-1600000', 114), ('n-1280000', 115), ('n-960000', 116), ('n-768000', 117), ('n-640000', 118), ('n-512000', 119), ('n-384000', 120), ('n-256000', 121), ('n-128000', 122)))).setLabel('internetProfile-SessionOptions-SesAdslDmtDownRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslDmtDownRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_SesAdslDmtDownRate.setDescription('The per session adsl-dmt down stream data rate')
internet_profile__session_options__rx_data_rate_limit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 90), integer32()).setLabel('internetProfile-SessionOptions-RxDataRateLimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_RxDataRateLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_RxDataRateLimit.setDescription('The maximum information rate to be received from the named station (kbps).')
internet_profile__session_options__tx_data_rate_limit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 91), integer32()).setLabel('internetProfile-SessionOptions-TxDataRateLimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TxDataRateLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TxDataRateLimit.setDescription('The maximum information rate to be transmitted to the named station (kbps).')
internet_profile__session_options__cir_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 414), integer32()).setLabel('internetProfile-SessionOptions-CirTimer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_CirTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_CirTimer.setDescription('The CIR timer in (milli-sec).')
internet_profile__session_options__traffic_shaper = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 286), integer32()).setLabel('internetProfile-SessionOptions-TrafficShaper').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TrafficShaper.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_TrafficShaper.setDescription('The traffic shaper assigned to this profile.')
internet_profile__session_options__maxtap_log_server = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 299), display_string()).setLabel('internetProfile-SessionOptions-MaxtapLogServer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxtapLogServer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxtapLogServer.setDescription('The name or the IP Address of the host to which the MaxTap start/stop notifications has to be sent.')
internet_profile__session_options__maxtap_data_server = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 300), display_string()).setLabel('internetProfile-SessionOptions-MaxtapDataServer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxtapDataServer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_MaxtapDataServer.setDescription('The name or the IP Address of the host to which the tapped data has to be sent.')
internet_profile__session_options__priority = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 415), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('normal', 1), ('high', 2)))).setLabel('internetProfile-SessionOptions-Priority').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Priority.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SessionOptions_Priority.setDescription('Priority of the link')
internet_profile__telco_options__answer_originate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 92), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('ansAndOrig', 1), ('answerOnly', 2), ('originateOnly', 3)))).setLabel('internetProfile-TelcoOptions-AnswerOriginate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_AnswerOriginate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_AnswerOriginate.setDescription('Specifies if this profile can be used for incoming calls, outgoing calls, or both.')
internet_profile__telco_options__callback = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 93), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TelcoOptions-Callback').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_Callback.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_Callback.setDescription('When true a call received from the named host requires callback security. The number dialed is the phoneNumber from this connection profile.')
internet_profile__telco_options__call_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 94), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('off', 1), ('ft1', 2), ('ft1Mpp', 3), ('bri', 4), ('ft1Bo', 5), ('dChan', 6), ('aodi', 7), ('megamax', 8)))).setLabel('internetProfile-TelcoOptions-CallType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_CallType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_CallType.setDescription('Nailed channel usage for this connection.')
internet_profile__telco_options__nailed_groups = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 95), display_string()).setLabel('internetProfile-TelcoOptions-NailedGroups').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_NailedGroups.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_NailedGroups.setDescription('All the nailed groups belonging to a session. MPP supports multiple groups.')
internet_profile__telco_options__ft1_caller = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 96), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TelcoOptions-Ft1Caller').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_Ft1Caller.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_Ft1Caller.setDescription('Specifies if this side should initiate calls when a mix of nailed and switched calls are being used.')
internet_profile__telco_options__force56kbps = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 97), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TelcoOptions-Force56kbps').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_Force56kbps.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_Force56kbps.setDescription('If yes then inbound 64 kbps calls are connected at 56 kbps.')
internet_profile__telco_options__data_service = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 98), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(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, 31, 32, 33, 34, 35, 36, 37, 39, 40, 41, 42, 43, 44, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 255, 263))).clone(namedValues=named_values(('voice', 1), ('n-56kRestricted', 2), ('n-64kClear', 3), ('n-64kRestricted', 4), ('n-56kClear', 5), ('n-384kRestricted', 6), ('n-384kClear', 7), ('n-1536kClear', 8), ('n-1536kRestricted', 9), ('n-128kClear', 10), ('n-192kClear', 11), ('n-256kClear', 12), ('n-320kClear', 13), ('dws384Clear', 14), ('n-448Clear', 15), ('n-512Clear', 16), ('n-576Clear', 17), ('n-640Clear', 18), ('n-704Clear', 19), ('n-768Clear', 20), ('n-832Clear', 21), ('n-896Clear', 22), ('n-960Clear', 23), ('n-1024Clear', 24), ('n-1088Clear', 25), ('n-1152Clear', 26), ('n-1216Clear', 27), ('n-1280Clear', 28), ('n-1344Clear', 29), ('n-1408Clear', 30), ('n-1472Clear', 31), ('n-1600Clear', 32), ('n-1664Clear', 33), ('n-1728Clear', 34), ('n-1792Clear', 35), ('n-1856Clear', 36), ('n-1920Clear', 37), ('x30RestrictedBearer', 39), ('v110ClearBearer', 40), ('n-64kX30Restricted', 41), ('n-56kV110Clear', 42), ('modem', 43), ('atmodem', 44), ('n-2456kV110', 46), ('n-4856kV110', 47), ('n-9656kV110', 48), ('n-19256kV110', 49), ('n-38456kV110', 50), ('n-2456krV110', 51), ('n-4856krV110', 52), ('n-9656krV110', 53), ('n-19256krV110', 54), ('n-38456krV110', 55), ('n-2464kV110', 56), ('n-4864kV110', 57), ('n-9664kV110', 58), ('n-19264kV110', 59), ('n-38464kV110', 60), ('n-2464krV110', 61), ('n-4864krV110', 62), ('n-9664krV110', 63), ('n-19264krV110', 64), ('n-38464krV110', 65), ('v32', 66), ('phs64k', 67), ('voiceOverIp', 68), ('atmSvc', 70), ('frameRelaySvc', 71), ('vpnTunnel', 72), ('wormarq', 73), ('n-14456kV110', 74), ('n-28856kV110', 75), ('n-14456krV110', 76), ('n-28856krV110', 77), ('n-14464kV110', 78), ('n-28864kV110', 79), ('n-14464krV110', 80), ('n-28864krV110', 81), ('modem31khzAudio', 82), ('x25Svc', 83), ('n-144kClear', 255), ('iptoip', 263)))).setLabel('internetProfile-TelcoOptions-DataService').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_DataService.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_DataService.setDescription('The type of bearer channel capability to set up for each switched call in the session.')
internet_profile__telco_options__call_by_call = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 99), integer32()).setLabel('internetProfile-TelcoOptions-CallByCall').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_CallByCall.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_CallByCall.setDescription('The call-by-call signaling value for PRI lines.')
internet_profile__telco_options__billing_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 100), display_string()).setLabel('internetProfile-TelcoOptions-BillingNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_BillingNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_BillingNumber.setDescription("A number used for billing purposes. This number, if present, is used as either a 'billing suffix' or the 'calling party number'.")
internet_profile__telco_options__transit_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 101), display_string()).setLabel('internetProfile-TelcoOptions-TransitNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_TransitNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_TransitNumber.setDescription("The string for use in the 'transit network IE' for PRI calling when going through a LEC.")
internet_profile__telco_options__expect_callback = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 102), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TelcoOptions-ExpectCallback').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_ExpectCallback.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_ExpectCallback.setDescription('When true we expect calls to the named host will result in a callback from that host. This would occur if the remote host were authenticating us based on Caller ID.')
internet_profile__telco_options__dialout_allowed = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 103), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TelcoOptions-DialoutAllowed').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_DialoutAllowed.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_DialoutAllowed.setDescription('When true, this connection is allowed to use the LAN modems to place outgoing calls.')
internet_profile__telco_options__delay_callback = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 104), integer32()).setLabel('internetProfile-TelcoOptions-DelayCallback').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_DelayCallback.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_DelayCallback.setDescription('Number of seconds to delay before dialing back. Values of 0-3 seconds are treated as 3 seconds.')
internet_profile__telco_options__nas_port_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 254), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4, 5, 6, 7, 8, 9, 10, 11, 12, 1, 2, 3))).clone(namedValues=named_values(('async', 4), ('sync', 5), ('isdnSync', 6), ('v120IsdnAsync', 7), ('v110IsdnAsync', 8), ('virtual', 9), ('v32IsdnAsync', 10), ('vdspAsyncIsdn', 11), ('arqPdcIsdn', 12), ('any', 1), ('digital', 2), ('analog', 3)))).setLabel('internetProfile-TelcoOptions-NasPortType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_NasPortType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TelcoOptions_NasPortType.setDescription('Indicates the type of physical port being used.')
internet_profile__ppp_options__send_auth_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 105), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('noPppAuth', 1), ('papPppAuth', 2), ('chapPppAuth', 3), ('anyPppAuth', 4), ('desPapPppAuth', 5), ('tokenPapPppAuth', 6), ('tokenChapPppAuth', 7), ('cacheTokenPppAuth', 8), ('msChapPppAuth', 9), ('papPreferred', 10)))).setLabel('internetProfile-PppOptions-SendAuthMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SendAuthMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SendAuthMode.setDescription('The type of PPP authentication to use for this call.')
internet_profile__ppp_options__ppp_circuit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 422), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('transparent', 2)))).setLabel('internetProfile-PppOptions-PppCircuit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_PppCircuit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_PppCircuit.setDescription('PPP Circuit. Set to type to enable the PPP Circuit Mode.')
internet_profile__ppp_options__ppp_circuit_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 423), display_string()).setLabel('internetProfile-PppOptions-PppCircuitName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_PppCircuitName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_PppCircuitName.setDescription('The peer datalink identifier for a PPP circuit.')
internet_profile__ppp_options__bi_directional_auth = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 354), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('allowed', 2), ('required', 3)))).setLabel('internetProfile-PppOptions-BiDirectionalAuth').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_BiDirectionalAuth.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_BiDirectionalAuth.setDescription('This parameter enables the authentication to be done in both directions. It can be used only with CHAP or MS-CHAP authentication.')
internet_profile__ppp_options__send_password = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 106), display_string()).setLabel('internetProfile-PppOptions-SendPassword').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SendPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SendPassword.setDescription('This is the password sent to the far end; used for MPP and PPP PAP and CHAP security.')
internet_profile__ppp_options__substitute_send_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 107), display_string()).setLabel('internetProfile-PppOptions-SubstituteSendName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SubstituteSendName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SubstituteSendName.setDescription('Name send to the far end, if different from the global system name.')
internet_profile__ppp_options__recv_password = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 108), display_string()).setLabel('internetProfile-PppOptions-RecvPassword').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_RecvPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_RecvPassword.setDescription('This is the password received from the far end; used for MPP and PPP PAP and CHAP security.')
internet_profile__ppp_options__substitute_recv_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 355), display_string()).setLabel('internetProfile-PppOptions-SubstituteRecvName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SubstituteRecvName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SubstituteRecvName.setDescription('Name expected from the far end used during a bi-directional authentication. If it is null the profile name will be used in place. This parameter is used only for outgoing calls.')
internet_profile__ppp_options__link_compression = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 109), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 1), ('stac', 2), ('stac9', 3), ('msStac', 4), ('mppc', 5)))).setLabel('internetProfile-PppOptions-LinkCompression').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_LinkCompression.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_LinkCompression.setDescription('The type of link compression to use for PPP, MP, and MPP calls.')
internet_profile__ppp_options__mru = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 110), integer32()).setLabel('internetProfile-PppOptions-Mru').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_Mru.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_Mru.setDescription('The Maximum Receive Unit, i.e. the largest frame we will accept.')
internet_profile__ppp_options__lqm = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 111), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-PppOptions-Lqm').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_Lqm.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_Lqm.setDescription('Link Quality Monitoring. Set to Yes to enable the PPP LQM protocol.')
internet_profile__ppp_options__lqm_minimum_period = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 112), integer32()).setLabel('internetProfile-PppOptions-LqmMinimumPeriod').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_LqmMinimumPeriod.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_LqmMinimumPeriod.setDescription('The minimum period, in 1/100 of a second, that we will accept/send link quality monitoring packets.')
internet_profile__ppp_options__lqm_maximum_period = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 113), integer32()).setLabel('internetProfile-PppOptions-LqmMaximumPeriod').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_LqmMaximumPeriod.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_LqmMaximumPeriod.setDescription('The maximum period, in 1/100 of a second, that we will accept/send link quality monitoring packets.')
internet_profile__ppp_options__cbcp_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 114), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-PppOptions-CbcpEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_CbcpEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_CbcpEnabled.setDescription('Enable Microsoft Callback Control Protocol Negotiation.')
internet_profile__ppp_options__mode_callback_control = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 115), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4, 8))).clone(namedValues=named_values(('cbcpNoCallback', 2), ('cbcpUserNumber', 3), ('cbcpProfileNum', 4), ('cbcpAll', 8)))).setLabel('internetProfile-PppOptions-ModeCallbackControl').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_ModeCallbackControl.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_ModeCallbackControl.setDescription('CBCP operation allowed on to use for this call.')
internet_profile__ppp_options__delay_callback_control = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 116), integer32()).setLabel('internetProfile-PppOptions-DelayCallbackControl').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_DelayCallbackControl.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_DelayCallbackControl.setDescription('Delay to request before callback to us is initiated')
internet_profile__ppp_options__trunk_group_callback_control = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 117), integer32()).setLabel('internetProfile-PppOptions-TrunkGroupCallbackControl').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_TrunkGroupCallbackControl.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_TrunkGroupCallbackControl.setDescription('Trunk group to use for the callback.')
internet_profile__ppp_options__split_code_dot_user_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 118), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-PppOptions-SplitCodeDotUserEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SplitCodeDotUserEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_SplitCodeDotUserEnabled.setDescription('TRUE if local splitting of passwords is desired in CACHE-TOKEN. This feature permits the use of usernames longer than five chars, when using a typical 4 digit pin and 6 digit ACE token code.')
internet_profile__ppp_options__ppp_interface_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 119), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('hdlcLike', 1), ('frameRelay', 2), ('aal5', 3), ('x25', 4)))).setLabel('internetProfile-PppOptions-PppInterfaceType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_PppInterfaceType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_PppInterfaceType.setDescription('PPP network interface for this profile.')
internet_profile__ppp_options__mtu = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 301), integer32()).setLabel('internetProfile-PppOptions-Mtu').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppOptions_Mtu.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppOptions_Mtu.setDescription('The Maximum Transmit Unit, i.e. the largest frame we will transmit.')
internet_profile__mp_options__base_channel_count = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 120), integer32()).setLabel('internetProfile-MpOptions-BaseChannelCount').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MpOptions_BaseChannelCount.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MpOptions_BaseChannelCount.setDescription('When the session is initially set up, and if it is a fixed session, the number of channels to be used for the call.')
internet_profile__mp_options__minimum_channels = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 121), integer32()).setLabel('internetProfile-MpOptions-MinimumChannels').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MpOptions_MinimumChannels.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MpOptions_MinimumChannels.setDescription('The default value for the minimum number of channels in a multi-channel call.')
internet_profile__mp_options__maximum_channels = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 122), integer32()).setLabel('internetProfile-MpOptions-MaximumChannels').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MpOptions_MaximumChannels.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MpOptions_MaximumChannels.setDescription('The default value for the maximum number of channels in a multi-channel call.')
internet_profile__mp_options__bacp_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 123), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-MpOptions-BacpEnable').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MpOptions_BacpEnable.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MpOptions_BacpEnable.setDescription('Enable Bandwidth Allocation Control Protocol (BACP).')
internet_profile__mp_options__bod_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 255), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-MpOptions-BodEnable').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MpOptions_BodEnable.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MpOptions_BodEnable.setDescription('Enable Bandwidth On Demand.')
internet_profile__mp_options__callbackrequest_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 284), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-MpOptions-CallbackrequestEnable').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MpOptions_CallbackrequestEnable.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MpOptions_CallbackrequestEnable.setDescription('Allow BAP CallBackRequest.')
internet_profile__mpp_options__aux_send_password = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 124), display_string()).setLabel('internetProfile-MppOptions-AuxSendPassword').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_AuxSendPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_AuxSendPassword.setDescription('This is the password sent to the far end; used for MPP PAP-TOKEN-CHAP security.')
internet_profile__mpp_options__dynamic_algorithm = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 125), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('constant', 1), ('linear', 2), ('quadratic', 3)))).setLabel('internetProfile-MppOptions-DynamicAlgorithm').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_DynamicAlgorithm.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_DynamicAlgorithm.setDescription('The algorithm to use to calculate the average link utilization. Bandwidth changes are performed on the average utilization, not current utilization.')
internet_profile__mpp_options__bandwidth_monitor_direction = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 126), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('transmit', 1), ('transmitRecv', 2), ('none', 3)))).setLabel('internetProfile-MppOptions-BandwidthMonitorDirection').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_BandwidthMonitorDirection.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_BandwidthMonitorDirection.setDescription('The direction to monitor link utilization. A unit can monitor transmit, transmit and receive, or turn off monitoring entirely.')
internet_profile__mpp_options__increment_channel_count = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 127), integer32()).setLabel('internetProfile-MppOptions-IncrementChannelCount').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_IncrementChannelCount.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_IncrementChannelCount.setDescription('Number of channels to increment as a block.')
internet_profile__mpp_options__decrement_channel_count = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 128), integer32()).setLabel('internetProfile-MppOptions-DecrementChannelCount').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_DecrementChannelCount.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_DecrementChannelCount.setDescription('Number of channels to decrement as a block.')
internet_profile__mpp_options__seconds_history = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 129), integer32()).setLabel('internetProfile-MppOptions-SecondsHistory').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_SecondsHistory.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_SecondsHistory.setDescription('The number of seconds of history that link utilization is averaged over to make bandwidth changes.')
internet_profile__mpp_options__add_persistence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 130), integer32()).setLabel('internetProfile-MppOptions-AddPersistence').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_AddPersistence.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_AddPersistence.setDescription('The number of seconds of that the average line utilization must exceed the target utilization before bandwidth will be added.')
internet_profile__mpp_options__sub_persistence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 131), integer32()).setLabel('internetProfile-MppOptions-SubPersistence').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_SubPersistence.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_SubPersistence.setDescription('The number of seconds of that the average line utilization must fall below the target utilization before bandwidth will be reduced. Bandwidth will not be reduced if the reduced bandwidth would exceed the target utilization.')
internet_profile__mpp_options__target_utilization = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 132), integer32()).setLabel('internetProfile-MppOptions-TargetUtilization').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_TargetUtilization.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_TargetUtilization.setDescription('The default value for the target utilization. Bandwidth changes occur when the average utilization exceeds or falls below this value.')
internet_profile__mpp_options_x25chan_target_utilization = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 380), integer32()).setLabel('internetProfile-MppOptions-X25chanTargetUtilization').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MppOptions_X25chanTargetUtilization.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MppOptions_X25chanTargetUtilization.setDescription('The default value for the X25 channel target utilization. Bandwidth changes occur when the average utilization exceeds or falls below this value.')
internet_profile__fr_options__frame_relay_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 133), display_string()).setLabel('internetProfile-FrOptions-FrameRelayProfile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrameRelayProfile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrameRelayProfile.setDescription('Frame Relay profile name, specifies link over which this circuit is established.')
internet_profile__fr_options__circuit_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 302), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('pvc', 1), ('svc', 2)))).setLabel('internetProfile-FrOptions-CircuitType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_CircuitType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_CircuitType.setDescription('The type of circuit, permanent (PVC) or switched (SVC).')
internet_profile__fr_options__dlci = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 134), integer32()).setLabel('internetProfile-FrOptions-Dlci').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_Dlci.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_Dlci.setDescription('The assigned DLCI value for this connection, for PVC.')
internet_profile__fr_options__circuit_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 135), display_string()).setLabel('internetProfile-FrOptions-CircuitName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_CircuitName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_CircuitName.setDescription('The peer frame relay datalink for a FR circuit.')
internet_profile__fr_options__fr_link_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 303), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('transparentLink', 1), ('hostLink', 2), ('trunkLink', 3)))).setLabel('internetProfile-FrOptions-FrLinkType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrLinkType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrLinkType.setDescription('The frame relay link type.')
internet_profile__fr_options__fr_direct_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 136), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-FrOptions-FrDirectEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrDirectEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrDirectEnabled.setDescription('Enable the frame relay direct option for this connection.')
internet_profile__fr_options__fr_direct_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 137), display_string()).setLabel('internetProfile-FrOptions-FrDirectProfile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrDirectProfile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrDirectProfile.setDescription('Name of the frame relay profile that will be used for frame-relay-direct routing.')
internet_profile__fr_options__fr_direct_dlci = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 138), integer32()).setLabel('internetProfile-FrOptions-FrDirectDlci').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrDirectDlci.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_FrDirectDlci.setDescription('The DLCI of the frame relay direct connection.')
internet_profile__fr_options__mfr_bundle_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 287), display_string()).setLabel('internetProfile-FrOptions-MfrBundleName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FrOptions_MfrBundleName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FrOptions_MfrBundleName.setDescription('Name of the multi-link frame-relay profile.')
internet_profile__tcp_clear_options__host = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 139), display_string()).setLabel('internetProfile-TcpClearOptions-Host').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host.setDescription('The first TCP CLEAR login host.')
internet_profile__tcp_clear_options__port = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 140), integer32()).setLabel('internetProfile-TcpClearOptions-Port').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port.setDescription('The TCP port of the first login-host.')
internet_profile__tcp_clear_options__host2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 141), display_string()).setLabel('internetProfile-TcpClearOptions-Host2').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host2.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host2.setDescription('The second TCP CLEAR login host.')
internet_profile__tcp_clear_options__port2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 142), integer32()).setLabel('internetProfile-TcpClearOptions-Port2').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port2.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port2.setDescription('The TCP port of the second login-host.')
internet_profile__tcp_clear_options__host3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 143), display_string()).setLabel('internetProfile-TcpClearOptions-Host3').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host3.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host3.setDescription('The third TCP CLEAR login host.')
internet_profile__tcp_clear_options__port3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 144), integer32()).setLabel('internetProfile-TcpClearOptions-Port3').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port3.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port3.setDescription('The TCP port of the third login-host.')
internet_profile__tcp_clear_options__host4 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 145), display_string()).setLabel('internetProfile-TcpClearOptions-Host4').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host4.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Host4.setDescription('The fourth TCP CLEAR login host.')
internet_profile__tcp_clear_options__port4 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 146), integer32()).setLabel('internetProfile-TcpClearOptions-Port4').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port4.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_Port4.setDescription('The TCP port of the fourth login-host.')
internet_profile__tcp_clear_options__detect_end_of_packet = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 147), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TcpClearOptions-DetectEndOfPacket').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_DetectEndOfPacket.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_DetectEndOfPacket.setDescription('Set to yes to attempt packet detection')
internet_profile__tcp_clear_options__end_of_packet_pattern = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 148), display_string()).setLabel('internetProfile-TcpClearOptions-EndOfPacketPattern').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_EndOfPacketPattern.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_EndOfPacketPattern.setDescription('End of packet pattern to match')
internet_profile__tcp_clear_options__flush_length = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 149), integer32()).setLabel('internetProfile-TcpClearOptions-FlushLength').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_FlushLength.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_FlushLength.setDescription('Set the maximum packet length before flush')
internet_profile__tcp_clear_options__flush_time = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 150), integer32()).setLabel('internetProfile-TcpClearOptions-FlushTime').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_FlushTime.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TcpClearOptions_FlushTime.setDescription('Set the maximum packet hold time before flush')
internet_profile__ara_options__recv_password = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 151), display_string()).setLabel('internetProfile-AraOptions-RecvPassword').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AraOptions_RecvPassword.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AraOptions_RecvPassword.setDescription('The password received from the far end.')
internet_profile__ara_options__maximum_connect_time = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 152), integer32()).setLabel('internetProfile-AraOptions-MaximumConnectTime').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AraOptions_MaximumConnectTime.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AraOptions_MaximumConnectTime.setDescription('Maximum time in minutes that an ARA session can stay connected.')
internet_profile_x25_options_x25_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 157), display_string()).setLabel('internetProfile-X25Options-X25Profile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25Profile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25Profile.setDescription('Name of the x25 profile that this profile is associated with.')
internet_profile_x25_options__lcn = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 158), integer32()).setLabel('internetProfile-X25Options-Lcn').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_Lcn.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_Lcn.setDescription('The LCN (if any) for this profile (for PVCs).')
internet_profile_x25_options_x3_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 159), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 12, 10, 11))).clone(namedValues=named_values(('crtProfile', 1), ('infonetProfile', 2), ('defaultProfile', 3), ('scenProfile', 4), ('ccSspProfile', 5), ('ccTspProfile', 6), ('hardcopyProfile', 7), ('hdxProfile', 8), ('sharkProfile', 9), ('posProfile', 12), ('nullProfile', 10), ('customProfile', 11)))).setLabel('internetProfile-X25Options-X3Profile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X3Profile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X3Profile.setDescription('X.3 profile parameter index')
internet_profile_x25_options__max_calls = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 160), integer32()).setLabel('internetProfile-X25Options-MaxCalls').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_MaxCalls.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_MaxCalls.setDescription('Max number of unsuccessful calls')
internet_profile_x25_options__vc_timer_enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 161), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-X25Options-VcTimerEnable').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_VcTimerEnable.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_VcTimerEnable.setDescription('PAD VCE enable flag')
internet_profile_x25_options_x25_encaps_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 162), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('rfc877', 1), ('snap', 2), ('null', 3), ('ppp', 4), ('aodi', 5)))).setLabel('internetProfile-X25Options-X25EncapsType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25EncapsType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25EncapsType.setDescription('RFC1356 encaps Type: RFC877/SNAP/NULL')
internet_profile_x25_options__remote_x25_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 461), display_string()).setLabel('internetProfile-X25Options-RemoteX25Address').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_RemoteX25Address.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_RemoteX25Address.setDescription('X.25 address of remote station.')
internet_profile_x25_options__reverse_charge = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 164), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-X25Options-ReverseCharge').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_ReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_ReverseCharge.setDescription('Reverse charge request')
internet_profile_x25_options__call_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 165), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('both', 1), ('outgoing', 2), ('incoming', 3)))).setLabel('internetProfile-X25Options-CallMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_CallMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_CallMode.setDescription('Call mode for this interface: Both/Outgoing/Incoming')
internet_profile_x25_options__answer_x25_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 462), display_string()).setLabel('internetProfile-X25Options-AnswerX25Address').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_AnswerX25Address.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_AnswerX25Address.setDescription('Answer number: mandatory if call mode is incoming or both.')
internet_profile_x25_options__inactivity_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 167), integer32()).setLabel('internetProfile-X25Options-InactivityTimer').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_InactivityTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_InactivityTimer.setDescription('X.25 Inactivity Timer.')
internet_profile_x25_options__windowsize = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 463), integer32()).setLabel('internetProfile-X25Options-Windowsize').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_Windowsize.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_Windowsize.setDescription('Window size requested on outgoing X.25 calls.')
internet_profile_x25_options__packetsize = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 464), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('n-6', 7), ('n-7', 8), ('n-8', 9), ('n-9', 10), ('n-10', 11), ('n-11', 12), ('n-12', 13)))).setLabel('internetProfile-X25Options-Packetsize').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_Packetsize.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_Packetsize.setDescription('Packet size requested on outgoing X.25 calls.')
internet_profile_x25_options_x25_rpoa = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 169), display_string()).setLabel('internetProfile-X25Options-X25Rpoa').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25Rpoa.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25Rpoa.setDescription('X.25 RPOA facility.')
internet_profile_x25_options_x25_cug_index = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 170), display_string()).setLabel('internetProfile-X25Options-X25CugIndex').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25CugIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25CugIndex.setDescription('X.25 CUG index. Supplied as a right-justified field e.g. 1 should be 0001')
internet_profile_x25_options_x25_nui = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 171), display_string()).setLabel('internetProfile-X25Options-X25Nui').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25Nui.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X25Nui.setDescription('X.25 NUI facility.')
internet_profile_x25_options__pad_banner = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 172), display_string()).setLabel('internetProfile-X25Options-PadBanner').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadBanner.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadBanner.setDescription('PAD banner message.')
internet_profile_x25_options__pad_prompt = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 173), display_string()).setLabel('internetProfile-X25Options-PadPrompt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadPrompt.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadPrompt.setDescription('PAD prompt.')
internet_profile_x25_options__pad_nui_prompt = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 174), display_string()).setLabel('internetProfile-X25Options-PadNuiPrompt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadNuiPrompt.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadNuiPrompt.setDescription('NUI prompt.')
internet_profile_x25_options__pad_nui_pw_prompt = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 175), display_string()).setLabel('internetProfile-X25Options-PadNuiPwPrompt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadNuiPwPrompt.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadNuiPwPrompt.setDescription('NUI password prompt.')
internet_profile_x25_options__pad_alias1 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 176), display_string()).setLabel('internetProfile-X25Options-PadAlias1').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadAlias1.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadAlias1.setDescription('PAD Alias number 1.')
internet_profile_x25_options__pad_alias2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 177), display_string()).setLabel('internetProfile-X25Options-PadAlias2').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadAlias2.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadAlias2.setDescription('PAD Alias number 2.')
internet_profile_x25_options__pad_alias3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 178), display_string()).setLabel('internetProfile-X25Options-PadAlias3').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadAlias3.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadAlias3.setDescription('PAD Alias number 3.')
internet_profile_x25_options__pad_diag_disp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 179), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-X25Options-PadDiagDisp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadDiagDisp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadDiagDisp.setDescription('PAD D/B channel Diagnostic display.')
internet_profile_x25_options__pad_default_listen = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 180), display_string()).setLabel('internetProfile-X25Options-PadDefaultListen').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadDefaultListen.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadDefaultListen.setDescription('PAD diag listen address.')
internet_profile_x25_options__pad_default_pw = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 181), display_string()).setLabel('internetProfile-X25Options-PadDefaultPw').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadDefaultPw.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PadDefaultPw.setDescription('PAD diag password.')
internet_profile_x25_options_x121_source_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 471), display_string()).setLabel('internetProfile-X25Options-X121SourceAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_X121SourceAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_X121SourceAddress.setDescription('X.121 address to use to identify this call')
internet_profile_x25_options__pos_auth = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 472), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('false', 1), ('true', 2)))).setLabel('internetProfile-X25Options-PosAuth').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X25Options_PosAuth.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X25Options_PosAuth.setDescription('Use POS Authentication')
internet_profile__eu_options__dce_addr = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 182), integer32()).setLabel('internetProfile-EuOptions-DceAddr').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_EuOptions_DceAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_EuOptions_DceAddr.setDescription('The address of the DCE side of the link when the EUNET UI protocol is used.')
internet_profile__eu_options__dte_addr = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 183), integer32()).setLabel('internetProfile-EuOptions-DteAddr').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_EuOptions_DteAddr.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_EuOptions_DteAddr.setDescription('The address of the DTE side of the link when the EUNET UI protocol is used.')
internet_profile__eu_options__mru = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 184), integer32()).setLabel('internetProfile-EuOptions-Mru').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_EuOptions_Mru.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_EuOptions_Mru.setDescription('The MRU used for EUNET protocol connections.')
internet_profile_x75_options_k_frames_outstanding = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 185), integer32()).setLabel('internetProfile-X75Options-KFramesOutstanding').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X75Options_KFramesOutstanding.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X75Options_KFramesOutstanding.setDescription('Number of frames outstanding before we require an ack. Defaults to 7.')
internet_profile_x75_options_n2_retransmissions = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 186), integer32()).setLabel('internetProfile-X75Options-N2Retransmissions').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X75Options_N2Retransmissions.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X75Options_N2Retransmissions.setDescription('Number of retransmissions allowed. Defaults to 10.')
internet_profile_x75_options_t1_retran_timer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 187), integer32()).setLabel('internetProfile-X75Options-T1RetranTimer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X75Options_T1RetranTimer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X75Options_T1RetranTimer.setDescription('Number of milliseconds between retransmissions. Defaults to 1000.')
internet_profile_x75_options__frame_length = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 188), integer32()).setLabel('internetProfile-X75Options-FrameLength').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X75Options_FrameLength.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X75Options_FrameLength.setDescription('Frame length to use for incoming X.75 connections. Defaults to 1024.')
internet_profile__appletalk_options__atalk_routing_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 189), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AppletalkOptions-AtalkRoutingEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkRoutingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkRoutingEnabled.setDescription('Enable/disable AppleTalk routine for this connection.')
internet_profile__appletalk_options__atalk_static_zone_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 190), display_string()).setLabel('internetProfile-AppletalkOptions-AtalkStaticZoneName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkStaticZoneName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkStaticZoneName.setDescription('The static Zone Name to show for this route.')
internet_profile__appletalk_options__atalk_static_net_start = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 191), integer32()).setLabel('internetProfile-AppletalkOptions-AtalkStaticNetStart').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkStaticNetStart.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkStaticNetStart.setDescription('The Net Number start value for this route.')
internet_profile__appletalk_options__atalk_static_net_end = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 192), integer32()).setLabel('internetProfile-AppletalkOptions-AtalkStaticNetEnd').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkStaticNetEnd.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkStaticNetEnd.setDescription('The Net Number end value for this route.')
internet_profile__appletalk_options__atalk_peer_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 193), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('routerPeer', 1), ('dialinPeer', 2)))).setLabel('internetProfile-AppletalkOptions-AtalkPeerMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkPeerMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AppletalkOptions_AtalkPeerMode.setDescription('Enable/disable full routing between peer or using proxy AARP to assign a network address.')
internet_profile__usr_rad_options__acct_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 194), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('global', 1), ('local', 2), ('both', 3)))).setLabel('internetProfile-UsrRadOptions-AcctType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctType.setDescription('Specify where accounting information for this connection will be sent, either the global server list, a per-user override, or both.')
internet_profile__usr_rad_options__acct_host = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 195), ip_address()).setLabel('internetProfile-UsrRadOptions-AcctHost').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctHost.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctHost.setDescription('The IP address of the RADIUS accounting host.')
internet_profile__usr_rad_options__acct_port = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 196), integer32()).setLabel('internetProfile-UsrRadOptions-AcctPort').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctPort.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctPort.setDescription('The UDP port of the RADIUS Accounting server.')
internet_profile__usr_rad_options__acct_key = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 197), display_string()).setLabel('internetProfile-UsrRadOptions-AcctKey').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctKey.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctKey.setDescription('The RADIUS accounting key.')
internet_profile__usr_rad_options__acct_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 198), integer32()).setLabel('internetProfile-UsrRadOptions-AcctTimeout').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctTimeout.setDescription('Number of seconds to wait for a response to accounting request.')
internet_profile__usr_rad_options__acct_id_base = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 199), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('acctBase10', 1), ('acctBase16', 2)))).setLabel('internetProfile-UsrRadOptions-AcctIdBase').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctIdBase.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_UsrRadOptions_AcctIdBase.setDescription('The Base to use in reporting the Account ID')
internet_profile__called_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 200), display_string()).setLabel('internetProfile-CalledNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_CalledNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_CalledNumber.setDescription('The called line number for authentication.')
internet_profile__dhcp_options__reply_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 201), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-DhcpOptions-ReplyEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_DhcpOptions_ReplyEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_DhcpOptions_ReplyEnabled.setDescription('Set to yes to enable replies to DHCP clients.')
internet_profile__dhcp_options__pool_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 202), integer32()).setLabel('internetProfile-DhcpOptions-PoolNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_DhcpOptions_PoolNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_DhcpOptions_PoolNumber.setDescription('Allocate addresses from this pool.')
internet_profile__dhcp_options__maximum_leases = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 203), integer32()).setLabel('internetProfile-DhcpOptions-MaximumLeases').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_DhcpOptions_MaximumLeases.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_DhcpOptions_MaximumLeases.setDescription('Maximum number of leases allowed on this connection.')
internet_profile__shared_prof = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 283), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-SharedProf').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SharedProf.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SharedProf.setDescription('When TRUE multiple users may share a connection profile, as long as IP addresses are not duplicated.')
internet_profile__max_shared_users = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 465), integer32()).setLabel('internetProfile-MaxSharedUsers').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_MaxSharedUsers.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_MaxSharedUsers.setDescription('Limits the maximum number of end users allowed to connect using a shared connection profile. The default value is 0 which means there is no limit.')
internet_profile_t3pos_options_x25_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 205), display_string()).setLabel('internetProfile-T3posOptions-X25Profile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25Profile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25Profile.setDescription('Name of the x25 profile that this profile is associated with.')
internet_profile_t3pos_options__max_calls = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 206), integer32()).setLabel('internetProfile-T3posOptions-MaxCalls').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_MaxCalls.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_MaxCalls.setDescription('Max number of unsuccessful calls')
internet_profile_t3pos_options__auto_call_x121_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 207), display_string()).setLabel('internetProfile-T3posOptions-AutoCallX121Address').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_AutoCallX121Address.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_AutoCallX121Address.setDescription('X.121 address to auto-call upon session startup.')
internet_profile_t3pos_options__reverse_charge = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 208), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-T3posOptions-ReverseCharge').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_ReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_ReverseCharge.setDescription('Reverse charge request')
internet_profile_t3pos_options__answer = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 209), display_string()).setLabel('internetProfile-T3posOptions-Answer').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_Answer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_Answer.setDescription('Answer number: mandatory if call mode is incoming or both.')
internet_profile_t3pos_options_t3_pos_host_init_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 210), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('local', 1), ('binLocal', 2), ('transparent', 3), ('blind', 4), ('unknown', 5)))).setLabel('internetProfile-T3posOptions-T3PosHostInitMode').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosHostInitMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosHostInitMode.setDescription('T3POS Host Initialization mode: LOCAL/BIN-LOCAL/TRANSPARENT/BLIND')
internet_profile_t3pos_options_t3_pos_dte_init_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 211), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('local', 1), ('binLocal', 2), ('transparent', 3), ('blind', 4), ('unknown', 5)))).setLabel('internetProfile-T3posOptions-T3PosDteInitMode').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosDteInitMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosDteInitMode.setDescription('T3POS DTE Initialization mode: LOCAL/BIN-LOCAL/TRANSPARENT/BLIND')
internet_profile_t3pos_options_t3_pos_enq_handling = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 212), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setLabel('internetProfile-T3posOptions-T3PosEnqHandling').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosEnqHandling.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosEnqHandling.setDescription('T3POS ENQ handling param')
internet_profile_t3pos_options_t3_pos_max_block_size = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 213), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('n-512', 1), ('n-1024', 2)))).setLabel('internetProfile-T3posOptions-T3PosMaxBlockSize').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosMaxBlockSize.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosMaxBlockSize.setDescription('T3POS Max block size: 512/1024')
internet_profile_t3pos_options_t3_pos_t1 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 214), integer32()).setLabel('internetProfile-T3posOptions-T3PosT1').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT1.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT1.setDescription('T3POS T1 timer.')
internet_profile_t3pos_options_t3_pos_t2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 215), integer32()).setLabel('internetProfile-T3posOptions-T3PosT2').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT2.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT2.setDescription('T3POS T2 timer.')
internet_profile_t3pos_options_t3_pos_t3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 216), integer32()).setLabel('internetProfile-T3posOptions-T3PosT3').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT3.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT3.setDescription('T3POS T3 timer.')
internet_profile_t3pos_options_t3_pos_t4 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 217), integer32()).setLabel('internetProfile-T3posOptions-T3PosT4').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT4.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT4.setDescription('T3POS T4 timer.')
internet_profile_t3pos_options_t3_pos_t5 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 218), integer32()).setLabel('internetProfile-T3posOptions-T3PosT5').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT5.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT5.setDescription('T3POS T5 timer.')
internet_profile_t3pos_options_t3_pos_t6 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 219), integer32()).setLabel('internetProfile-T3posOptions-T3PosT6').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT6.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosT6.setDescription('T3POS T6 timer.')
internet_profile_t3pos_options_t3_pos_method_of_host_notif = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 220), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('callRequestPacket', 2), ('modeSwitchFrame', 3)))).setLabel('internetProfile-T3posOptions-T3PosMethodOfHostNotif').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosMethodOfHostNotif.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosMethodOfHostNotif.setDescription('T3POS Method of Host Notification.')
internet_profile_t3pos_options_t3_pos_pid_selection = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 221), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('x29', 1), ('t3pos', 2)))).setLabel('internetProfile-T3posOptions-T3PosPidSelection').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosPidSelection.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosPidSelection.setDescription('T3POS PID selection: X.29, T3POS.')
internet_profile_t3pos_options_t3_pos_ack_suppression = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 222), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('off', 1), ('on', 2)))).setLabel('internetProfile-T3posOptions-T3PosAckSuppression').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosAckSuppression.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_T3PosAckSuppression.setDescription('T3POS ACK suppression.')
internet_profile_t3pos_options_x25_rpoa = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 223), display_string()).setLabel('internetProfile-T3posOptions-X25Rpoa').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25Rpoa.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25Rpoa.setDescription('X.25 RPOA facility.')
internet_profile_t3pos_options_x25_cug_index = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 224), display_string()).setLabel('internetProfile-T3posOptions-X25CugIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25CugIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25CugIndex.setDescription('X.25 CUG index.')
internet_profile_t3pos_options_x25_nui = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 225), display_string()).setLabel('internetProfile-T3posOptions-X25Nui').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25Nui.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_X25Nui.setDescription('X.25 NUI facility.')
internet_profile_t3pos_options__data_format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 226), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('dataFormat7e1', 1), ('dataFormat7o1', 2), ('dataFormat7m1', 3), ('dataFormat7s1', 4), ('dataFormat8n1', 5)))).setLabel('internetProfile-T3posOptions-DataFormat').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_DataFormat.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_DataFormat.setDescription('T3POS Open/Local Data Format.')
internet_profile_t3pos_options__link_access_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 227), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('axtypeDedicated', 1), ('axtypeDialIn', 2)))).setLabel('internetProfile-T3posOptions-LinkAccessType').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_LinkAccessType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_T3posOptions_LinkAccessType.setDescription('T3POS Link access type.')
internet_profile__framed_only = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 228), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-FramedOnly').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_FramedOnly.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_FramedOnly.setDescription('A profile can be restricted to only doing the framed commands (ppp, mpp, slip, and quit) by setting this to YES')
internet_profile__altdial_number1 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 229), display_string()).setLabel('internetProfile-AltdialNumber1').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AltdialNumber1.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AltdialNumber1.setDescription('The first alternate phone number of the named station.')
internet_profile__altdial_number2 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 230), display_string()).setLabel('internetProfile-AltdialNumber2').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AltdialNumber2.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AltdialNumber2.setDescription('The second alternate phone number of the named station.')
internet_profile__altdial_number3 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 231), display_string()).setLabel('internetProfile-AltdialNumber3').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AltdialNumber3.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AltdialNumber3.setDescription('The third alternate phone number of the named station.')
internet_profile_x32_options_x32_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 232), display_string()).setLabel('internetProfile-X32Options-X32Profile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X32Options_X32Profile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X32Options_X32Profile.setDescription('Name of the x25 profile that this profile is associated with.')
internet_profile_x32_options__call_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 233), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('both', 1), ('outgoing', 2), ('incoming', 3)))).setLabel('internetProfile-X32Options-CallMode').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_X32Options_CallMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X32Options_CallMode.setDescription('Call mode for this interface: Incoming')
internet_profile_x32_options_x32_appl_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 424), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('netToNet', 1), ('isdnCircuitMode', 2), ('isdnPacketMode', 3), ('last', 4)))).setLabel('internetProfile-X32Options-X32ApplMode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_X32Options_X32ApplMode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_X32Options_X32ApplMode.setDescription('Appl mode for this interface')
internet_profile__tunnel_options__profile_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 234), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('disabled', 1), ('mobileClient', 2), ('gatewayProfile', 3), ('dialoutProfile', 4)))).setLabel('internetProfile-TunnelOptions-ProfileType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_ProfileType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_ProfileType.setDescription('The type of connection this profile describes')
internet_profile__tunnel_options__tunneling_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 235), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 8))).clone(namedValues=named_values(('disabled', 1), ('pptpProtocol', 2), ('l2fProtocol', 3), ('l2tpProtocol', 4), ('atmpProtocol', 5), ('vtpProtocol', 6), ('ipinipProtocol', 8)))).setLabel('internetProfile-TunnelOptions-TunnelingProtocol').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_TunnelingProtocol.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_TunnelingProtocol.setDescription('The protocol used for tunneling, if enabled')
internet_profile__tunnel_options__max_tunnels = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 236), integer32()).setLabel('internetProfile-TunnelOptions-MaxTunnels').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_MaxTunnels.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_MaxTunnels.setDescription('If this profile is a tunnel gateway, then this parameter specifies the maximum number of tunnels allowed to the home network specified by the name of this profile.')
internet_profile__tunnel_options__atmp_ha_rip = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 237), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ripOff', 1), ('ripSendV2', 2)))).setLabel('internetProfile-TunnelOptions-AtmpHaRip').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_AtmpHaRip.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_AtmpHaRip.setDescription("Allows an ATMP home agent to send routing updates to the home network consisting of the mobile nodes' addresses.")
internet_profile__tunnel_options__primary_tunnel_server = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 238), display_string()).setLabel('internetProfile-TunnelOptions-PrimaryTunnelServer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_PrimaryTunnelServer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_PrimaryTunnelServer.setDescription("The IP address or hostname of the primary tunnel server if this is a mobile client's profile.")
internet_profile__tunnel_options__secondary_tunnel_server = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 239), display_string()).setLabel('internetProfile-TunnelOptions-SecondaryTunnelServer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_SecondaryTunnelServer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_SecondaryTunnelServer.setDescription("The IP address or hostname of the secondary tunnel server if this is a mobile client's profile.")
internet_profile__tunnel_options__udp_port = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 240), integer32()).setLabel('internetProfile-TunnelOptions-UdpPort').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_UdpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_UdpPort.setDescription("The default UDP port to use when communicating with the ATMP home agent, if this is a mobile client's profile.")
internet_profile__tunnel_options__password = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 241), display_string()).setLabel('internetProfile-TunnelOptions-Password').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_Password.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_Password.setDescription('The password required by the tunnel server, if this is a mobile client profile.')
internet_profile__tunnel_options__home_network_name = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 242), display_string()).setLabel('internetProfile-TunnelOptions-HomeNetworkName').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_HomeNetworkName.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_HomeNetworkName.setDescription("The name of the home network if the ATMP home agent is operating in gateway mode. It should be empty if the ATMP home agent is operating in router mode. For L2TP, it indicates the Private Group ID value for a client. Used for ATMP and L2TP mobile client's profiles.")
internet_profile__tunnel_options__client_auth_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 413), display_string()).setLabel('internetProfile-TunnelOptions-ClientAuthId').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_ClientAuthId.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_ClientAuthId.setDescription('The system name used by the Tunnel Initiator during Tunnel establishment for the purposes of tunnel authentication. This is different and independent from user authentication. Used on L2TP and L2F.')
internet_profile__tunnel_options__server_auth_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 417), display_string()).setLabel('internetProfile-TunnelOptions-ServerAuthId').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_ServerAuthId.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_ServerAuthId.setDescription('The system name used by the Tunnel Terminator during Tunnel establishment for the purposes of tunnel authentication. This is different and independent from user authentication. Used on L2TP and L2F.')
internet_profile__tunnel_options__vrouter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 356), display_string()).setLabel('internetProfile-TunnelOptions-Vrouter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_Vrouter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_Vrouter.setDescription('The name of the virtual router used for the tunnel.')
internet_profile__tunnel_options__assignment_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 418), display_string()).setLabel('internetProfile-TunnelOptions-AssignmentId').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_AssignmentId.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_AssignmentId.setDescription('The identification assigned to tunnels so that sessions could be grouped into different tunnels based on this Id. This Id only has local significance and is not transmited to the remote tunnel-endpoint.')
internet_profile__tunnel_options__tos_copying = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 473), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-TunnelOptions-TosCopying').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_TosCopying.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_TunnelOptions_TosCopying.setDescription('Control the TOS byte of the outer IP header')
internet_profile__ipsec_options__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 474), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-IpsecOptions-Enabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpsecOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpsecOptions_Enabled.setDescription('IPSec can be disabled on a profile by setting this field to no.')
internet_profile__ipsec_options__security_policy_database = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 475), display_string()).setLabel('internetProfile-IpsecOptions-SecurityPolicyDatabase').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpsecOptions_SecurityPolicyDatabase.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpsecOptions_SecurityPolicyDatabase.setDescription('The name of the IPSec SPD profile to be used.')
internet_profile__pri_numbering_plan_id = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 244), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 10))).clone(namedValues=named_values(('unknown', 1), ('iSDN', 2), ('private', 10)))).setLabel('internetProfile-PriNumberingPlanId').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriNumberingPlanId.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriNumberingPlanId.setDescription("PRI Called Party element's Numbering-Plan-ID value for outgoing PRI calls.")
internet_profile__vrouter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 245), display_string()).setLabel('internetProfile-Vrouter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Vrouter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Vrouter.setDescription('Specifies the VRouter in which this profile belongs.')
internet_profile__cross_connect_index = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 425), integer32()).setLabel('internetProfile-CrossConnectIndex').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_CrossConnectIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_CrossConnectIndex.setDescription('AToM Mib cross connect index.')
internet_profile__atm_options__atm1483type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 246), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('aal5Llc', 1), ('aal5Vc', 2)))).setLabel('internetProfile-AtmOptions-Atm1483type').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Atm1483type.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Atm1483type.setDescription('The type of AAL5 multiplexing.')
internet_profile__atm_options__vpi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 247), integer32()).setLabel('internetProfile-AtmOptions-Vpi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Vpi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Vpi.setDescription('The VPI of this connection.')
internet_profile__atm_options__vci = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 248), integer32()).setLabel('internetProfile-AtmOptions-Vci').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Vci.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Vci.setDescription('The VCI of this connection.')
internet_profile__atm_options__nailed_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 256), integer32()).setLabel('internetProfile-AtmOptions-NailedGroup').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_NailedGroup.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_NailedGroup.setDescription('A number that identifies the set of lines that makes up a nailed-group.')
internet_profile__atm_options__cast_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 426), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4))).clone(namedValues=named_values(('p2p', 2), ('p2mproot', 3), ('p2mpleaf', 4)))).setLabel('internetProfile-AtmOptions-CastType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_CastType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_CastType.setDescription('The connection topology type.')
internet_profile__atm_options__conn_kind = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 427), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4, 5, 6))).clone(namedValues=named_values(('pvc', 2), ('svcIncoming', 3), ('svcOutgoing', 4), ('spvcInitiator', 5), ('spvcTarget', 6)))).setLabel('internetProfile-AtmOptions-ConnKind').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_ConnKind.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_ConnKind.setDescription('The use of call control.')
internet_profile__atm_options__atm_service_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 257), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('atmUbrService', 1), ('atmCbrService', 2), ('atmAbrService', 3), ('atmVbrService', 4)))).setLabel('internetProfile-AtmOptions-AtmServiceType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmServiceType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmServiceType.setDescription('ATM service type.')
internet_profile__atm_options__atm_service_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 258), integer32()).setLabel('internetProfile-AtmOptions-AtmServiceRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmServiceRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmServiceRate.setDescription('ATM service rate is the minimum bits per second that is required.')
internet_profile__atm_options__vp_switching = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 304), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmOptions-VpSwitching').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_VpSwitching.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_VpSwitching.setDescription('Is this VP switching? VP = 0 is used for VC switching and VP > 0 is used for VP switching.')
internet_profile__atm_options__target_atm_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 428), display_string()).setLabel('internetProfile-AtmOptions-TargetAtmAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetAtmAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetAtmAddress.setDescription('The target ATM Address of this Soft PVcc or PVpc.')
internet_profile__atm_options__target_select = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 429), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('required', 2), ('any', 3)))).setLabel('internetProfile-AtmOptions-TargetSelect').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetSelect.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetSelect.setDescription('Indicates whether the target VPI/VCI values are to be used at the destination.')
internet_profile__atm_options__target_vpi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 430), integer32()).setLabel('internetProfile-AtmOptions-TargetVpi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetVpi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetVpi.setDescription('Target VPI.')
internet_profile__atm_options__target_vci = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 431), integer32()).setLabel('internetProfile-AtmOptions-TargetVci').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetVci.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_TargetVci.setDescription('Target VCI.')
internet_profile__atm_options__spvc_retry_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 448), integer32()).setLabel('internetProfile-AtmOptions-SpvcRetryInterval').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SpvcRetryInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SpvcRetryInterval.setDescription('Period to wait before attempting to establish SPVC after the first SPVC setup failure. 0 indicates no retry')
internet_profile__atm_options__spvc_retry_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 449), integer32()).setLabel('internetProfile-AtmOptions-SpvcRetryThreshold').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SpvcRetryThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SpvcRetryThreshold.setDescription('The number of consecutive call setup attempts for the SPVC to fail before the call failure is declared. 0 indicates infinite number of call attempts that means failure is not declared.')
internet_profile__atm_options__spvc_retry_limit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 450), integer32()).setLabel('internetProfile-AtmOptions-SpvcRetryLimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SpvcRetryLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SpvcRetryLimit.setDescription('Maximum limit on how many consecutive unsuccessful call setup attempts can be made before stopping the attempt to set up the connection.')
internet_profile__atm_options__atm_direct_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 306), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmOptions-AtmDirectEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmDirectEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmDirectEnabled.setDescription('Enable ATM Direct.')
internet_profile__atm_options__atm_direct_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 307), display_string()).setLabel('internetProfile-AtmOptions-AtmDirectProfile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmDirectProfile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmDirectProfile.setDescription('The atm connection profile name to be used for the ATM Direct connection.')
internet_profile__atm_options__vc_fault_management = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 357), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('segmentLoopback', 2), ('endToEndLoopback', 3)))).setLabel('internetProfile-AtmOptions-VcFaultManagement').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_VcFaultManagement.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_VcFaultManagement.setDescription('The VC fault management function to be used for this VC.')
internet_profile__atm_options__vc_max_loopback_cell_loss = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 358), integer32()).setLabel('internetProfile-AtmOptions-VcMaxLoopbackCellLoss').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_VcMaxLoopbackCellLoss.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_VcMaxLoopbackCellLoss.setDescription('The maximum number of consecutive cell loopback failures before the call is disconnected.')
internet_profile__atm_options__svc_options__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 308), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmOptions-SvcOptions-Enabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_Enabled.setDescription('Enable ATM SVC.')
internet_profile__atm_options__svc_options__incoming_caller_addr__numbering_plan = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 381), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 9))).clone(namedValues=named_values(('undefined', 1), ('isdn', 2), ('aesa', 3), ('unknown', 5), ('x121', 9)))).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-NumberingPlan').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internet_profile__atm_options__svc_options__incoming_caller_addr_e164_native_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 382), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-E164NativeAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internet_profile__atm_options__svc_options__incoming_caller_addr__aesa_address__format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 383), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 6, 4, 5))).clone(namedValues=named_values(('undefined', 1), ('dccAesa', 2), ('icdAesa', 6), ('e164Aesa', 4), ('customAesa', 5)))).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-Format').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internet_profile__atm_options__svc_options__incoming_caller_addr__aesa_address__idp_portion__afi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 384), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Afi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internet_profile__atm_options__svc_options__incoming_caller_addr__aesa_address__idp_portion__idi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 385), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Idi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internet_profile__atm_options__svc_options__incoming_caller_addr__aesa_address__dsp_portion__ho_dsp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 386), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-HoDsp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internet_profile__atm_options__svc_options__incoming_caller_addr__aesa_address__dsp_portion__esi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 387), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Esi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internet_profile__atm_options__svc_options__incoming_caller_addr__aesa_address__dsp_portion__sel = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 388), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Sel').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internet_profile__atm_options__svc_options__outgoing_called_addr__numbering_plan = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 389), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 9))).clone(namedValues=named_values(('undefined', 1), ('isdn', 2), ('aesa', 3), ('unknown', 5), ('x121', 9)))).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-NumberingPlan').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internet_profile__atm_options__svc_options__outgoing_called_addr_e164_native_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 390), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-E164NativeAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internet_profile__atm_options__svc_options__outgoing_called_addr__aesa_address__format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 391), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 6, 4, 5))).clone(namedValues=named_values(('undefined', 1), ('dccAesa', 2), ('icdAesa', 6), ('e164Aesa', 4), ('customAesa', 5)))).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-Format').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internet_profile__atm_options__svc_options__outgoing_called_addr__aesa_address__idp_portion__afi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 392), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Afi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internet_profile__atm_options__svc_options__outgoing_called_addr__aesa_address__idp_portion__idi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 393), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Idi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internet_profile__atm_options__svc_options__outgoing_called_addr__aesa_address__dsp_portion__ho_dsp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 394), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-HoDsp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internet_profile__atm_options__svc_options__outgoing_called_addr__aesa_address__dsp_portion__esi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 395), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Esi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internet_profile__atm_options__svc_options__outgoing_called_addr__aesa_address__dsp_portion__sel = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 396), display_string()).setLabel('internetProfile-AtmOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Sel').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internet_profile__atm_options__atm_inverse_arp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 327), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmOptions-AtmInverseArp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmInverseArp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmInverseArp.setDescription('Send Atm Inverse Arp request for this connection.')
internet_profile__atm_options__fr08_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 367), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('translation', 1), ('transparent', 2)))).setLabel('internetProfile-AtmOptions-Fr08Mode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Fr08Mode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Fr08Mode.setDescription('The FR-08 transparent mode')
internet_profile__atm_options__atm_circuit_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 432), display_string()).setLabel('internetProfile-AtmOptions-AtmCircuitProfile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmCircuitProfile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_AtmCircuitProfile.setDescription('The atm circuit profile name to be used for this connection.')
internet_profile__atm_options__oam_ais_f5 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 451), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disable', 1), ('segment', 2), ('endToEnd', 3)))).setLabel('internetProfile-AtmOptions-OamAisF5').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_OamAisF5.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_OamAisF5.setDescription('Disable/Enable sending OAM AIS F5 cells when pvc is down.')
internet_profile__atm_options__oam_support = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 452), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmOptions-OamSupport').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_OamSupport.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_OamSupport.setDescription('Is F4 OAM supported? It is used only when vp-switching is yes. The Stinger system can only support F4 OAM for 50 VPC segments in total.')
internet_profile__atm_options__mtu = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 468), integer32()).setLabel('internetProfile-AtmOptions-Mtu').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Mtu.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmOptions_Mtu.setDescription('The maximum packet size (excluding LLC encapsulation if used) that can be transmitted to a remote peer without performing fragmentation.')
internet_profile__hdlc_nrm_options__snrm_response_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 259), integer32()).setLabel('internetProfile-HdlcNrmOptions-SnrmResponseTimeout').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_SnrmResponseTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_SnrmResponseTimeout.setDescription('SNRM Response Timeout in milliseconds.')
internet_profile__hdlc_nrm_options__snrm_retry_counter = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 260), integer32()).setLabel('internetProfile-HdlcNrmOptions-SnrmRetryCounter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_SnrmRetryCounter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_SnrmRetryCounter.setDescription('SNRM Retry Counter in units.')
internet_profile__hdlc_nrm_options__poll_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 261), integer32()).setLabel('internetProfile-HdlcNrmOptions-PollTimeout').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_PollTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_PollTimeout.setDescription('HDLC-NRM Poll Reponse Timeout in milliseconds')
internet_profile__hdlc_nrm_options__poll_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 262), integer32()).setLabel('internetProfile-HdlcNrmOptions-PollRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_PollRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_PollRate.setDescription('HDLC-NRM Poll Rate in milliseconds')
internet_profile__hdlc_nrm_options__poll_retry_count = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 263), integer32()).setLabel('internetProfile-HdlcNrmOptions-PollRetryCount').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_PollRetryCount.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_PollRetryCount.setDescription('Poll Response Retry Counter in units')
internet_profile__hdlc_nrm_options__primary = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 264), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-HdlcNrmOptions-Primary').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_Primary.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_Primary.setDescription('Primary station (Yes) or Secondary station (No).')
internet_profile__hdlc_nrm_options__async_drop = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 368), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-HdlcNrmOptions-AsyncDrop').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_AsyncDrop.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_AsyncDrop.setDescription('Drop Async I-frames (Yes) or process (No).')
internet_profile__hdlc_nrm_options__station_poll_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 416), integer32()).setLabel('internetProfile-HdlcNrmOptions-StationPollAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_StationPollAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_HdlcNrmOptions_StationPollAddress.setDescription('Secondary station address to use for SNRM polling')
internet_profile__atm_connect_options__atm1483type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 265), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('aal5Llc', 1), ('aal5Vc', 2)))).setLabel('internetProfile-AtmConnectOptions-Atm1483type').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Atm1483type.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Atm1483type.setDescription('The type of AAL5 multiplexing.')
internet_profile__atm_connect_options__vpi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 266), integer32()).setLabel('internetProfile-AtmConnectOptions-Vpi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Vpi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Vpi.setDescription('The VPI of this connection.')
internet_profile__atm_connect_options__vci = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 267), integer32()).setLabel('internetProfile-AtmConnectOptions-Vci').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Vci.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Vci.setDescription('The VCI of this connection.')
internet_profile__atm_connect_options__nailed_group = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 268), integer32()).setLabel('internetProfile-AtmConnectOptions-NailedGroup').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_NailedGroup.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_NailedGroup.setDescription('A number that identifies the set of lines that makes up a nailed-group.')
internet_profile__atm_connect_options__cast_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 433), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4))).clone(namedValues=named_values(('p2p', 2), ('p2mproot', 3), ('p2mpleaf', 4)))).setLabel('internetProfile-AtmConnectOptions-CastType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_CastType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_CastType.setDescription('The connection topology type.')
internet_profile__atm_connect_options__conn_kind = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 434), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3, 4, 5, 6))).clone(namedValues=named_values(('pvc', 2), ('svcIncoming', 3), ('svcOutgoing', 4), ('spvcInitiator', 5), ('spvcTarget', 6)))).setLabel('internetProfile-AtmConnectOptions-ConnKind').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_ConnKind.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_ConnKind.setDescription('The use of call control.')
internet_profile__atm_connect_options__atm_service_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 269), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('atmUbrService', 1), ('atmCbrService', 2), ('atmAbrService', 3), ('atmVbrService', 4)))).setLabel('internetProfile-AtmConnectOptions-AtmServiceType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmServiceType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmServiceType.setDescription('ATM service type.')
internet_profile__atm_connect_options__atm_service_rate = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 270), integer32()).setLabel('internetProfile-AtmConnectOptions-AtmServiceRate').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmServiceRate.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmServiceRate.setDescription('ATM service rate is the minimum bits per second that is required.')
internet_profile__atm_connect_options__vp_switching = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 328), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmConnectOptions-VpSwitching').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_VpSwitching.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_VpSwitching.setDescription('Is this VP switching? VP = 0 is used for VC switching and VP > 0 is used for VP switching.')
internet_profile__atm_connect_options__target_atm_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 435), display_string()).setLabel('internetProfile-AtmConnectOptions-TargetAtmAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetAtmAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetAtmAddress.setDescription('The target ATM Address of this Soft PVcc or PVpc.')
internet_profile__atm_connect_options__target_select = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 436), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('required', 2), ('any', 3)))).setLabel('internetProfile-AtmConnectOptions-TargetSelect').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetSelect.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetSelect.setDescription('Indicates whether the target VPI/VCI values are to be used at the destination.')
internet_profile__atm_connect_options__target_vpi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 437), integer32()).setLabel('internetProfile-AtmConnectOptions-TargetVpi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetVpi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetVpi.setDescription('Target VPI.')
internet_profile__atm_connect_options__target_vci = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 438), integer32()).setLabel('internetProfile-AtmConnectOptions-TargetVci').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetVci.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_TargetVci.setDescription('Target VCI.')
internet_profile__atm_connect_options__spvc_retry_interval = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 453), integer32()).setLabel('internetProfile-AtmConnectOptions-SpvcRetryInterval').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SpvcRetryInterval.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SpvcRetryInterval.setDescription('Period to wait before attempting to establish SPVC after the first SPVC setup failure. 0 indicates no retry')
internet_profile__atm_connect_options__spvc_retry_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 454), integer32()).setLabel('internetProfile-AtmConnectOptions-SpvcRetryThreshold').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SpvcRetryThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SpvcRetryThreshold.setDescription('The number of consecutive call setup attempts for the SPVC to fail before the call failure is declared. 0 indicates infinite number of call attempts that means failure is not declared.')
internet_profile__atm_connect_options__spvc_retry_limit = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 455), integer32()).setLabel('internetProfile-AtmConnectOptions-SpvcRetryLimit').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SpvcRetryLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SpvcRetryLimit.setDescription('Maximum limit on how many consecutive unsuccessful call setup attempts can be made before stopping the attempt to set up the connection.')
internet_profile__atm_connect_options__atm_direct_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 330), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmConnectOptions-AtmDirectEnabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmDirectEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmDirectEnabled.setDescription('Enable ATM Direct.')
internet_profile__atm_connect_options__atm_direct_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 331), display_string()).setLabel('internetProfile-AtmConnectOptions-AtmDirectProfile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmDirectProfile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmDirectProfile.setDescription('The atm connection profile name to be used for the ATM Direct connection.')
internet_profile__atm_connect_options__vc_fault_management = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 369), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('segmentLoopback', 2), ('endToEndLoopback', 3)))).setLabel('internetProfile-AtmConnectOptions-VcFaultManagement').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_VcFaultManagement.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_VcFaultManagement.setDescription('The VC fault management function to be used for this VC.')
internet_profile__atm_connect_options__vc_max_loopback_cell_loss = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 370), integer32()).setLabel('internetProfile-AtmConnectOptions-VcMaxLoopbackCellLoss').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss.setDescription('The maximum number of consecutive cell loopback failures before the call is disconnected.')
internet_profile__atm_connect_options__svc_options__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 332), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmConnectOptions-SvcOptions-Enabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_Enabled.setDescription('Enable ATM SVC.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__numbering_plan = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 397), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 9))).clone(namedValues=named_values(('undefined', 1), ('isdn', 2), ('aesa', 3), ('unknown', 5), ('x121', 9)))).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-NumberingPlan').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr_e164_native_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 398), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-E164NativeAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__aesa_address__format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 399), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 6, 4, 5))).clone(namedValues=named_values(('undefined', 1), ('dccAesa', 2), ('icdAesa', 6), ('e164Aesa', 4), ('customAesa', 5)))).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-Format').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__aesa_address__idp_portion__afi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 400), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Afi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__aesa_address__idp_portion__idi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 401), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-IdpPortion-Idi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__aesa_address__dsp_portion__ho_dsp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 402), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-HoDsp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__aesa_address__dsp_portion__esi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 403), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Esi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internet_profile__atm_connect_options__svc_options__incoming_caller_addr__aesa_address__dsp_portion__sel = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 404), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-IncomingCallerAddr-AesaAddress-DspPortion-Sel').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__numbering_plan = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 405), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 5, 9))).clone(namedValues=named_values(('undefined', 1), ('isdn', 2), ('aesa', 3), ('unknown', 5), ('x121', 9)))).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-NumberingPlan').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan.setDescription('Numbering plan for an SVC address')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr_e164_native_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 406), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-E164NativeAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress.setDescription('An SVC address in a native E.164 format.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__aesa_address__format = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 407), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 6, 4, 5))).clone(namedValues=named_values(('undefined', 1), ('dccAesa', 2), ('icdAesa', 6), ('e164Aesa', 4), ('customAesa', 5)))).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-Format').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format.setDescription('An AESA address format used to define this SVC address.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__aesa_address__idp_portion__afi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 408), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Afi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi.setDescription('An Authority and Format Identifier(AFI) for AESA address. Must be defined for every AESA address.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__aesa_address__idp_portion__idi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 409), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-IdpPortion-Idi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi.setDescription('An Initial Domain Identifier (IDI) portion of the AESA address.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__aesa_address__dsp_portion__ho_dsp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 410), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-HoDsp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp.setDescription('A High-Order Domain-Specific Part of AESA address. The IDP portion determine the format of the HO-DSP.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__aesa_address__dsp_portion__esi = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 411), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Esi').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi.setDescription('An End System Identifier (ESI) which uniquely identifies the end system within the specified subnetwork.')
internet_profile__atm_connect_options__svc_options__outgoing_called_addr__aesa_address__dsp_portion__sel = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 412), display_string()).setLabel('internetProfile-AtmConnectOptions-SvcOptions-OutgoingCalledAddr-AesaAddress-DspPortion-Sel').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel.setDescription('A selector (SEL) field that may be used by the end system.')
internet_profile__atm_connect_options__atm_inverse_arp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 351), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmConnectOptions-AtmInverseArp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmInverseArp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmInverseArp.setDescription('Send Atm Inverse Arp request for this connection.')
internet_profile__atm_connect_options__fr08_mode = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 379), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('translation', 1), ('transparent', 2)))).setLabel('internetProfile-AtmConnectOptions-Fr08Mode').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Fr08Mode.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Fr08Mode.setDescription('The FR-08 transparent mode')
internet_profile__atm_connect_options__atm_circuit_profile = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 439), display_string()).setLabel('internetProfile-AtmConnectOptions-AtmCircuitProfile').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmCircuitProfile.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_AtmCircuitProfile.setDescription('The atm circuit profile name to be used for this connection.')
internet_profile__atm_connect_options__oam_ais_f5 = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 456), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('disable', 1), ('segment', 2), ('endToEnd', 3)))).setLabel('internetProfile-AtmConnectOptions-OamAisF5').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_OamAisF5.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_OamAisF5.setDescription('Disable/Enable sending OAM AIS F5 cells when pvc is down.')
internet_profile__atm_connect_options__oam_support = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 457), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmConnectOptions-OamSupport').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_OamSupport.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_OamSupport.setDescription('Is F4 OAM supported? It is used only when vp-switching is yes. The Stinger system can only support F4 OAM for 50 VPC segments in total.')
internet_profile__atm_connect_options__mtu = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 469), integer32()).setLabel('internetProfile-AtmConnectOptions-Mtu').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Mtu.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmConnectOptions_Mtu.setDescription('The maximum packet size (excluding LLC encapsulation if used) that can be transmitted to a remote peer without performing fragmentation.')
internet_profile__visa2_options__idle_character_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 271), integer32()).setLabel('internetProfile-Visa2Options-IdleCharacterDelay').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_IdleCharacterDelay.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_IdleCharacterDelay.setDescription('Idle Character Delay in milliseconds.')
internet_profile__visa2_options__first_data_forward_character = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 272), display_string()).setLabel('internetProfile-Visa2Options-FirstDataForwardCharacter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_FirstDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_FirstDataForwardCharacter.setDescription('First Data Forwarding Character. Default is 0x04')
internet_profile__visa2_options__second_data_forward_character = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 273), display_string()).setLabel('internetProfile-Visa2Options-SecondDataForwardCharacter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_SecondDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_SecondDataForwardCharacter.setDescription('Second Data Forwarding Character. Default is 0x06')
internet_profile__visa2_options__third_data_forward_character = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 274), display_string()).setLabel('internetProfile-Visa2Options-ThirdDataForwardCharacter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_ThirdDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_ThirdDataForwardCharacter.setDescription('Third Data Forwarding Character. Default is 0x15')
internet_profile__visa2_options__fourth_data_forward_character = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 275), display_string()).setLabel('internetProfile-Visa2Options-FourthDataForwardCharacter').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_FourthDataForwardCharacter.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_FourthDataForwardCharacter.setDescription('Fourth Data Forwarding Character. Default is 0x05')
internet_profile__visa2_options_o1_char_sequence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 276), display_string()).setLabel('internetProfile-Visa2Options-o1CharSequence').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_o1CharSequence.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_o1CharSequence.setDescription('1 character data forwarding sequence. Default is 0x03')
internet_profile__visa2_options_o2_char_sequence = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 277), display_string()).setLabel('internetProfile-Visa2Options-o2CharSequence').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_o2CharSequence.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Visa2Options_o2CharSequence.setDescription('2 character data forwarding sequence. Default is 0x00:0x03')
internet_profile__sdtn_packets_server = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 278), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-SdtnPacketsServer').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_SdtnPacketsServer.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_SdtnPacketsServer.setDescription('Decides if this profile Handles sdtn-packets. Note, the Sdtn data packets may still be encapsulated')
internet_profile_o_at_string = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 279), display_string()).setLabel('internetProfile-oATString').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_oATString.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_oATString.setDescription('Allows the user to enter customized AT commands in the modem dial or answer string.')
internet_profile__port_redirect_options__protocol = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 280), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 7, 18))).clone(namedValues=named_values(('none', 1), ('tcp', 7), ('udp', 18)))).setLabel('internetProfile-PortRedirectOptions-Protocol').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PortRedirectOptions_Protocol.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PortRedirectOptions_Protocol.setDescription('The protocol to be redirected.')
internet_profile__port_redirect_options__port_number = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 281), integer32()).setLabel('internetProfile-PortRedirectOptions-PortNumber').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PortRedirectOptions_PortNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PortRedirectOptions_PortNumber.setDescription('Port number to be redirected.')
internet_profile__port_redirect_options__redirect_address = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 282), ip_address()).setLabel('internetProfile-PortRedirectOptions-RedirectAddress').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PortRedirectOptions_RedirectAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PortRedirectOptions_RedirectAddress.setDescription('IP Address of server to which packet is to be redirected.')
internet_profile__pppoe_options__pppoe = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 288), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-PppoeOptions-Pppoe').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppoeOptions_Pppoe.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppoeOptions_Pppoe.setDescription('Enable or disable the ability to establish PPP over Ethernet session over this interface.')
internet_profile__pppoe_options__bridge_non_pppoe = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 289), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-PppoeOptions-BridgeNonPppoe').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PppoeOptions_BridgeNonPppoe.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PppoeOptions_BridgeNonPppoe.setDescription('States wheather to bridge all other protocols except PPPoE on this interface or not.')
internet_profile__atm_qos_options__usr_up_stream_contract = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 352), display_string()).setLabel('internetProfile-AtmQosOptions-UsrUpStreamContract').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmQosOptions_UsrUpStreamContract.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmQosOptions_UsrUpStreamContract.setDescription('Quality of Service (QOS) contract for user up stream traffic')
internet_profile__atm_qos_options__usr_dn_stream_contract = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 353), display_string()).setLabel('internetProfile-AtmQosOptions-UsrDnStreamContract').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmQosOptions_UsrDnStreamContract.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmQosOptions_UsrDnStreamContract.setDescription('Quality of Service (QOS) contract for user down stream traffic')
internet_profile__atm_qos_options__subtending_hops = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 470), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('n-0Level', 1), ('n-1Level', 2), ('n-2Level', 3), ('n-3Level', 4)))).setLabel('internetProfile-AtmQosOptions-SubtendingHops').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmQosOptions_SubtendingHops.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmQosOptions_SubtendingHops.setDescription('Number of hops from which the end-point of this connection originates')
internet_profile__bir_options__enable = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 290), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-BirOptions-Enable').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BirOptions_Enable.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BirOptions_Enable.setDescription('Enable or disable the BIR on this interface.')
internet_profile__bir_options__proxy_arp = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 291), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-BirOptions-ProxyArp').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_BirOptions_ProxyArp.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_BirOptions_ProxyArp.setDescription('Specify how proxy arp is to be used on an interface.')
internet_profile__atm_aal_options__aal_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 440), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-AtmAalOptions-AalEnabled').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_AalEnabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_AalEnabled.setDescription('Enable the AAl options')
internet_profile__atm_aal_options__aal_type = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 441), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('aal0', 1), ('aal5', 2), ('unspecified', 3)))).setLabel('internetProfile-AtmAalOptions-AalType').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_AalType.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_AalType.setDescription('ATM Adaptation Layer type')
internet_profile__atm_aal_options__transmit_sdu_size = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 442), integer32()).setLabel('internetProfile-AtmAalOptions-TransmitSduSize').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_TransmitSduSize.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_TransmitSduSize.setDescription('Size of the trasmitt Service Data Unit in octets.')
internet_profile__atm_aal_options__receive_sdu_size = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 443), integer32()).setLabel('internetProfile-AtmAalOptions-ReceiveSduSize').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_ReceiveSduSize.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_AtmAalOptions_ReceiveSduSize.setDescription('Size of the receive Service Data Unit in octets.')
internet_profile__conn_user = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 444), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('default', 1), ('cpcs', 2)))).setLabel('internetProfile-ConnUser').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_ConnUser.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_ConnUser.setDescription('Connetion User type .')
internet_profile__modem_on_hold_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 458), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('mohDisabled', 1), ('n-10SecMohTimeout', 2), ('n-20SecMohTimeout', 3), ('n-30SecMohTimeout', 4), ('n-40SecMohTimeout', 5), ('n-1MinMohTimeout', 6), ('n-2MinMohTimeout', 7), ('n-3MinMohTimeout', 8), ('n-4MinMohTimeout', 9), ('n-6MinMohTimeout', 10), ('n-8MinMohTimeout', 11), ('n-12MinMohTimeout', 12), ('n-16MinMohTimeout', 13), ('noLimitMohTimeout', 14), ('connProfileUseGlobal', 15)))).setLabel('internetProfile-ModemOnHoldTimeout').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_ModemOnHoldTimeout.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_ModemOnHoldTimeout.setDescription('The allowable Modem-on-Hold timeout values.')
internet_profile__priority_options__enabled = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 482), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('no', 1), ('yes', 2)))).setLabel('internetProfile-PriorityOptions-Enabled').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_Enabled.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_Enabled.setDescription('Enable priority classification.')
internet_profile__priority_options__packet_classification = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 477), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('qosTag', 2), ('udpPortRange', 3)))).setLabel('internetProfile-PriorityOptions-PacketClassification').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_PacketClassification.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_PacketClassification.setDescription('Method used to classify PPP packets.')
internet_profile__priority_options__max_rtp_packet_delay = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 478), integer32()).setLabel('internetProfile-PriorityOptions-MaxRtpPacketDelay').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_MaxRtpPacketDelay.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_MaxRtpPacketDelay.setDescription('Maximum delay for RTP packets in milli-seconds. Used for calculating the fragment size for the non-rtp traffic using the same link.')
internet_profile__priority_options__minimum_rtp_port = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 479), integer32()).setLabel('internetProfile-PriorityOptions-MinimumRtpPort').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_MinimumRtpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_MinimumRtpPort.setDescription('Minimum UDP port for prioritization')
internet_profile__priority_options__maximum_rtp_port = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 480), integer32()).setLabel('internetProfile-PriorityOptions-MaximumRtpPort').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_MaximumRtpPort.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_MaximumRtpPort.setDescription('Maximum UDP port for prioritization')
internet_profile__priority_options__no_high_prio_pkt_duration = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 481), integer32()).setLabel('internetProfile-PriorityOptions-NoHighPrioPktDuration').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_NoHighPrioPktDuration.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_PriorityOptions_NoHighPrioPktDuration.setDescription('The number of seconds of no high priority packets before disabling IP fragmentation of low priority packets. The value 0 disables checking duration of no high priority packet.')
internet_profile__action_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 1, 1, 249), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noAction', 1), ('createProfile', 2), ('deleteProfile', 3)))).setLabel('internetProfile-Action-o').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_Action_o.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_Action_o.setDescription('')
mibinternet_profile__ipx_options__ipx_sap_hs_proxy_net_table = mib_table((1, 3, 6, 1, 4, 1, 529, 23, 1, 2)).setLabel('mibinternetProfile-IpxOptions-IpxSapHsProxyNetTable')
if mibBuilder.loadTexts:
mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable.setStatus('mandatory')
if mibBuilder.loadTexts:
mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable.setDescription('A list of mibinternetProfile__ipx_options__ipx_sap_hs_proxy_net profile entries.')
mibinternet_profile__ipx_options__ipx_sap_hs_proxy_net_entry = mib_table_row((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1)).setLabel('mibinternetProfile-IpxOptions-IpxSapHsProxyNetEntry').setIndexNames((0, 'ASCEND-MIBINET-MIB', 'internetProfile-IpxOptions-IpxSapHsProxyNet-Station'), (0, 'ASCEND-MIBINET-MIB', 'internetProfile-IpxOptions-IpxSapHsProxyNet-Index-o'))
if mibBuilder.loadTexts:
mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry.setDescription('A mibinternetProfile__ipx_options__ipx_sap_hs_proxy_net entry containing objects that maps to the parameters of mibinternetProfile__ipx_options__ipx_sap_hs_proxy_net profile.')
internet_profile__ipx_options__ipx_sap_hs_proxy_net__station = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1, 1), display_string()).setLabel('internetProfile-IpxOptions-IpxSapHsProxyNet-Station').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxyNet_Station.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxyNet_Station.setDescription('')
internet_profile__ipx_options__ipx_sap_hs_proxy_net__index_o = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1, 2), integer32()).setLabel('internetProfile-IpxOptions-IpxSapHsProxyNet-Index-o').setMaxAccess('readonly')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o.setDescription('')
internet_profile__ipx_options__ipx_sap_hs_proxy_net = mib_scalar((1, 3, 6, 1, 4, 1, 529, 23, 1, 2, 1, 3), integer32()).setLabel('internetProfile-IpxOptions-IpxSapHsProxyNet').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxyNet.setStatus('mandatory')
if mibBuilder.loadTexts:
internetProfile_IpxOptions_IpxSapHsProxyNet.setDescription('The Network# for IPX SAP Proxy Home Server.')
mibBuilder.exportSymbols('ASCEND-MIBINET-MIB', internetProfile_IpxOptions_NetAlias=internetProfile_IpxOptions_NetAlias, internetProfile_IpxOptions_Rip=internetProfile_IpxOptions_Rip, internetProfile_X25Options_PadAlias2=internetProfile_X25Options_PadAlias2, internetProfile_Clid=internetProfile_Clid, internetProfile_AtmConnectOptions_Atm1483type=internetProfile_AtmConnectOptions_Atm1483type, internetProfile_IpOptions_NetmaskLocal=internetProfile_IpOptions_NetmaskLocal, internetProfile_TelcoOptions_Callback=internetProfile_TelcoOptions_Callback, internetProfile_T3posOptions_T3PosEnqHandling=internetProfile_T3posOptions_T3PosEnqHandling, internetProfile_T3posOptions_X25CugIndex=internetProfile_T3posOptions_X25CugIndex, internetProfile_X25Options_PadAlias3=internetProfile_X25Options_PadAlias3, internetProfile_IpOptions_TosOptions_Dscp=internetProfile_IpOptions_TosOptions_Dscp, internetProfile_T3posOptions_X25Rpoa=internetProfile_T3posOptions_X25Rpoa, internetProfile_Visa2Options_FourthDataForwardCharacter=internetProfile_Visa2Options_FourthDataForwardCharacter, internetProfile_TelcoOptions_AnswerOriginate=internetProfile_TelcoOptions_AnswerOriginate, internetProfile_TelcoOptions_TransitNumber=internetProfile_TelcoOptions_TransitNumber, internetProfile_IpxOptions_IpxSapHsProxy=internetProfile_IpxOptions_IpxSapHsProxy, internetProfile_IpOptions_OspfOptions_AreaType=internetProfile_IpOptions_OspfOptions_AreaType, internetProfile_AtmQosOptions_UsrUpStreamContract=internetProfile_AtmQosOptions_UsrUpStreamContract, internetProfile_IpOptions_VjHeaderPrediction=internetProfile_IpOptions_VjHeaderPrediction, internetProfile_T3posOptions_DataFormat=internetProfile_T3posOptions_DataFormat, internetProfile_AtmConnectOptions_SpvcRetryLimit=internetProfile_AtmConnectOptions_SpvcRetryLimit, internetProfile_AtmOptions_Mtu=internetProfile_AtmOptions_Mtu, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi, internetProfile_AtmConnectOptions_OamSupport=internetProfile_AtmConnectOptions_OamSupport, internetProfile_DhcpOptions_PoolNumber=internetProfile_DhcpOptions_PoolNumber, internetProfile_HdlcNrmOptions_Primary=internetProfile_HdlcNrmOptions_Primary, internetProfile_IpOptions_OspfOptions_DownCost=internetProfile_IpOptions_OspfOptions_DownCost, internetProfile_PppOptions_PppInterfaceType=internetProfile_PppOptions_PppInterfaceType, internetProfile_UsrRadOptions_AcctPort=internetProfile_UsrRadOptions_AcctPort, internetProfile_T3posOptions_T3PosT4=internetProfile_T3posOptions_T3PosT4, internetProfile_PriorityOptions_Enabled=internetProfile_PriorityOptions_Enabled, internetProfile_TcpClearOptions_Port2=internetProfile_TcpClearOptions_Port2, internetProfile_PppOptions_PppCircuit=internetProfile_PppOptions_PppCircuit, internetProfile_DhcpOptions_MaximumLeases=internetProfile_DhcpOptions_MaximumLeases, internetProfile_PriorityOptions_MaxRtpPacketDelay=internetProfile_PriorityOptions_MaxRtpPacketDelay, internetProfile_TunnelOptions_Password=internetProfile_TunnelOptions_Password, internetProfile_IpOptions_AddressRealm=internetProfile_IpOptions_AddressRealm, internetProfile_SessionOptions_MaxtapLogServer=internetProfile_SessionOptions_MaxtapLogServer, internetProfile_AtmConnectOptions_OamAisF5=internetProfile_AtmConnectOptions_OamAisF5, internetProfile_X25Options_PosAuth=internetProfile_X25Options_PosAuth, internetProfile_PppOptions_LinkCompression=internetProfile_PppOptions_LinkCompression, internetProfile_BridgingOptions_SpoofingTimeout=internetProfile_BridgingOptions_SpoofingTimeout, internetProfile_AppletalkOptions_AtalkRoutingEnabled=internetProfile_AppletalkOptions_AtalkRoutingEnabled, internetProfile_IpOptions_IpDirect=internetProfile_IpOptions_IpDirect, internetProfile_SharedProf=internetProfile_SharedProf, internetProfile_SessionOptions_Blockduration=internetProfile_SessionOptions_Blockduration, internetProfile_TcpClearOptions_FlushLength=internetProfile_TcpClearOptions_FlushLength, internetProfile_SessionOptions_VtpGateway=internetProfile_SessionOptions_VtpGateway, internetProfile_AtmOptions_AtmServiceType=internetProfile_AtmOptions_AtmServiceType, internetProfile_TunnelOptions_TunnelingProtocol=internetProfile_TunnelOptions_TunnelingProtocol, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel, internetProfile_HdlcNrmOptions_PollRetryCount=internetProfile_HdlcNrmOptions_PollRetryCount, internetProfile_X25Options_X3Profile=internetProfile_X25Options_X3Profile, internetProfile_PriorityOptions_MinimumRtpPort=internetProfile_PriorityOptions_MinimumRtpPort, internetProfile_SessionOptions_CallFilter=internetProfile_SessionOptions_CallFilter, internetProfile_AtmConnectOptions_AtmInverseArp=internetProfile_AtmConnectOptions_AtmInverseArp, internetProfile_IpOptions_Rip=internetProfile_IpOptions_Rip, internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o=internetProfile_IpxOptions_IpxSapHsProxyNet_Index_o, internetProfile_TelcoOptions_Force56kbps=internetProfile_TelcoOptions_Force56kbps, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Sel, internetProfile_IpOptions_OspfOptions_Active=internetProfile_IpOptions_OspfOptions_Active, internetProfile_IpxOptions_IpxHeaderCompression=internetProfile_IpxOptions_IpxHeaderCompression, internetProfile_AppletalkOptions_AtalkStaticNetStart=internetProfile_AppletalkOptions_AtalkStaticNetStart, internetProfile_Visa2Options_o1CharSequence=internetProfile_Visa2Options_o1CharSequence, internetProfile_PriorityOptions_MaximumRtpPort=internetProfile_PriorityOptions_MaximumRtpPort, internetProfile_IpOptions_Preference=internetProfile_IpOptions_Preference, internetProfile_AtmQosOptions_UsrDnStreamContract=internetProfile_AtmQosOptions_UsrDnStreamContract, internetProfile_TelcoOptions_Ft1Caller=internetProfile_TelcoOptions_Ft1Caller, internetProfile_AtmOptions_Fr08Mode=internetProfile_AtmOptions_Fr08Mode, internetProfile_IpOptions_OspfOptions_PollInterval=internetProfile_IpOptions_OspfOptions_PollInterval, internetProfile_PppOptions_BiDirectionalAuth=internetProfile_PppOptions_BiDirectionalAuth, internetProfile_EuOptions_DceAddr=internetProfile_EuOptions_DceAddr, internetProfile_AtmConnectOptions_SvcOptions_Enabled=internetProfile_AtmConnectOptions_SvcOptions_Enabled, internetProfile_IpOptions_OspfOptions_AseTag=internetProfile_IpOptions_OspfOptions_AseTag, internetProfile_BridgingOptions_BridgingGroup=internetProfile_BridgingOptions_BridgingGroup, internetProfile_TunnelOptions_HomeNetworkName=internetProfile_TunnelOptions_HomeNetworkName, internetProfile_HdlcNrmOptions_AsyncDrop=internetProfile_HdlcNrmOptions_AsyncDrop, internetProfile_SessionOptions_SesAdslCapUpRate=internetProfile_SessionOptions_SesAdslCapUpRate, internetProfile_BridgingOptions_IpxSpoofing=internetProfile_BridgingOptions_IpxSpoofing, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp, internetProfile_PppOptions_CbcpEnabled=internetProfile_PppOptions_CbcpEnabled, internetProfile_X25Options_PadDefaultListen=internetProfile_X25Options_PadDefaultListen, internetProfile_IpOptions_RemoteAddress=internetProfile_IpOptions_RemoteAddress, internetProfile_SessionOptions_RedialDelayLimit=internetProfile_SessionOptions_RedialDelayLimit, internetProfile_AtmOptions_OamSupport=internetProfile_AtmOptions_OamSupport, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format, internetProfile_BridgingOptions_DialOnBroadcast=internetProfile_BridgingOptions_DialOnBroadcast, internetProfile_IpOptions_PrivateRoute=internetProfile_IpOptions_PrivateRoute, internetProfile_MppOptions_X25chanTargetUtilization=internetProfile_MppOptions_X25chanTargetUtilization, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_Format, mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry=mibinternetProfile_IpxOptions_IpxSapHsProxyNetEntry, internetProfile_BridgingOptions_BridgeType=internetProfile_BridgingOptions_BridgeType, internetProfile_AtmConnectOptions_CastType=internetProfile_AtmConnectOptions_CastType, internetProfile_PriorityOptions_NoHighPrioPktDuration=internetProfile_PriorityOptions_NoHighPrioPktDuration, DisplayString=DisplayString, internetProfile_AtmAalOptions_AalType=internetProfile_AtmAalOptions_AalType, internetProfile_AtmAalOptions_ReceiveSduSize=internetProfile_AtmAalOptions_ReceiveSduSize, internetProfile_AtmConnectOptions_SpvcRetryThreshold=internetProfile_AtmConnectOptions_SpvcRetryThreshold, internetProfile_SessionOptions_IdleTimer=internetProfile_SessionOptions_IdleTimer, internetProfile_T3posOptions_T3PosDteInitMode=internetProfile_T3posOptions_T3PosDteInitMode, internetProfile_AtmConnectOptions_TargetVpi=internetProfile_AtmConnectOptions_TargetVpi, internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss=internetProfile_AtmConnectOptions_VcMaxLoopbackCellLoss, internetProfile_BirOptions_ProxyArp=internetProfile_BirOptions_ProxyArp, internetProfile_X25Options_PadPrompt=internetProfile_X25Options_PadPrompt, internetProfile_AtmOptions_SpvcRetryLimit=internetProfile_AtmOptions_SpvcRetryLimit, internetProfile_AtmConnectOptions_TargetSelect=internetProfile_AtmConnectOptions_TargetSelect, internetProfile_T3posOptions_T3PosT3=internetProfile_T3posOptions_T3PosT3, internetProfile_X25Options_MaxCalls=internetProfile_X25Options_MaxCalls, internetProfile_Vrouter=internetProfile_Vrouter, internetProfile_UsrRadOptions_AcctKey=internetProfile_UsrRadOptions_AcctKey, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress, internetProfile_TunnelOptions_Vrouter=internetProfile_TunnelOptions_Vrouter, internetProfile_SessionOptions_TsIdleMode=internetProfile_SessionOptions_TsIdleMode, internetProfile_AtmOptions_SpvcRetryThreshold=internetProfile_AtmOptions_SpvcRetryThreshold, internetProfile_IpOptions_ClientWinsAddrAssign=internetProfile_IpOptions_ClientWinsAddrAssign, internetProfile_TcpClearOptions_DetectEndOfPacket=internetProfile_TcpClearOptions_DetectEndOfPacket, internetProfile_TcpClearOptions_Host3=internetProfile_TcpClearOptions_Host3, internetProfile_X25Options_X121SourceAddress=internetProfile_X25Options_X121SourceAddress, internetProfile_HdlcNrmOptions_PollRate=internetProfile_HdlcNrmOptions_PollRate, internetProfile_AtmOptions_AtmDirectProfile=internetProfile_AtmOptions_AtmDirectProfile, internetProfile_IpOptions_TosFilter=internetProfile_IpOptions_TosFilter, internetProfile_SessionOptions_MaxCallDuration=internetProfile_SessionOptions_MaxCallDuration, internetProfile_IpxOptions_DialQuery=internetProfile_IpxOptions_DialQuery, internetProfile_MppOptions_TargetUtilization=internetProfile_MppOptions_TargetUtilization, internetProfile_T3posOptions_AutoCallX121Address=internetProfile_T3posOptions_AutoCallX121Address, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress, internetProfile_X75Options_T1RetranTimer=internetProfile_X75Options_T1RetranTimer, internetProfile_T3posOptions_T3PosPidSelection=internetProfile_T3posOptions_T3PosPidSelection, internetProfile_X32Options_X32ApplMode=internetProfile_X32Options_X32ApplMode, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_NumberingPlan, internetProfile_AtmConnectOptions_SpvcRetryInterval=internetProfile_AtmConnectOptions_SpvcRetryInterval, internetProfile_AtmOptions_AtmInverseArp=internetProfile_AtmOptions_AtmInverseArp, internetProfile_X25Options_X25EncapsType=internetProfile_X25Options_X25EncapsType, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi, internetProfile_PriNumberingPlanId=internetProfile_PriNumberingPlanId, internetProfile_Visa2Options_ThirdDataForwardCharacter=internetProfile_Visa2Options_ThirdDataForwardCharacter, internetProfile_X25Options_CallMode=internetProfile_X25Options_CallMode, internetProfile_X25Options_PadNuiPrompt=internetProfile_X25Options_PadNuiPrompt, internetProfile_X25Options_RemoteX25Address=internetProfile_X25Options_RemoteX25Address, internetProfile_SessionOptions_TsIdleTimer=internetProfile_SessionOptions_TsIdleTimer, internetProfile_MppOptions_AddPersistence=internetProfile_MppOptions_AddPersistence, internetProfile_BridgingOptions_Egress=internetProfile_BridgingOptions_Egress, internetProfile_FrOptions_FrDirectProfile=internetProfile_FrOptions_FrDirectProfile, internetProfile_AtmConnectOptions_VcFaultManagement=internetProfile_AtmConnectOptions_VcFaultManagement, internetProfile_IpOptions_ClientWinsSecondaryAddr=internetProfile_IpOptions_ClientWinsSecondaryAddr, internetProfile_SessionOptions_DataFilter=internetProfile_SessionOptions_DataFilter, internetProfile_EuOptions_DteAddr=internetProfile_EuOptions_DteAddr, internetProfile_UsrRadOptions_AcctIdBase=internetProfile_UsrRadOptions_AcctIdBase, internetProfile_X25Options_X25Profile=internetProfile_X25Options_X25Profile, internetProfile_AltdialNumber1=internetProfile_AltdialNumber1, internetProfile_IpOptions_OspfOptions_NetworkType=internetProfile_IpOptions_OspfOptions_NetworkType, internetProfile_AtmOptions_TargetAtmAddress=internetProfile_AtmOptions_TargetAtmAddress, internetProfile_MppOptions_DynamicAlgorithm=internetProfile_MppOptions_DynamicAlgorithm, internetProfile_EuOptions_Mru=internetProfile_EuOptions_Mru, internetProfile_SessionOptions_FilterRequired=internetProfile_SessionOptions_FilterRequired, internetProfile_PortRedirectOptions_PortNumber=internetProfile_PortRedirectOptions_PortNumber, internetProfile_IpOptions_TosOptions_Active=internetProfile_IpOptions_TosOptions_Active, internetProfile_SessionOptions_SesAdslDmtDownRate=internetProfile_SessionOptions_SesAdslDmtDownRate, internetProfile_AtmConnectOptions_TargetVci=internetProfile_AtmConnectOptions_TargetVci, internetProfile_MppOptions_BandwidthMonitorDirection=internetProfile_MppOptions_BandwidthMonitorDirection, internetProfile_X25Options_X25CugIndex=internetProfile_X25Options_X25CugIndex, internetProfile_AtmConnectOptions_TargetAtmAddress=internetProfile_AtmConnectOptions_TargetAtmAddress, internetProfile_IpOptions_RouteFilter=internetProfile_IpOptions_RouteFilter, internetProfile_TelcoOptions_DelayCallback=internetProfile_TelcoOptions_DelayCallback, internetProfile_AtmConnectOptions_VpSwitching=internetProfile_AtmConnectOptions_VpSwitching, internetProfile_AtmOptions_AtmDirectEnabled=internetProfile_AtmOptions_AtmDirectEnabled, internetProfile_SessionOptions_TrafficShaper=internetProfile_SessionOptions_TrafficShaper, internetProfile_BridgingOptions_Fill2=internetProfile_BridgingOptions_Fill2, internetProfile_X25Options_X25Nui=internetProfile_X25Options_X25Nui, internetProfile_IpOptions_OspfOptions_Cost=internetProfile_IpOptions_OspfOptions_Cost, internetProfile_IpOptions_OspfOptions_KeyId=internetProfile_IpOptions_OspfOptions_KeyId, internetProfile_SessionOptions_SesRateType=internetProfile_SessionOptions_SesRateType, internetProfile_IpxOptions_IpxRoutingEnabled=internetProfile_IpxOptions_IpxRoutingEnabled, internetProfile_FrOptions_Dlci=internetProfile_FrOptions_Dlci, internetProfile_IpOptions_NetmaskRemote=internetProfile_IpOptions_NetmaskRemote, internetProfile_MaxSharedUsers=internetProfile_MaxSharedUsers, internetProfile_CalledNumber=internetProfile_CalledNumber, internetProfile_T3posOptions_MaxCalls=internetProfile_T3posOptions_MaxCalls, internetProfile_TunnelOptions_SecondaryTunnelServer=internetProfile_TunnelOptions_SecondaryTunnelServer, internetProfile_IpOptions_MulticastRateLimit=internetProfile_IpOptions_MulticastRateLimit, internetProfile_T3posOptions_LinkAccessType=internetProfile_T3posOptions_LinkAccessType, internetProfile_oATString=internetProfile_oATString, internetProfile_AraOptions_RecvPassword=internetProfile_AraOptions_RecvPassword, internetProfile_PppOptions_SubstituteSendName=internetProfile_PppOptions_SubstituteSendName, internetProfile_TelcoOptions_CallByCall=internetProfile_TelcoOptions_CallByCall, internetProfile_AtmOptions_ConnKind=internetProfile_AtmOptions_ConnKind, internetProfile_ConnUser=internetProfile_ConnUser, internetProfile_TunnelOptions_TosCopying=internetProfile_TunnelOptions_TosCopying, internetProfile_UsrRadOptions_AcctType=internetProfile_UsrRadOptions_AcctType, internetProfile_MppOptions_AuxSendPassword=internetProfile_MppOptions_AuxSendPassword, internetProfile_X75Options_FrameLength=internetProfile_X75Options_FrameLength, internetProfile_IpOptions_TosOptions_ApplyTo=internetProfile_IpOptions_TosOptions_ApplyTo, internetProfile_AppletalkOptions_AtalkStaticZoneName=internetProfile_AppletalkOptions_AtalkStaticZoneName, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format, internetProfile_IpOptions_RoutingMetric=internetProfile_IpOptions_RoutingMetric, internetProfile_X25Options_VcTimerEnable=internetProfile_X25Options_VcTimerEnable, mibinternetProfileEntry=mibinternetProfileEntry, internetProfile_SessionOptions_SesAdslCapDownRate=internetProfile_SessionOptions_SesAdslCapDownRate, internetProfile_IpxOptions_NetNumber=internetProfile_IpxOptions_NetNumber, internetProfile_CrossConnectIndex=internetProfile_CrossConnectIndex, internetProfile_TelcoOptions_NailedGroups=internetProfile_TelcoOptions_NailedGroups, internetProfile_Visa2Options_o2CharSequence=internetProfile_Visa2Options_o2CharSequence, internetProfile_T3posOptions_Answer=internetProfile_T3posOptions_Answer, internetProfile_X25Options_Windowsize=internetProfile_X25Options_Windowsize, internetProfile_X25Options_X25Rpoa=internetProfile_X25Options_X25Rpoa, internetProfile_AtmAalOptions_TransmitSduSize=internetProfile_AtmAalOptions_TransmitSduSize, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi, internetProfile_X25Options_InactivityTimer=internetProfile_X25Options_InactivityTimer, internetProfile_SessionOptions_SesSdslRate=internetProfile_SessionOptions_SesSdslRate, internetProfile_MpOptions_CallbackrequestEnable=internetProfile_MpOptions_CallbackrequestEnable, internetProfile_PppOptions_Mru=internetProfile_PppOptions_Mru, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp, internetProfile_X25Options_PadDiagDisp=internetProfile_X25Options_PadDiagDisp, internetProfile_TcpClearOptions_EndOfPacketPattern=internetProfile_TcpClearOptions_EndOfPacketPattern, internetProfile_TelcoOptions_BillingNumber=internetProfile_TelcoOptions_BillingNumber, internetProfile_IpOptions_AddressPool=internetProfile_IpOptions_AddressPool, internetProfile_AtmOptions_TargetVci=internetProfile_AtmOptions_TargetVci, internetProfile_AtmConnectOptions_NailedGroup=internetProfile_AtmConnectOptions_NailedGroup, internetProfile_IpOptions_ClientDnsAddrAssign=internetProfile_IpOptions_ClientDnsAddrAssign, internetProfile_TcpClearOptions_Port=internetProfile_TcpClearOptions_Port, internetProfile_T3posOptions_T3PosMaxBlockSize=internetProfile_T3posOptions_T3PosMaxBlockSize, internetProfile_UsrRadOptions_AcctHost=internetProfile_UsrRadOptions_AcctHost, internetProfile_AtmOptions_NailedGroup=internetProfile_AtmOptions_NailedGroup, internetProfile_FrOptions_MfrBundleName=internetProfile_FrOptions_MfrBundleName, internetProfile_AppletalkOptions_AtalkStaticNetEnd=internetProfile_AppletalkOptions_AtalkStaticNetEnd, internetProfile_SubAddress=internetProfile_SubAddress, internetProfile_PppOptions_DelayCallbackControl=internetProfile_PppOptions_DelayCallbackControl, internetProfile_AtmConnectOptions_AtmServiceRate=internetProfile_AtmConnectOptions_AtmServiceRate, internetProfile_IpOptions_OspfOptions_Md5AuthKey=internetProfile_IpOptions_OspfOptions_Md5AuthKey, internetProfile_T3posOptions_T3PosAckSuppression=internetProfile_T3posOptions_T3PosAckSuppression, internetProfile_T3posOptions_X25Nui=internetProfile_T3posOptions_X25Nui, internetProfile_TunnelOptions_PrimaryTunnelServer=internetProfile_TunnelOptions_PrimaryTunnelServer, internetProfile_IpOptions_TosOptions_Precedence=internetProfile_IpOptions_TosOptions_Precedence, internetProfile_AltdialNumber3=internetProfile_AltdialNumber3, internetProfile_MpOptions_BodEnable=internetProfile_MpOptions_BodEnable, internetProfile_AtmConnectOptions_AtmDirectProfile=internetProfile_AtmConnectOptions_AtmDirectProfile, internetProfile_TelcoOptions_DialoutAllowed=internetProfile_TelcoOptions_DialoutAllowed, internetProfile_SessionOptions_Backup=internetProfile_SessionOptions_Backup, internetProfile_SdtnPacketsServer=internetProfile_SdtnPacketsServer, internetProfile_IpOptions_MulticastAllowed=internetProfile_IpOptions_MulticastAllowed, internetProfile_IpOptions_ClientWinsPrimaryAddr=internetProfile_IpOptions_ClientWinsPrimaryAddr, internetProfile_AtmConnectOptions_AtmServiceType=internetProfile_AtmConnectOptions_AtmServiceType, internetProfile_IpOptions_LocalAddress=internetProfile_IpOptions_LocalAddress, internetProfile_MpOptions_BacpEnable=internetProfile_MpOptions_BacpEnable, internetProfile_SessionOptions_Blockcountlimit=internetProfile_SessionOptions_Blockcountlimit, internetProfile_TelcoOptions_DataService=internetProfile_TelcoOptions_DataService, internetProfile_AtmConnectOptions_ConnKind=internetProfile_AtmConnectOptions_ConnKind, internetProfile_IpOptions_OspfOptions_AuthKey=internetProfile_IpOptions_OspfOptions_AuthKey, internetProfile_FrOptions_FrDirectEnabled=internetProfile_FrOptions_FrDirectEnabled, internetProfile_PppOptions_LqmMaximumPeriod=internetProfile_PppOptions_LqmMaximumPeriod, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Idi, internetProfile_PortRedirectOptions_Protocol=internetProfile_PortRedirectOptions_Protocol, internetProfile_SessionOptions_SesAdslDmtUpRate=internetProfile_SessionOptions_SesAdslDmtUpRate)
mibBuilder.exportSymbols('ASCEND-MIBINET-MIB', internetProfile_T3posOptions_T3PosT6=internetProfile_T3posOptions_T3PosT6, internetProfile_PortRedirectOptions_RedirectAddress=internetProfile_PortRedirectOptions_RedirectAddress, internetProfile_X32Options_CallMode=internetProfile_X32Options_CallMode, internetProfile_AtmConnectOptions_Vci=internetProfile_AtmConnectOptions_Vci, internetProfile_IpOptions_ClientDefaultGateway=internetProfile_IpOptions_ClientDefaultGateway, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan, internetProfile_AtmOptions_SvcOptions_Enabled=internetProfile_AtmOptions_SvcOptions_Enabled, internetProfile_DialNumber=internetProfile_DialNumber, internetProfile_IpOptions_TosOptions_MarkingType=internetProfile_IpOptions_TosOptions_MarkingType, internetProfile_TcpClearOptions_Host=internetProfile_TcpClearOptions_Host, internetProfile_IpsecOptions_Enabled=internetProfile_IpsecOptions_Enabled, internetProfile_HdlcNrmOptions_PollTimeout=internetProfile_HdlcNrmOptions_PollTimeout, internetProfile_IpOptions_OspfOptions_TransitDelay=internetProfile_IpOptions_OspfOptions_TransitDelay, internetProfile_IpxOptions_SapFilter=internetProfile_IpxOptions_SapFilter, internetProfile_X25Options_ReverseCharge=internetProfile_X25Options_ReverseCharge, internetProfile_EncapsulationProtocol=internetProfile_EncapsulationProtocol, internetProfile_TcpClearOptions_Host2=internetProfile_TcpClearOptions_Host2, internetProfile_T3posOptions_T3PosT2=internetProfile_T3posOptions_T3PosT2, internetProfile_MpOptions_BaseChannelCount=internetProfile_MpOptions_BaseChannelCount, internetProfile_PriorityOptions_PacketClassification=internetProfile_PriorityOptions_PacketClassification, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_Format, internetProfile_IpOptions_OspfOptions_DeadInterval=internetProfile_IpOptions_OspfOptions_DeadInterval, internetProfile_IpOptions_DownPreference=internetProfile_IpOptions_DownPreference, internetProfile_AtmOptions_Vpi=internetProfile_AtmOptions_Vpi, internetProfile_X25Options_PadBanner=internetProfile_X25Options_PadBanner, internetProfile_HdlcNrmOptions_StationPollAddress=internetProfile_HdlcNrmOptions_StationPollAddress, internetProfile_T3posOptions_T3PosT5=internetProfile_T3posOptions_T3PosT5, internetProfile_UsrRadOptions_AcctTimeout=internetProfile_UsrRadOptions_AcctTimeout, internetProfile_TunnelOptions_UdpPort=internetProfile_TunnelOptions_UdpPort, internetProfile_MppOptions_SubPersistence=internetProfile_MppOptions_SubPersistence, internetProfile_PppOptions_LqmMinimumPeriod=internetProfile_PppOptions_LqmMinimumPeriod, internetProfile_IpxOptions_IpxSapHsProxyNet=internetProfile_IpxOptions_IpxSapHsProxyNet, internetProfile_SessionOptions_CirTimer=internetProfile_SessionOptions_CirTimer, internetProfile_AtmConnectOptions_Vpi=internetProfile_AtmConnectOptions_Vpi, internetProfile_Visa2Options_FirstDataForwardCharacter=internetProfile_Visa2Options_FirstDataForwardCharacter, internetProfile_TcpClearOptions_FlushTime=internetProfile_TcpClearOptions_FlushTime, internetProfile_FrOptions_CircuitType=internetProfile_FrOptions_CircuitType, internetProfile_IpOptions_OspfOptions_Area=internetProfile_IpOptions_OspfOptions_Area, internetProfile_IpOptions_IpRoutingEnabled=internetProfile_IpOptions_IpRoutingEnabled, internetProfile_AtmOptions_AtmCircuitProfile=internetProfile_AtmOptions_AtmCircuitProfile, internetProfile_PppOptions_RecvPassword=internetProfile_PppOptions_RecvPassword, internetProfile_IpOptions_ClientDnsPrimaryAddr=internetProfile_IpOptions_ClientDnsPrimaryAddr, internetProfile_Visa2Options_SecondDataForwardCharacter=internetProfile_Visa2Options_SecondDataForwardCharacter, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_NumberingPlan, internetProfile_IpxOptions_PeerMode=internetProfile_IpxOptions_PeerMode, internetProfile_Active=internetProfile_Active, internetProfile_T3posOptions_T3PosMethodOfHostNotif=internetProfile_T3posOptions_T3PosMethodOfHostNotif, internetProfile_IpOptions_NatProfileName=internetProfile_IpOptions_NatProfileName, internetProfile_FrOptions_FrDirectDlci=internetProfile_FrOptions_FrDirectDlci, internetProfile_X32Options_X32Profile=internetProfile_X32Options_X32Profile, internetProfile_PppOptions_Lqm=internetProfile_PppOptions_Lqm, internetProfile_T3posOptions_X25Profile=internetProfile_T3posOptions_X25Profile, internetProfile_FrOptions_FrameRelayProfile=internetProfile_FrOptions_FrameRelayProfile, internetProfile_SessionOptions_FilterPersistence=internetProfile_SessionOptions_FilterPersistence, internetProfile_PppOptions_SendPassword=internetProfile_PppOptions_SendPassword, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_IdpPortion_Afi, internetProfile_PppOptions_TrunkGroupCallbackControl=internetProfile_PppOptions_TrunkGroupCallbackControl, internetProfile_T3posOptions_T3PosHostInitMode=internetProfile_T3posOptions_T3PosHostInitMode, mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable=mibinternetProfile_IpxOptions_IpxSapHsProxyNetTable, internetProfile_AtmQosOptions_SubtendingHops=internetProfile_AtmQosOptions_SubtendingHops, internetProfile_AtmOptions_Vci=internetProfile_AtmOptions_Vci, internetProfile_IpxOptions_IpxSpoofing=internetProfile_IpxOptions_IpxSpoofing, internetProfile_HdlcNrmOptions_SnrmRetryCounter=internetProfile_HdlcNrmOptions_SnrmRetryCounter, internetProfile_PppOptions_SplitCodeDotUserEnabled=internetProfile_PppOptions_SplitCodeDotUserEnabled, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Sel, internetProfile_SessionOptions_MaxtapDataServer=internetProfile_SessionOptions_MaxtapDataServer, internetProfile_AraOptions_MaximumConnectTime=internetProfile_AraOptions_MaximumConnectTime, internetProfile_DhcpOptions_ReplyEnabled=internetProfile_DhcpOptions_ReplyEnabled, internetProfile_Action_o=internetProfile_Action_o, internetProfile_SessionOptions_Priority=internetProfile_SessionOptions_Priority, internetProfile_SessionOptions_MaxVtpTunnels=internetProfile_SessionOptions_MaxVtpTunnels, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi, internetProfile_FrOptions_CircuitName=internetProfile_FrOptions_CircuitName, internetProfile_IpOptions_OspfOptions_AuthenType=internetProfile_IpOptions_OspfOptions_AuthenType, internetProfile_BirOptions_Enable=internetProfile_BirOptions_Enable, internetProfile_AppletalkOptions_AtalkPeerMode=internetProfile_AppletalkOptions_AtalkPeerMode, internetProfile_AtmOptions_Atm1483type=internetProfile_AtmOptions_Atm1483type, internetProfile_IpxOptions_Sap=internetProfile_IpxOptions_Sap, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_E164NativeAddress, internetProfile_IpsecOptions_SecurityPolicyDatabase=internetProfile_IpsecOptions_SecurityPolicyDatabase, internetProfile_TunnelOptions_ServerAuthId=internetProfile_TunnelOptions_ServerAuthId, internetProfile_TcpClearOptions_Host4=internetProfile_TcpClearOptions_Host4, internetProfile_IpOptions_OspfOptions_AseType=internetProfile_IpOptions_OspfOptions_AseType, internetProfile_TunnelOptions_ProfileType=internetProfile_TunnelOptions_ProfileType, internetProfile_IpOptions_MulticastGroupLeaveDelay=internetProfile_IpOptions_MulticastGroupLeaveDelay, internetProfile_AltdialNumber2=internetProfile_AltdialNumber2, internetProfile_FramedOnly=internetProfile_FramedOnly, internetProfile_TcpClearOptions_Port3=internetProfile_TcpClearOptions_Port3, internetProfile_AtmOptions_CastType=internetProfile_AtmOptions_CastType, internetProfile_TunnelOptions_AssignmentId=internetProfile_TunnelOptions_AssignmentId, internetProfile_IpxOptions_IpxSapHsProxyNet_Station=internetProfile_IpxOptions_IpxSapHsProxyNet_Station, internetProfile_PppoeOptions_Pppoe=internetProfile_PppoeOptions_Pppoe, internetProfile_AtmOptions_AtmServiceRate=internetProfile_AtmOptions_AtmServiceRate, internetProfile_IpOptions_OspfOptions_HelloInterval=internetProfile_IpOptions_OspfOptions_HelloInterval, internetProfile_CalledNumberType=internetProfile_CalledNumberType, internetProfile_PppOptions_SubstituteRecvName=internetProfile_PppOptions_SubstituteRecvName, internetProfile_AtmOptions_VpSwitching=internetProfile_AtmOptions_VpSwitching, internetProfile_HdlcNrmOptions_SnrmResponseTimeout=internetProfile_HdlcNrmOptions_SnrmResponseTimeout, internetProfile_X75Options_N2Retransmissions=internetProfile_X75Options_N2Retransmissions, internetProfile_X25Options_PadNuiPwPrompt=internetProfile_X25Options_PadNuiPwPrompt, internetProfile_SessionOptions_RxDataRateLimit=internetProfile_SessionOptions_RxDataRateLimit, internetProfile_T3posOptions_T3PosT1=internetProfile_T3posOptions_T3PosT1, internetProfile_T3posOptions_ReverseCharge=internetProfile_T3posOptions_ReverseCharge, internetProfile_AtmOptions_VcMaxLoopbackCellLoss=internetProfile_AtmOptions_VcMaxLoopbackCellLoss, internetProfile_TelcoOptions_CallType=internetProfile_TelcoOptions_CallType, internetProfile_Visa2Options_IdleCharacterDelay=internetProfile_Visa2Options_IdleCharacterDelay, internetProfile_IpxOptions_SpoofingTimeout=internetProfile_IpxOptions_SpoofingTimeout, internetProfile_PppOptions_Mtu=internetProfile_PppOptions_Mtu, internetProfile_IpOptions_PrivateRouteProfileRequired=internetProfile_IpOptions_PrivateRouteProfileRequired, internetProfile_PppOptions_ModeCallbackControl=internetProfile_PppOptions_ModeCallbackControl, internetProfile_AutoProfiles=internetProfile_AutoProfiles, internetProfile_TcpClearOptions_Port4=internetProfile_TcpClearOptions_Port4, internetProfile_TunnelOptions_AtmpHaRip=internetProfile_TunnelOptions_AtmpHaRip, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi, internetProfile_X75Options_KFramesOutstanding=internetProfile_X75Options_KFramesOutstanding, internetProfile_MppOptions_DecrementChannelCount=internetProfile_MppOptions_DecrementChannelCount, mibinternetProfileTable=mibinternetProfileTable, internetProfile_TunnelOptions_ClientAuthId=internetProfile_TunnelOptions_ClientAuthId, internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmConnectOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi, internetProfile_X25Options_Lcn=internetProfile_X25Options_Lcn, internetProfile_IpOptions_SourceIpCheck=internetProfile_IpOptions_SourceIpCheck, internetProfile_AtmOptions_TargetVpi=internetProfile_AtmOptions_TargetVpi, internetProfile_AtmConnectOptions_Fr08Mode=internetProfile_AtmConnectOptions_Fr08Mode, internetProfile_IpOptions_OspfOptions_NonMulticast=internetProfile_IpOptions_OspfOptions_NonMulticast, internetProfile_FrOptions_FrLinkType=internetProfile_FrOptions_FrLinkType, internetProfile_SessionOptions_TxDataRateLimit=internetProfile_SessionOptions_TxDataRateLimit, internetProfile_X25Options_PadDefaultPw=internetProfile_X25Options_PadDefaultPw, internetProfile_AtmConnectOptions_Mtu=internetProfile_AtmConnectOptions_Mtu, internetProfile_SessionOptions_Secondary=internetProfile_SessionOptions_Secondary, internetProfile_PppOptions_SendAuthMode=internetProfile_PppOptions_SendAuthMode, internetProfile_Station=internetProfile_Station, internetProfile_MpOptions_MaximumChannels=internetProfile_MpOptions_MaximumChannels, internetProfile_AtmAalOptions_AalEnabled=internetProfile_AtmAalOptions_AalEnabled, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_NumberingPlan, internetProfile_AtmOptions_OamAisF5=internetProfile_AtmOptions_OamAisF5, internetProfile_MppOptions_SecondsHistory=internetProfile_MppOptions_SecondsHistory, internetProfile_IpOptions_ClientDnsSecondaryAddr=internetProfile_IpOptions_ClientDnsSecondaryAddr, internetProfile_X25Options_Packetsize=internetProfile_X25Options_Packetsize, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Afi, internetProfile_IpOptions_OspfOptions_RetransmitInterval=internetProfile_IpOptions_OspfOptions_RetransmitInterval, internetProfile_AtmConnectOptions_AtmCircuitProfile=internetProfile_AtmConnectOptions_AtmCircuitProfile, internetProfile_TelcoOptions_ExpectCallback=internetProfile_TelcoOptions_ExpectCallback, internetProfile_AtmOptions_TargetSelect=internetProfile_AtmOptions_TargetSelect, internetProfile_TelcoOptions_NasPortType=internetProfile_TelcoOptions_NasPortType, internetProfile_MpOptions_MinimumChannels=internetProfile_MpOptions_MinimumChannels, internetProfile_X25Options_PadAlias1=internetProfile_X25Options_PadAlias1, internetProfile_PppOptions_PppCircuitName=internetProfile_PppOptions_PppCircuitName, internetProfile_IpOptions_OspfOptions_Priority=internetProfile_IpOptions_OspfOptions_Priority, internetProfile_PppoeOptions_BridgeNonPppoe=internetProfile_PppoeOptions_BridgeNonPppoe, internetProfile_SessionOptions_SesRateMode=internetProfile_SessionOptions_SesRateMode, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_Esi, internetProfile_AtmOptions_SpvcRetryInterval=internetProfile_AtmOptions_SpvcRetryInterval, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_IdpPortion_Idi, internetProfile_IpOptions_TosOptions_TypeOfService=internetProfile_IpOptions_TosOptions_TypeOfService, internetProfile_TunnelOptions_MaxTunnels=internetProfile_TunnelOptions_MaxTunnels, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_Esi, internetProfile_X25Options_AnswerX25Address=internetProfile_X25Options_AnswerX25Address, internetProfile_ModemOnHoldTimeout=internetProfile_ModemOnHoldTimeout, mibinternetProfile=mibinternetProfile, internetProfile_AtmOptions_VcFaultManagement=internetProfile_AtmOptions_VcFaultManagement, internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress=internetProfile_AtmConnectOptions_SvcOptions_OutgoingCalledAddr_E164NativeAddress, internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmOptions_SvcOptions_IncomingCallerAddr_AesaAddress_DspPortion_HoDsp, internetProfile_IpOptions_PrivateRouteTable=internetProfile_IpOptions_PrivateRouteTable, internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp=internetProfile_AtmOptions_SvcOptions_OutgoingCalledAddr_AesaAddress_DspPortion_HoDsp, internetProfile_MppOptions_IncrementChannelCount=internetProfile_MppOptions_IncrementChannelCount, internetProfile_AtmConnectOptions_AtmDirectEnabled=internetProfile_AtmConnectOptions_AtmDirectEnabled) |
def main():
s = input("")
x = s.isdigit()
print(x, end="")
main()
| def main():
s = input('')
x = s.isdigit()
print(x, end='')
main() |
# 1. Two Sum
class Solution:
# Approach 1 : Naive
def twoSum1(self, nums, target):
for i in range(len(nums)-1):
for j in range(i+1, len(nums)):
if nums[i]+nums[j] == target:
return [i, j]
return None
# Approach 2: Two-pass Hash Table
def twoSum2(self, nums, target):
foo = {}
for i,j in enumerate(nums):
foo[j] = i
for i in range(len(nums)):
complement = target - nums[i]
if (complement in foo) and (foo.get(complement) != i):
return [i, foo.get(complement)]
return None
# Approach 3: One-pass Hash Table
def twoSum(self, nums, target):
foo = {}
for i,j in enumerate(nums):
complement = target-j
if (complement in foo):
return [foo.get(complement), i]
foo[j] = i
return None
# Test
solution = Solution()
# Expected: []
nums = [1, 16, 0 , 2, 0]
print(solution.twoSum(nums, 18)) | class Solution:
def two_sum1(self, nums, target):
for i in range(len(nums) - 1):
for j in range(i + 1, len(nums)):
if nums[i] + nums[j] == target:
return [i, j]
return None
def two_sum2(self, nums, target):
foo = {}
for (i, j) in enumerate(nums):
foo[j] = i
for i in range(len(nums)):
complement = target - nums[i]
if complement in foo and foo.get(complement) != i:
return [i, foo.get(complement)]
return None
def two_sum(self, nums, target):
foo = {}
for (i, j) in enumerate(nums):
complement = target - j
if complement in foo:
return [foo.get(complement), i]
foo[j] = i
return None
solution = solution()
nums = [1, 16, 0, 2, 0]
print(solution.twoSum(nums, 18)) |
class Node:
pass
class Edge:
pass
class Graph:
pass
| class Node:
pass
class Edge:
pass
class Graph:
pass |
def highest_product_of_3(list_of_ints):
# initialize lowest to the minimum of the first two integers
lowest = min(list_of_ints[0], list_of_ints[1])
# initialize highest to the maximum of the first two integers
highest = max(list_of_ints[0], list_of_ints[1])
# initialize lowest_product_of_two and highest_product_of_two
# to the product of the first two integers
lowest_product_of_two, highest_product_of_two = list_of_ints[0] * \
list_of_ints[1], list_of_ints[0] * list_of_ints[1]
# initialize highest_product_of_three to the product of the first three integers
highest_product_of_three = list_of_ints[0] * \
list_of_ints[1] * list_of_ints[2]
# loop through every integer in list_of_ints
# starting from the third
for index in range(2, len(list_of_ints)):
# set current to the value at index of list_of_ints
current = list_of_ints[index]
# set highest_product_of_three to the maximum of highest_product_of_three
# current multiplied by highest_product_of_two and
# current multiplied by lowest_product_of_two
highest_product_of_three = max(
highest_product_of_three, current * highest_product_of_two, current * lowest_product_of_two)
# set highest_product_of_two to the maximum of of highest_product_of_two
# and interger multiplied by lowest and current multiplied by highest
highest_product_of_two = max(
highest_product_of_two, current * highest, current * lowest)
# set lowest_product_of_two to the minimum of lowest_product_of_two
# and current multiplied by lowest and current multiplied by highest
lowest_product_of_two = min(
lowest_product_of_two, current * highest, current * lowest)
# set lowest to the minimum of lowest and interger
lowest = min(lowest, current)
# set highest to the maximum of highest and interger
highest = max(highest, current)
# return highest_product_of_three
return highest_product_of_three
| def highest_product_of_3(list_of_ints):
lowest = min(list_of_ints[0], list_of_ints[1])
highest = max(list_of_ints[0], list_of_ints[1])
(lowest_product_of_two, highest_product_of_two) = (list_of_ints[0] * list_of_ints[1], list_of_ints[0] * list_of_ints[1])
highest_product_of_three = list_of_ints[0] * list_of_ints[1] * list_of_ints[2]
for index in range(2, len(list_of_ints)):
current = list_of_ints[index]
highest_product_of_three = max(highest_product_of_three, current * highest_product_of_two, current * lowest_product_of_two)
highest_product_of_two = max(highest_product_of_two, current * highest, current * lowest)
lowest_product_of_two = min(lowest_product_of_two, current * highest, current * lowest)
lowest = min(lowest, current)
highest = max(highest, current)
return highest_product_of_three |
ll = [1, 2, 3]
def increment(x):
print(f'Old value: {x}')
return x + 1
print(map(increment, ll))
for x in map(increment, ll):
print(x)
iter = map(increment, ll)
| ll = [1, 2, 3]
def increment(x):
print(f'Old value: {x}')
return x + 1
print(map(increment, ll))
for x in map(increment, ll):
print(x)
iter = map(increment, ll) |
class MessageTypes:
InstrumentStateChange = 505
ClassStateChange = 516
Mail = 523
IndicativeMatchingPrice = 530
Collars = 537
SessionTimetable = 539
StartReferential = 550
EndReferential = 551
Referential = 556
ShortSaleChange = 560
SessionSummary = 561
GenericMessage = 592
OpenPosition = 595
#PRICES AND TRADES
TradeCancellation = 221
TradeFullInformation = 240
PriceUpdate = 241
TradePublication = 243
AuctionSummary = 245
ClosingPrice = 247
#BBO
QuotesAndBBO5 = 140
IndicationOfInterest = 142
#ORDER BOOK
OrderUpdate = 230
OrderBookRetrans = 231
#INDEX
RealTimeIndex = 546
IndexSummary = 547
IndexPortfolio = 548
#BOND
AccuredInterest = 601
InterestForSettlementDay = 602
YieldToMaturity = 603 | class Messagetypes:
instrument_state_change = 505
class_state_change = 516
mail = 523
indicative_matching_price = 530
collars = 537
session_timetable = 539
start_referential = 550
end_referential = 551
referential = 556
short_sale_change = 560
session_summary = 561
generic_message = 592
open_position = 595
trade_cancellation = 221
trade_full_information = 240
price_update = 241
trade_publication = 243
auction_summary = 245
closing_price = 247
quotes_and_bbo5 = 140
indication_of_interest = 142
order_update = 230
order_book_retrans = 231
real_time_index = 546
index_summary = 547
index_portfolio = 548
accured_interest = 601
interest_for_settlement_day = 602
yield_to_maturity = 603 |
# -*- coding: utf-8 -*-
# Scrapy settings for newblogs project
#
# For simplicity, this file contains only the most important settings by
# default. All the other settings are documented here:
#
# http://doc.scrapy.org/en/latest/topics/settings.html
#
BOT_NAME = 'newblogs'
SPIDER_MODULES = ['newblogs.spiders']
NEWSPIDER_MODULE = 'newblogs.spiders'
# Crawl responsibly by identifying yourself (and your website) on the user-agent
#USER_AGENT = 'newblogs (+http://www.yourdomain.com)'
ITEM_PIPELINES = {
'newblogs.pipelines.NormalPipeline': 1,
'newblogs.pipelines.SaveDbPipeline': 2,
# 'newblogs.pipelines.SaveLocalPipeline':3,
# 'newblogs.pipelines.JsonWriterPipeline': 800,
}
| bot_name = 'newblogs'
spider_modules = ['newblogs.spiders']
newspider_module = 'newblogs.spiders'
item_pipelines = {'newblogs.pipelines.NormalPipeline': 1, 'newblogs.pipelines.SaveDbPipeline': 2} |
route = [(1, -1), (1, 1), (1, -1), (-1, 1), (-1, 1), (1, -1), (1, -1), (1, 1), (-1, -1), (1, 1), (1, -1), (-1, 1), (1, -1), (-1, 1), (-1, 1), (-1, -1), (1, -1), (1, 1), (-1, -1), (1, -1), (1, -1), (1, 1), (1, -1), (-1, 1), (-1, 1), (-1, 1), (-1, -1), (1, -1), (1, -1), (1, 1), (-1, -1), (1, 1), (1, -1), (1, -1), (-1, -1), (-1, -1)]
route.reverse()
result = ''
bit = ''
i = 0
for move in route:
if move[0] == 1:
bit += '1'
elif move[0] == -1:
bit += '0'
if move[1] == 1:
bit += '1'
elif move[1] == -1:
bit += '0'
i += 1
if i == 4:
result += bit[::-1]
bit = ''
i = 0
print(result)
print(len(route))
| route = [(1, -1), (1, 1), (1, -1), (-1, 1), (-1, 1), (1, -1), (1, -1), (1, 1), (-1, -1), (1, 1), (1, -1), (-1, 1), (1, -1), (-1, 1), (-1, 1), (-1, -1), (1, -1), (1, 1), (-1, -1), (1, -1), (1, -1), (1, 1), (1, -1), (-1, 1), (-1, 1), (-1, 1), (-1, -1), (1, -1), (1, -1), (1, 1), (-1, -1), (1, 1), (1, -1), (1, -1), (-1, -1), (-1, -1)]
route.reverse()
result = ''
bit = ''
i = 0
for move in route:
if move[0] == 1:
bit += '1'
elif move[0] == -1:
bit += '0'
if move[1] == 1:
bit += '1'
elif move[1] == -1:
bit += '0'
i += 1
if i == 4:
result += bit[::-1]
bit = ''
i = 0
print(result)
print(len(route)) |
lista = [['edu', 'joao', 'luizr'], ['maria', ' aline', 'joana'],['helena', 'ed', 'lu']]
enumerada = list(enumerate(lista))
print(enumerada[1][1][2][0]) | lista = [['edu', 'joao', 'luizr'], ['maria', ' aline', 'joana'], ['helena', 'ed', 'lu']]
enumerada = list(enumerate(lista))
print(enumerada[1][1][2][0]) |
numbers = [
386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978, 328, 615, 953, 345, 399, 162, 758, 219, 918,
237,
412, 566, 826, 248, 866, 950, 626, 949, 687, 217, 815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379,
843, 831, 445, 742, 717, 958,743, 527
]
for number in numbers:
if number is 237:
print("Number 237 reached. Stopping")
break
print(number) | numbers = [386, 462, 47, 418, 907, 344, 236, 375, 823, 566, 597, 978, 328, 615, 953, 345, 399, 162, 758, 219, 918, 237, 412, 566, 826, 248, 866, 950, 626, 949, 687, 217, 815, 67, 104, 58, 512, 24, 892, 894, 767, 553, 81, 379, 843, 831, 445, 742, 717, 958, 743, 527]
for number in numbers:
if number is 237:
print('Number 237 reached. Stopping')
break
print(number) |
# Implement function ToLowerCase() that has a string parameter str, and returns the same string in lowercase.
class Solution:
def toLowerCase(self, str):
res = []
for char in str:
if ord(char) >= 65 and ord(char) <= 90:
res += chr(ord(char) + 32)
# res += (chr(ord(char) | (1 << 5)))
else:
res += char
return "".join(res)
s = Solution().toLowerCase("HELwwLO")
print(s)
| class Solution:
def to_lower_case(self, str):
res = []
for char in str:
if ord(char) >= 65 and ord(char) <= 90:
res += chr(ord(char) + 32)
else:
res += char
return ''.join(res)
s = solution().toLowerCase('HELwwLO')
print(s) |
def foo():
if 1:
if 2:
pass
| def foo():
if 1:
if 2:
pass |
SQL_INIT_TABLES_AND_TRIGGERS = '''
CREATE TABLE consumers
(
component TEXT NOT NULL,
subcomponent TEXT NOT NULL,
host TEXT NOT NULL,
itype TEXT NOT NULL,
iprimary TEXT NOT NULL,
isecondary TEXT NOT NULL,
itertiary TEXT NOT NULL,
optional BOOLEAN NOT NULL,
unique (component, subcomponent, host, itype, iprimary, isecondary, itertiary)
);
CREATE TABLE producers
(
component TEXT NOT NULL,
subcomponent TEXT NOT NULL,
host TEXT NOT NULL,
itype TEXT NOT NULL,
iprimary TEXT NOT NULL,
isecondary TEXT NOT NULL,
itertiary TEXT NOT NULL,
deprecated BOOLEAN NOT NULL,
unique (component, subcomponent, host, itype, iprimary, isecondary, itertiary)
);
CREATE OR REPLACE FUNCTION ensure_producer_exists()
RETURNS TRIGGER AS $producers_check$
BEGIN
IF (
NEW.optional
OR
EXISTS(
SELECT 1
FROM producers as other
WHERE other.host = NEW.host
AND other.itype = NEW.itype
AND other.iprimary = NEW.iprimary
AND other.isecondary = NEW.isecondary
AND other.itertiary = NEW.itertiary
)
) THEN
RETURN NEW;
END IF;
RAISE EXCEPTION 'no producer for interface "%" "%" "%" "%" "%"',
NEW.host, NEW.itype, NEW.iprimary, NEW.isecondary, NEW.itertiary;
END;
$producers_check$ LANGUAGE plpgsql;
CREATE OR REPLACE FUNCTION ensure_no_consumer_exists()
RETURNS TRIGGER AS $consumers_check$
BEGIN
IF (
EXISTS(
SELECT 1
FROM consumers as other
WHERE other.host = OLD.host
AND other.itype = OLD.itype
AND other.iprimary = OLD.iprimary
AND other.isecondary = OLD.isecondary
AND other.itertiary = OLD.itertiary
AND other.optional = FALSE
)
) THEN
IF (
NOT EXISTS(
SELECT 1
FROM producers as other
WHERE other.host = OLD.host
AND other.itype = OLD.itype
AND other.iprimary = OLD.iprimary
AND other.isecondary = OLD.isecondary
AND other.itertiary = OLD.itertiary
AND other.component <> OLD.component
AND other.subcomponent <> OLD.subcomponent
)
) THEN
RAISE EXCEPTION 'no other producer for used interface "%" "%" "%" "%" "%"',
OLD.host, OLD.itype, OLD.iprimary, OLD.isecondary, OLD.itertiary;
END IF;
END IF;
RETURN OLD;
END;
$consumers_check$ LANGUAGE plpgsql;
CREATE TRIGGER producers_check BEFORE INSERT ON consumers
FOR each row execute procedure ensure_producer_exists();
CREATE TRIGGER consumers_check BEFORE DELETE ON producers
FOR each row execute procedure ensure_no_consumer_exists();
CREATE INDEX consumers_component on consumers (component);
CREATE INDEX producers_component on producers (component);
'''
SQL_DROP_ALL = '''
DROP INDEX IF EXISTS consumers_component;
DROP INDEX IF EXISTS producers_component;
DROP TRIGGER IF EXISTS consumers_check ON producers;
DROP TRIGGER IF EXISTS producers_check ON consumers;
DROP FUNCTION If EXISTS ensure_no_consumer_exists();
DROP FUNCTION IF EXISTS ensure_producer_exists();
DROP TABLE IF EXISTS consumers;
DROP TABLE IF EXISTS producers;
'''
| sql_init_tables_and_triggers = '\n CREATE TABLE consumers\n (\n component TEXT NOT NULL,\n subcomponent TEXT NOT NULL,\n host TEXT NOT NULL,\n itype TEXT NOT NULL,\n iprimary TEXT NOT NULL,\n isecondary TEXT NOT NULL,\n itertiary TEXT NOT NULL,\n optional BOOLEAN NOT NULL,\n unique (component, subcomponent, host, itype, iprimary, isecondary, itertiary)\n );\n\n CREATE TABLE producers\n (\n component TEXT NOT NULL,\n subcomponent TEXT NOT NULL,\n host TEXT NOT NULL,\n itype TEXT NOT NULL,\n iprimary TEXT NOT NULL,\n isecondary TEXT NOT NULL,\n itertiary TEXT NOT NULL,\n deprecated BOOLEAN NOT NULL,\n unique (component, subcomponent, host, itype, iprimary, isecondary, itertiary) \n );\n\n CREATE OR REPLACE FUNCTION ensure_producer_exists()\n RETURNS TRIGGER AS $producers_check$\n BEGIN\n IF (\n NEW.optional\n OR\n EXISTS(\n SELECT 1\n FROM producers as other\n WHERE other.host = NEW.host\n AND other.itype = NEW.itype\n AND other.iprimary = NEW.iprimary\n AND other.isecondary = NEW.isecondary\n AND other.itertiary = NEW.itertiary\n )\n ) THEN\n RETURN NEW;\n END IF;\n RAISE EXCEPTION \'no producer for interface "%" "%" "%" "%" "%"\', \n NEW.host, NEW.itype, NEW.iprimary, NEW.isecondary, NEW.itertiary;\n END;\n $producers_check$ LANGUAGE plpgsql;\n \n CREATE OR REPLACE FUNCTION ensure_no_consumer_exists()\n RETURNS TRIGGER AS $consumers_check$\n BEGIN\n IF (\n EXISTS(\n SELECT 1\n FROM consumers as other\n WHERE other.host = OLD.host\n AND other.itype = OLD.itype\n AND other.iprimary = OLD.iprimary\n AND other.isecondary = OLD.isecondary\n AND other.itertiary = OLD.itertiary\n AND other.optional = FALSE\n ) \n ) THEN\n IF (\n NOT EXISTS(\n SELECT 1\n FROM producers as other\n WHERE other.host = OLD.host\n AND other.itype = OLD.itype\n AND other.iprimary = OLD.iprimary\n AND other.isecondary = OLD.isecondary\n AND other.itertiary = OLD.itertiary\n AND other.component <> OLD.component\n AND other.subcomponent <> OLD.subcomponent\n ) \n ) THEN\n RAISE EXCEPTION \'no other producer for used interface "%" "%" "%" "%" "%"\', \n OLD.host, OLD.itype, OLD.iprimary, OLD.isecondary, OLD.itertiary;\n END IF; \n END IF;\n RETURN OLD;\n END;\n $consumers_check$ LANGUAGE plpgsql;\n \n CREATE TRIGGER producers_check BEFORE INSERT ON consumers\n FOR each row execute procedure ensure_producer_exists();\n \n CREATE TRIGGER consumers_check BEFORE DELETE ON producers\n FOR each row execute procedure ensure_no_consumer_exists();\n \n CREATE INDEX consumers_component on consumers (component);\n CREATE INDEX producers_component on producers (component);\n'
sql_drop_all = '\n DROP INDEX IF EXISTS consumers_component;\n DROP INDEX IF EXISTS producers_component;\n DROP TRIGGER IF EXISTS consumers_check ON producers;\n DROP TRIGGER IF EXISTS producers_check ON consumers;\n DROP FUNCTION If EXISTS ensure_no_consumer_exists();\n DROP FUNCTION IF EXISTS ensure_producer_exists();\n DROP TABLE IF EXISTS consumers;\n DROP TABLE IF EXISTS producers;\n' |
__project__ = 'OCRErrorCorrectpy3'
__author__ = 'jcavalie'
__email__ = "Jcavalieri8619@gmail.com"
__date__ = '10/25/14'
EpsilonTransition = None
TransitionWeight = None
outputsModel=None
NUM_PARTITIONS=None
EM_STEP=True
| __project__ = 'OCRErrorCorrectpy3'
__author__ = 'jcavalie'
__email__ = 'Jcavalieri8619@gmail.com'
__date__ = '10/25/14'
epsilon_transition = None
transition_weight = None
outputs_model = None
num_partitions = None
em_step = True |
def test_get_page_hierarchy_as_xml():
given_pages('PageOne', 'PageOne.ChildOne', 'PageTwo')
when_request_is_issued('root', 'type:pages')
then_response_should_be_xml()
def test_get_page_hierarchy_has_right_tags():
given_pages('PageOne', 'PageOne.ChildOne', 'PageTwo')
when_request_is_issued('root', 'type:pages')
then_response_should_be_contain(
'<name>PageOne</name>', '<name>PageTwo</name>', '<name>ChildOne</name>'
) | def test_get_page_hierarchy_as_xml():
given_pages('PageOne', 'PageOne.ChildOne', 'PageTwo')
when_request_is_issued('root', 'type:pages')
then_response_should_be_xml()
def test_get_page_hierarchy_has_right_tags():
given_pages('PageOne', 'PageOne.ChildOne', 'PageTwo')
when_request_is_issued('root', 'type:pages')
then_response_should_be_contain('<name>PageOne</name>', '<name>PageTwo</name>', '<name>ChildOne</name>') |
def new_file(filename, content):
with open(filename, 'w+') as f:
f.write(content)
print('Created at', filename)
| def new_file(filename, content):
with open(filename, 'w+') as f:
f.write(content)
print('Created at', filename) |
####################################################
# Block
########################
blocks_head = []
class Block:
name = "Block"
tag = "div"
content_seperator = ""
allows_nesting = True
def __init__(self, parent):
self.parent = parent
self.parent.add(self) if parent else None
self.content = []
def add(self, x): self.content.append(x)
def get_parent(self):
return self.parent if self.parent else self
def __getitem__(self, i): return self.content[i]
def __iter__(self): return iter(self.content)
def tostring(self):
s = "%s[" % self.name
s += self.content_seperator.join(map(str,self.content))
s += "]"
return s
__str__ = tostring; __repr__ = tostring
####################################################
# Body
########################
class Body(Block):
name = "Body"
content_seperator = "\n"
def __init__(self):
super().__init__(None)
#
class Paragraph(Block):
name = "Paragraph"
####################################################
# Inline
########################
blocks_inline = []
class Inline(Block):
start, end = "", ""
@classmethod
def is_start(cls, c): return c == cls.start
@classmethod
def is_end (cls, c): return c == cls.end
class Span(Inline):
name = "span"
tag = "span"
#
#
def make_inline(_name, _tag, _start, _end=None, _allows_nesting=True, is_head=False):
class X(Inline):
name, start, tag, allows_nesting = _name, _start, _tag, _allows_nesting
end = _end if _end else _start
blocks_inline.append(X)
if is_head: blocks_head.append(X)
#
make_inline("allcaps" , "span", "**") # TODO
make_inline("italic" , "span" , "_")
make_inline("bold" , "span" , "*")
make_inline("link" , "a" , "@", _allows_nesting=False)
make_inline("codeinline" , "code" , "`", _allows_nesting=False)
make_inline("mathinline" , "span" , "$", _allows_nesting=False)
####################################################
# Line
########################
blocks_line = []
class Line(Block):
start = ""
allows_nesting = True
def __init__(self, parent, line):
super().__init__(parent)
self.arg = line
@classmethod
def is_start(cls, line): return line.startswith(cls.start)
@classmethod
def remove_start(cls, line): return line[len(cls.start):].strip()
#
#
class UnorderedListItem(Line):
name = "unorderedlistitem"
starts = ["-", "* "]
tag = "li"
allows_nesting = True
@classmethod
def is_start(cls, line):
return any([line.startswith(s) for s in cls.starts])
@classmethod
def remove_start(cls, line):
for s in cls.starts:
if line.startswith(s):
return line[len(s):]
blocks_line.append(UnorderedListItem)
# this didn't work out so well...
#
# class OrderedListItem(Line):
# name = "orderedlistitem"
# tag = "li"
# allows_nesting = True
# def __init__(self, parent, line):
# if ". " in line:
# line = line[:line.index(". ")]
# elif ") " in line:
# line = line[:line.index(") ")]
# super().__init__(parent, line)
# @classmethod
# def is_start(cls, line):
# if ". " in line:
# s = line[:line.index(". ")]
# return s.isalnum() and len(s) <= 3
# elif ") " in line:
# s = line[:line.index(") ")]
# return s.isalnum() and len(s) <= 3
# return False
# @classmethod
# def remove_start(cls, line):
# if ". " in line:
# return line[line.index(". ")+2:]
# elif ") " in line:
# return line[line.index(") ")+2:]
# blocks_line.append(OrderedListItem)
#
#
def make_line(_name, _start, _tag, _allows_nesting=True, is_head=False):
class X(Line):
name, start, tag, allows_nesting = _name, _start, _tag, _allows_nesting
blocks_line.append(X)
if is_head: blocks_head.append(X)
#
#
make_line("h5", "#####" , "h5")
make_line("h4", "####" , "h4")
make_line("h3", "###" , "h3")
make_line("h2", "##" , "h2")
make_line("h1", "#" , "h1")
make_line("image", "%" , "img", False)
make_line("quote", "> " , "div")
make_line("align-right", "]]]", "div")
make_line("style" , "::style" , "link" , False, True)
make_line("script" , "::script" , "script" , False, True)
make_line("title" , "::title" , "title" , False, True)
make_line("highlight" , "::highlight" , "link" , False, True)
####################################################
# Multiline
########################
blocks_multiline = []
class Multiline(Block):
start, end = "", ""
def __init__(self, parent, arg):
super().__init__(parent)
self.arg = arg
@classmethod
def is_start(cls, line): return line.startswith(cls.start)
@classmethod
def is_end(cls, line): return line.startswith(cls.end)
@classmethod
def remove_start(cls, line): return line[len(cls.start):].strip()
def tostring(self):
s = "(%s:%s)" % (self.name, self.arg)
s += self.content_seperator.join(map(str,self.content))
s += "]"
return s
__str__ = tostring; __repr__ = tostring
#
#
def make_multiline(_name, _start, _end, _tag, is_head=False):
class X(Multiline):
name, start, end, tag = _name, _start, _end, _tag
blocks_multiline.append(X)
if is_head: blocks_head.append(X)
make_multiline("codemultiline", "```" , "```" , "pre code")
make_multiline("mathmultiline", "$$" , "$$" , "p")
make_multiline("style" , "::style{" , "::}" , "style", True)
make_multiline("script" , "::script{" , "::}" , "script", True)
#
#
#
def lex(file):
block = Body()
for line in file:
if line.startswith("---"):
continue
elif isinstance(block, Multiline):
# special line (inside multiline)
# check if current multiline end
if block.is_end(line):
block = block.get_parent()
continue
# else, just add to multiline
block.add(line.strip("\n"))
else:
# normal line
line = line.strip()
if line == "": continue
# check if a new multiline start
is_multiline = False
for bmultiline in blocks_multiline:
if bmultiline.is_start(line):
block = bmultiline(block,
bmultiline.remove_start(line))
is_multiline = True
break
if is_multiline: continue
# get line block for this line
is_paragraph = True
for bline in blocks_line:
if bline.is_start(line):
block = bline(block, line)
line = bline.remove_start(line)
is_paragraph = False
break
# if not a special block line, then paragraph
if is_paragraph:
block = Paragraph(block)
# lex line for inline block
# alows lexed nesting
if block.allows_nesting:
inline = Span(block)
for c in line:
normal = True
# check for end of current inline block
if inline.is_end(c):
inline = inline.get_parent()
continue
if inline.allows_nesting:
# check for start of new inline block
for binline in blocks_inline:
if binline.is_start(c):
inline = binline(inline)
normal = False
break
# else, just normal add
if normal:
inline.add(c)
# doesn't allow lexed nesting, so just
# add line raw
else:
block.add(line)
# end of line, so escape block
block = block.get_parent()
# escape all inlines
while not isinstance(block, Body):
block = block.get_parent()
return block | blocks_head = []
class Block:
name = 'Block'
tag = 'div'
content_seperator = ''
allows_nesting = True
def __init__(self, parent):
self.parent = parent
self.parent.add(self) if parent else None
self.content = []
def add(self, x):
self.content.append(x)
def get_parent(self):
return self.parent if self.parent else self
def __getitem__(self, i):
return self.content[i]
def __iter__(self):
return iter(self.content)
def tostring(self):
s = '%s[' % self.name
s += self.content_seperator.join(map(str, self.content))
s += ']'
return s
__str__ = tostring
__repr__ = tostring
class Body(Block):
name = 'Body'
content_seperator = '\n'
def __init__(self):
super().__init__(None)
class Paragraph(Block):
name = 'Paragraph'
blocks_inline = []
class Inline(Block):
(start, end) = ('', '')
@classmethod
def is_start(cls, c):
return c == cls.start
@classmethod
def is_end(cls, c):
return c == cls.end
class Span(Inline):
name = 'span'
tag = 'span'
def make_inline(_name, _tag, _start, _end=None, _allows_nesting=True, is_head=False):
class X(Inline):
(name, start, tag, allows_nesting) = (_name, _start, _tag, _allows_nesting)
end = _end if _end else _start
blocks_inline.append(X)
if is_head:
blocks_head.append(X)
make_inline('allcaps', 'span', '**')
make_inline('italic', 'span', '_')
make_inline('bold', 'span', '*')
make_inline('link', 'a', '@', _allows_nesting=False)
make_inline('codeinline', 'code', '`', _allows_nesting=False)
make_inline('mathinline', 'span', '$', _allows_nesting=False)
blocks_line = []
class Line(Block):
start = ''
allows_nesting = True
def __init__(self, parent, line):
super().__init__(parent)
self.arg = line
@classmethod
def is_start(cls, line):
return line.startswith(cls.start)
@classmethod
def remove_start(cls, line):
return line[len(cls.start):].strip()
class Unorderedlistitem(Line):
name = 'unorderedlistitem'
starts = ['-', '* ']
tag = 'li'
allows_nesting = True
@classmethod
def is_start(cls, line):
return any([line.startswith(s) for s in cls.starts])
@classmethod
def remove_start(cls, line):
for s in cls.starts:
if line.startswith(s):
return line[len(s):]
blocks_line.append(UnorderedListItem)
def make_line(_name, _start, _tag, _allows_nesting=True, is_head=False):
class X(Line):
(name, start, tag, allows_nesting) = (_name, _start, _tag, _allows_nesting)
blocks_line.append(X)
if is_head:
blocks_head.append(X)
make_line('h5', '#####', 'h5')
make_line('h4', '####', 'h4')
make_line('h3', '###', 'h3')
make_line('h2', '##', 'h2')
make_line('h1', '#', 'h1')
make_line('image', '%', 'img', False)
make_line('quote', '> ', 'div')
make_line('align-right', ']]]', 'div')
make_line('style', '::style', 'link', False, True)
make_line('script', '::script', 'script', False, True)
make_line('title', '::title', 'title', False, True)
make_line('highlight', '::highlight', 'link', False, True)
blocks_multiline = []
class Multiline(Block):
(start, end) = ('', '')
def __init__(self, parent, arg):
super().__init__(parent)
self.arg = arg
@classmethod
def is_start(cls, line):
return line.startswith(cls.start)
@classmethod
def is_end(cls, line):
return line.startswith(cls.end)
@classmethod
def remove_start(cls, line):
return line[len(cls.start):].strip()
def tostring(self):
s = '(%s:%s)' % (self.name, self.arg)
s += self.content_seperator.join(map(str, self.content))
s += ']'
return s
__str__ = tostring
__repr__ = tostring
def make_multiline(_name, _start, _end, _tag, is_head=False):
class X(Multiline):
(name, start, end, tag) = (_name, _start, _end, _tag)
blocks_multiline.append(X)
if is_head:
blocks_head.append(X)
make_multiline('codemultiline', '```', '```', 'pre code')
make_multiline('mathmultiline', '$$', '$$', 'p')
make_multiline('style', '::style{', '::}', 'style', True)
make_multiline('script', '::script{', '::}', 'script', True)
def lex(file):
block = body()
for line in file:
if line.startswith('---'):
continue
elif isinstance(block, Multiline):
if block.is_end(line):
block = block.get_parent()
continue
block.add(line.strip('\n'))
else:
line = line.strip()
if line == '':
continue
is_multiline = False
for bmultiline in blocks_multiline:
if bmultiline.is_start(line):
block = bmultiline(block, bmultiline.remove_start(line))
is_multiline = True
break
if is_multiline:
continue
is_paragraph = True
for bline in blocks_line:
if bline.is_start(line):
block = bline(block, line)
line = bline.remove_start(line)
is_paragraph = False
break
if is_paragraph:
block = paragraph(block)
if block.allows_nesting:
inline = span(block)
for c in line:
normal = True
if inline.is_end(c):
inline = inline.get_parent()
continue
if inline.allows_nesting:
for binline in blocks_inline:
if binline.is_start(c):
inline = binline(inline)
normal = False
break
if normal:
inline.add(c)
else:
block.add(line)
block = block.get_parent()
while not isinstance(block, Body):
block = block.get_parent()
return block |
test = { 'name': 'q4c',
'points': 1,
'suites': [ { 'cases': [ {'code': ">>> is_valid_november_2020_sweden('Sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False},
{'code': ">>> not is_valid_november_2020_sweden('sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False},
{'code': ">>> not is_valid_november_2020_sweden('Sweden', '2020-11-302')\nTrue", 'hidden': False, 'locked': False},
{'code': ">>> not is_valid_november_2020_sweden('Sweden', '2019-11-24')\nTrue", 'hidden': False, 'locked': False}],
'scored': True,
'setup': '',
'teardown': '',
'type': 'doctest'}]}
| test = {'name': 'q4c', 'points': 1, 'suites': [{'cases': [{'code': ">>> is_valid_november_2020_sweden('Sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('sweden', '2020-11-04')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('Sweden', '2020-11-302')\nTrue", 'hidden': False, 'locked': False}, {'code': ">>> not is_valid_november_2020_sweden('Sweden', '2019-11-24')\nTrue", 'hidden': False, 'locked': False}], 'scored': True, 'setup': '', 'teardown': '', 'type': 'doctest'}]} |
class complex:
def __init__(self, real, img):
self.real = real
self.img = img
def add(self, b):
res = complex(0,0)
res.real = self.real + b.real
res.img = self.img + b.img
return res
def display(self):
if self.img>=0:
print("{} + i{}".format(self.real, self.img))
if self.img<0:
print("{} - i{}".format(self.real, -self.img))
def conjugate(self):
res = complex(0,0)
res.img = -self.img
res.real = self.real
return res
a = complex(1,2)
b = complex(-3,-4)
| class Complex:
def __init__(self, real, img):
self.real = real
self.img = img
def add(self, b):
res = complex(0, 0)
res.real = self.real + b.real
res.img = self.img + b.img
return res
def display(self):
if self.img >= 0:
print('{} + i{}'.format(self.real, self.img))
if self.img < 0:
print('{} - i{}'.format(self.real, -self.img))
def conjugate(self):
res = complex(0, 0)
res.img = -self.img
res.real = self.real
return res
a = complex(1, 2)
b = complex(-3, -4) |
#1st method
sq1 = []
for x in range(10):
sq1.append(x**2)
print("sq1 = ", sq1)
# 2nd method
sq2 = [x**2 for x in range(10)]
print("sq2 = ", sq2)
sq3 = [(x,y) for x in [1,2,3] for y in [3,1,4] if x!=y]
print("sq3 = ", sq3)
vec = [-4, -2, 0, 2, 4]
print("x*2", [x*2 for x in vec])
print("x if x>0", [x for x in vec if x>=0])
print("abs(x) = ", [abs(x) for x in vec])
freshfruit = [' banana', ' loganberry ', 'passion fruit ']
print("weapon.strip() = ", [weapon.strip() for weapon in freshfruit])
print("(x, x**2) = ", [(x, x**2) for x in range(6)])
vec2 = [[1,2,3], [4,5,6], [7,8,9]]
print("num = ", [num for elem in vec2 for num in elem]) | sq1 = []
for x in range(10):
sq1.append(x ** 2)
print('sq1 = ', sq1)
sq2 = [x ** 2 for x in range(10)]
print('sq2 = ', sq2)
sq3 = [(x, y) for x in [1, 2, 3] for y in [3, 1, 4] if x != y]
print('sq3 = ', sq3)
vec = [-4, -2, 0, 2, 4]
print('x*2', [x * 2 for x in vec])
print('x if x>0', [x for x in vec if x >= 0])
print('abs(x) = ', [abs(x) for x in vec])
freshfruit = [' banana', ' loganberry ', 'passion fruit ']
print('weapon.strip() = ', [weapon.strip() for weapon in freshfruit])
print('(x, x**2) = ', [(x, x ** 2) for x in range(6)])
vec2 = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]
print('num = ', [num for elem in vec2 for num in elem]) |
# module trackmod.namereg
class NameRegistry(object):
class AllRegistered(object):
terminal = True
def register(self, names):
return
def __contains__(self, name):
return True
all_registered = AllRegistered()
class AllFound(object):
def __init__(self, value):
self.value = value
def __getitem__(self, key):
return self.value
all_found = AllFound(all_registered)
def __init__(self, names=None):
self.names = {}
if names is not None:
self.add(names)
self.terminal = False
def add(self, names):
if names is None:
self.terminal = True
return
for name in names:
parts = name.split('.', 1)
first = parts[0]
if first == '*':
self.names = self.all_found
return
else:
try:
sub_registry = self.names[first]
except KeyError:
sub_registry = NameRegistry()
self.names[first] = sub_registry
if len(parts) == 2:
sub_registry.add(parts[1:])
else:
sub_registry.terminal = True
def __contains__(self, name):
parts = name.split('.', 1)
try:
sub_registry = self.names[parts[0]]
except KeyError:
return False
# This uses a conditional or.
if len(parts) == 1:
return sub_registry.terminal
return parts[1] in sub_registry
| class Nameregistry(object):
class Allregistered(object):
terminal = True
def register(self, names):
return
def __contains__(self, name):
return True
all_registered = all_registered()
class Allfound(object):
def __init__(self, value):
self.value = value
def __getitem__(self, key):
return self.value
all_found = all_found(all_registered)
def __init__(self, names=None):
self.names = {}
if names is not None:
self.add(names)
self.terminal = False
def add(self, names):
if names is None:
self.terminal = True
return
for name in names:
parts = name.split('.', 1)
first = parts[0]
if first == '*':
self.names = self.all_found
return
else:
try:
sub_registry = self.names[first]
except KeyError:
sub_registry = name_registry()
self.names[first] = sub_registry
if len(parts) == 2:
sub_registry.add(parts[1:])
else:
sub_registry.terminal = True
def __contains__(self, name):
parts = name.split('.', 1)
try:
sub_registry = self.names[parts[0]]
except KeyError:
return False
if len(parts) == 1:
return sub_registry.terminal
return parts[1] in sub_registry |
BOP_CONFIG = dict()
BOP_CONFIG['hb'] = dict(
input_resize=(640, 480),
urdf_ds_name='hb',
obj_ds_name='hb',
train_pbr_ds_name=['hb.pbr'],
inference_ds_name=['hb.bop19'],
test_ds_name=[],
)
BOP_CONFIG['icbin'] = dict(
input_resize=(640, 480),
urdf_ds_name='icbin',
obj_ds_name='icbin',
train_pbr_ds_name=['icbin.pbr'],
inference_ds_name=['icbin.bop19'],
test_ds_name=['icbin.bop19'],
)
BOP_CONFIG['itodd'] = dict(
input_resize=(1280, 960),
urdf_ds_name='itodd',
obj_ds_name='itodd',
train_pbr_ds_name=['itodd.pbr'],
inference_ds_name=['itodd.bop19'],
test_ds_name=[],
val_ds_name=['itodd.val'],
)
BOP_CONFIG['lmo'] = dict(
input_resize=(640, 480),
urdf_ds_name='lm',
obj_ds_name='lm',
train_pbr_ds_name=['lm.pbr'],
inference_ds_name=['lmo.bop19'],
test_ds_name=['lmo.bop19'],
)
BOP_CONFIG['tless'] = dict(
input_resize=(720, 540),
urdf_ds_name='tless.cad',
obj_ds_name='tless.cad',
train_pbr_ds_name=['tless.pbr'],
inference_ds_name=['tless.bop19'],
test_ds_name=['tless.bop19'],
train_synt_real_ds_names=[('tless.pbr', 4), ('tless.primesense.train', 1)]
)
BOP_CONFIG['tudl'] = dict(
input_resize=(640, 480),
urdf_ds_name='tudl',
obj_ds_name='tudl',
train_pbr_ds_name=['tudl.pbr'],
inference_ds_name=['tudl.bop19'],
test_ds_name=['tudl.bop19'],
train_synt_real_ds_names=[('tudl.pbr', 10), ('tudl.train.real', 1)]
)
BOP_CONFIG['ycbv'] = dict(
input_resize=(640, 480),
urdf_ds_name='ycbv',
obj_ds_name='ycbv.bop',
train_pbr_ds_name=['ycbv.pbr'],
train_pbr_real_ds_names=[('ycbv.pbr', 1), ()],
inference_ds_name=['ycbv.bop19'],
test_ds_name=['ycbv.bop19'],
train_synt_real_ds_names=[('ycbv.pbr', 20), ('ycbv.train.synt', 1), ('ycbv.train.real', 3)]
)
BOP_CONFIG['synpick'] = dict(
input_resize=(640, 480),
urdf_ds_name='ycbv', # Reuse ycbv models
obj_ds_name='ycbv.bop', # Reuse ycbv models
# train_pbr_ds_name='',
# train_pbr_real_ds_names='',
inference_ds_name=[('synpick.test.pick3', 'synpick.test.move3', 'synpick.test.pick_bad')], # TODO
test_ds_name='', # TODO
val_ds_names=[('synpick.test.pick3', 1), ('synpick.test.move3', 1), ('synpick.test.pick_bad', 1)], # NOT used as a real validation set. Just here for generating predictions
train_synt_real_ds_names=[('synpick.train.pick3', 1), ('synpick.train.move3', 1), ('synpick.train.pick_bad', 1)]
)
PBR_DETECTORS = dict(
hb='detector-bop-hb-pbr--497808',
icbin='detector-bop-icbin-pbr--947409',
itodd='detector-bop-itodd-pbr--509908',
lmo='detector-bop-lmo-pbr--517542',
tless='detector-bop-tless-pbr--873074',
tudl='detector-bop-tudl-pbr--728047',
ycbv='detector-bop-ycbv-pbr--970850',
)
PBR_COARSE = dict(
hb='coarse-bop-hb-pbr--70752',
icbin='coarse-bop-icbin-pbr--915044',
itodd='coarse-bop-itodd-pbr--681884',
lmo='coarse-bop-lmo-pbr--707448',
tless='coarse-bop-tless-pbr--506801',
tudl='coarse-bop-tudl-pbr--373484',
ycbv='coarse-bop-ycbv-pbr--724183',
)
PBR_REFINER = dict(
hb='refiner-bop-hb-pbr--247731',
icbin='refiner-bop-icbin-pbr--841882',
itodd='refiner-bop-itodd-pbr--834427',
lmo='refiner-bop-lmo-pbr--325214',
tless='refiner-bop-tless-pbr--233420',
tudl='refiner-bop-tudl-pbr--487212',
ycbv='refiner-bop-ycbv-pbr--604090',
)
SYNT_REAL_DETECTORS = dict(
tudl='detector-bop-tudl-synt+real--298779',
tless='detector-bop-tless-synt+real--452847',
ycbv='detector-bop-ycbv-synt+real--292971',
# synpick='detector-bop-ycbv-synt+real--292971', <--- cosypose models
synpick='detector-synpick--745328', # <--- synpick without pick_bad split
)
SYNT_REAL_COARSE = dict(
tudl='coarse-bop-tudl-synt+real--610074',
tless='coarse-bop-tless-synt+real--160982',
ycbv='coarse-bop-ycbv-synt+real--822463',
synpick='coarse-bop-ycbv-synt+real--822463',
)
SYNT_REAL_REFINER = dict(
tudl='refiner-bop-tudl-synt+real--423239',
tless='refiner-bop-tless-synt+real--881314',
ycbv='refiner-bop-ycbv-synt+real--631598',
# synpick='refiner-bop-ycbv-synt+real--631598', <--- cosypose models
synpick='synpick-refiner-finetune--666878', # <--- synpick without pick_bad split
)
for k, v in PBR_COARSE.items():
if k not in SYNT_REAL_COARSE:
SYNT_REAL_COARSE[k] = v
for k, v in PBR_REFINER.items():
if k not in SYNT_REAL_REFINER:
SYNT_REAL_REFINER[k] = v
for k, v in PBR_DETECTORS.items():
if k not in SYNT_REAL_DETECTORS:
SYNT_REAL_DETECTORS[k] = v
PBR_INFERENCE_ID = 'bop-pbr--223026'
SYNT_REAL_INFERENCE_ID = 'bop-synt+real--815712'
SYNT_REAL_ICP_INFERENCE_ID = 'bop-synt+real-icp--121351'
SYNT_REAL_4VIEWS_INFERENCE_ID = 'bop-synt+real-nviews=4--419066'
SYNT_REAL_8VIEWS_INFERENCE_ID = 'bop-synt+real-nviews=8--763684'
###################################### SYNPICK INFERENCE PARAMS ############################################
# used by scripts/run_synpick_inference.py
SYNPICK_REAL_DETECTORS = dict(
synpick='detector-synpick-synt--35428',
)
SYNPICK_REAL_COARSE = dict(
synpick='coarse-bop-ycbv-synt+real--822463', #'coarse-bop-ycbv-synt+real--822463' --> models from CosyPose trained on synt data
)
SYNPICK_REAL_REFINER = dict(
synpick='synpick-refiner-finetune--10468', # refined on synpick
)
###################################### SYNPICK INFERENCE PARAMS ############################################ | bop_config = dict()
BOP_CONFIG['hb'] = dict(input_resize=(640, 480), urdf_ds_name='hb', obj_ds_name='hb', train_pbr_ds_name=['hb.pbr'], inference_ds_name=['hb.bop19'], test_ds_name=[])
BOP_CONFIG['icbin'] = dict(input_resize=(640, 480), urdf_ds_name='icbin', obj_ds_name='icbin', train_pbr_ds_name=['icbin.pbr'], inference_ds_name=['icbin.bop19'], test_ds_name=['icbin.bop19'])
BOP_CONFIG['itodd'] = dict(input_resize=(1280, 960), urdf_ds_name='itodd', obj_ds_name='itodd', train_pbr_ds_name=['itodd.pbr'], inference_ds_name=['itodd.bop19'], test_ds_name=[], val_ds_name=['itodd.val'])
BOP_CONFIG['lmo'] = dict(input_resize=(640, 480), urdf_ds_name='lm', obj_ds_name='lm', train_pbr_ds_name=['lm.pbr'], inference_ds_name=['lmo.bop19'], test_ds_name=['lmo.bop19'])
BOP_CONFIG['tless'] = dict(input_resize=(720, 540), urdf_ds_name='tless.cad', obj_ds_name='tless.cad', train_pbr_ds_name=['tless.pbr'], inference_ds_name=['tless.bop19'], test_ds_name=['tless.bop19'], train_synt_real_ds_names=[('tless.pbr', 4), ('tless.primesense.train', 1)])
BOP_CONFIG['tudl'] = dict(input_resize=(640, 480), urdf_ds_name='tudl', obj_ds_name='tudl', train_pbr_ds_name=['tudl.pbr'], inference_ds_name=['tudl.bop19'], test_ds_name=['tudl.bop19'], train_synt_real_ds_names=[('tudl.pbr', 10), ('tudl.train.real', 1)])
BOP_CONFIG['ycbv'] = dict(input_resize=(640, 480), urdf_ds_name='ycbv', obj_ds_name='ycbv.bop', train_pbr_ds_name=['ycbv.pbr'], train_pbr_real_ds_names=[('ycbv.pbr', 1), ()], inference_ds_name=['ycbv.bop19'], test_ds_name=['ycbv.bop19'], train_synt_real_ds_names=[('ycbv.pbr', 20), ('ycbv.train.synt', 1), ('ycbv.train.real', 3)])
BOP_CONFIG['synpick'] = dict(input_resize=(640, 480), urdf_ds_name='ycbv', obj_ds_name='ycbv.bop', inference_ds_name=[('synpick.test.pick3', 'synpick.test.move3', 'synpick.test.pick_bad')], test_ds_name='', val_ds_names=[('synpick.test.pick3', 1), ('synpick.test.move3', 1), ('synpick.test.pick_bad', 1)], train_synt_real_ds_names=[('synpick.train.pick3', 1), ('synpick.train.move3', 1), ('synpick.train.pick_bad', 1)])
pbr_detectors = dict(hb='detector-bop-hb-pbr--497808', icbin='detector-bop-icbin-pbr--947409', itodd='detector-bop-itodd-pbr--509908', lmo='detector-bop-lmo-pbr--517542', tless='detector-bop-tless-pbr--873074', tudl='detector-bop-tudl-pbr--728047', ycbv='detector-bop-ycbv-pbr--970850')
pbr_coarse = dict(hb='coarse-bop-hb-pbr--70752', icbin='coarse-bop-icbin-pbr--915044', itodd='coarse-bop-itodd-pbr--681884', lmo='coarse-bop-lmo-pbr--707448', tless='coarse-bop-tless-pbr--506801', tudl='coarse-bop-tudl-pbr--373484', ycbv='coarse-bop-ycbv-pbr--724183')
pbr_refiner = dict(hb='refiner-bop-hb-pbr--247731', icbin='refiner-bop-icbin-pbr--841882', itodd='refiner-bop-itodd-pbr--834427', lmo='refiner-bop-lmo-pbr--325214', tless='refiner-bop-tless-pbr--233420', tudl='refiner-bop-tudl-pbr--487212', ycbv='refiner-bop-ycbv-pbr--604090')
synt_real_detectors = dict(tudl='detector-bop-tudl-synt+real--298779', tless='detector-bop-tless-synt+real--452847', ycbv='detector-bop-ycbv-synt+real--292971', synpick='detector-synpick--745328')
synt_real_coarse = dict(tudl='coarse-bop-tudl-synt+real--610074', tless='coarse-bop-tless-synt+real--160982', ycbv='coarse-bop-ycbv-synt+real--822463', synpick='coarse-bop-ycbv-synt+real--822463')
synt_real_refiner = dict(tudl='refiner-bop-tudl-synt+real--423239', tless='refiner-bop-tless-synt+real--881314', ycbv='refiner-bop-ycbv-synt+real--631598', synpick='synpick-refiner-finetune--666878')
for (k, v) in PBR_COARSE.items():
if k not in SYNT_REAL_COARSE:
SYNT_REAL_COARSE[k] = v
for (k, v) in PBR_REFINER.items():
if k not in SYNT_REAL_REFINER:
SYNT_REAL_REFINER[k] = v
for (k, v) in PBR_DETECTORS.items():
if k not in SYNT_REAL_DETECTORS:
SYNT_REAL_DETECTORS[k] = v
pbr_inference_id = 'bop-pbr--223026'
synt_real_inference_id = 'bop-synt+real--815712'
synt_real_icp_inference_id = 'bop-synt+real-icp--121351'
synt_real_4_views_inference_id = 'bop-synt+real-nviews=4--419066'
synt_real_8_views_inference_id = 'bop-synt+real-nviews=8--763684'
synpick_real_detectors = dict(synpick='detector-synpick-synt--35428')
synpick_real_coarse = dict(synpick='coarse-bop-ycbv-synt+real--822463')
synpick_real_refiner = dict(synpick='synpick-refiner-finetune--10468') |
class MixUp:
def __init__(self):
pass
class CutMix:
def __init__(self):
pass
| class Mixup:
def __init__(self):
pass
class Cutmix:
def __init__(self):
pass |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def calc_diameter(self, diameter, node):
if node:
l_height = calc_diameter(node.left)
r_height = calc_diameter(node.right)
diameter[0] = max(diameter[0], l_height + r_height + 1)
return 1 + max(l_height, r_height)
return 0
def diameterOfBinaryTree(self, root: TreeNode) -> int:
if root:
diameter = [-1]
calc_diameter(diameter, root)
return diameter[0] - 1
return 0
# [4,-7,-3,null,null,-9,-3,9,-7,-4,null,6,null,-6,-6,null,null,0,6,5,null,9,null,null,-1,-4,null,null,null,-2] | class Solution:
def calc_diameter(self, diameter, node):
if node:
l_height = calc_diameter(node.left)
r_height = calc_diameter(node.right)
diameter[0] = max(diameter[0], l_height + r_height + 1)
return 1 + max(l_height, r_height)
return 0
def diameter_of_binary_tree(self, root: TreeNode) -> int:
if root:
diameter = [-1]
calc_diameter(diameter, root)
return diameter[0] - 1
return 0 |
class C:
def f(self, x):
pass
def g(self):
def f(x): #gets ignored by pytype but fixer sees it, generates warning (FIXME?)
return 1
return f
| class C:
def f(self, x):
pass
def g(self):
def f(x):
return 1
return f |
var1 = 10
var2 = 15
var3 = 12.6
print (var1, var2, var3)
A = 89
B = 56
Addition = A + B
print (Addition)
A = 89
B = 56
Substraction = A - B
print (Substraction)
#type function
#variable
#operands
#operator
f = 9/5*+32
print (float(f))
#type function
#variable
#operands
#operator
c = 5*32/9
print (float(c)) | var1 = 10
var2 = 15
var3 = 12.6
print(var1, var2, var3)
a = 89
b = 56
addition = A + B
print(Addition)
a = 89
b = 56
substraction = A - B
print(Substraction)
f = 9 / 5 * +32
print(float(f))
c = 5 * 32 / 9
print(float(c)) |
expected_output = {
"main": {
"chassis": {
"name": {
"descr": "A901-6CZ-FT-A Chassis",
"name": "A901-6CZ-FT-A Chassis",
"pid": "A901-6CZ-FT-A",
"sn": "CAT2342U1S6",
"vid": "V04 "
}
}
},
"slot": {
"0": {
"rp": {
"A901-6CZ-FT-A Chassis": {
"descr": "A901-6CZ-FT-A Chassis",
"name": "A901-6CZ-FT-A Chassis",
"pid": "A901-6CZ-FT-A",
"sn": "CAT2342U1S6",
"subslot": {
"0/11": {
"GigabitEthernet 0/11": {
"descr": "1000BASE-T SFP",
"name": "GigabitEthernet 0/11",
"pid": "GLC-T",
"sn": "AGM183321AW",
"vid": "B2 "
}
}
},
"vid": "V04 "
}
}
},
"AC/DC Power supply": {
"other": {
"AC/DC Power supply": {
"descr": "AC/DC Power Supply 1 (12V)",
"name": "AC/DC Power supply",
"pid": "POWER SUPPLY",
"sn": "34-2593-01",
"vid": ""
}
}
},
"Board Temperature Sensor": {
"other": {
"Board Temperature Sensor": {
"descr": "Board Temperature Sensor",
"name": "Board Temperature Sensor",
"pid": "Temperature Sensor",
"sn": "15-9325-01",
"vid": ""
}
}
},
"Fan1": {
"other": {
"Fan1": {
"descr": "High Speed Fan1 Module for A901-6CZ-FT-A",
"name": "Fan1",
"pid": "FAN",
"sn": "33-0629-01",
"vid": ""
}
}
},
"Fan2": {
"other": {
"Fan2": {
"descr": "High Speed Fan2 Module for A901-6CZ-FT-A",
"name": "Fan2",
"pid": "FAN",
"sn": "33-0629-01",
"vid": ""
}
}
},
"Fan3": {
"other": {
"Fan3": {
"descr": "High Speed Fan3 Module for A901-6CZ-FT-A",
"name": "Fan3",
"pid": "FAN",
"sn": "33-0629-01",
"vid": ""
}
}
},
"GigabitEthernet 0/10": {
"other": {
"GigabitEthernet 0/10": {
"descr": "1000BASE-T SFP",
"name": "GigabitEthernet 0/10",
"pid": "SBCU-5740ARZ-CS1",
"sn": "AVC211321TE",
"vid": "G3."
}
}
},
"Inlet Temperature Sensor": {
"other": {
"Inlet Temperature Sensor": {
"descr": "Inlet Temperature Sensor",
"name": "Inlet Temperature Sensor",
"pid": "Temperature Sensor",
"sn": "15-9325-01",
"vid": ""
}
}
}
}
} | expected_output = {'main': {'chassis': {'name': {'descr': 'A901-6CZ-FT-A Chassis', 'name': 'A901-6CZ-FT-A Chassis', 'pid': 'A901-6CZ-FT-A', 'sn': 'CAT2342U1S6', 'vid': 'V04 '}}}, 'slot': {'0': {'rp': {'A901-6CZ-FT-A Chassis': {'descr': 'A901-6CZ-FT-A Chassis', 'name': 'A901-6CZ-FT-A Chassis', 'pid': 'A901-6CZ-FT-A', 'sn': 'CAT2342U1S6', 'subslot': {'0/11': {'GigabitEthernet 0/11': {'descr': '1000BASE-T SFP', 'name': 'GigabitEthernet 0/11', 'pid': 'GLC-T', 'sn': 'AGM183321AW', 'vid': 'B2 '}}}, 'vid': 'V04 '}}}, 'AC/DC Power supply': {'other': {'AC/DC Power supply': {'descr': 'AC/DC Power Supply 1 (12V)', 'name': 'AC/DC Power supply', 'pid': 'POWER SUPPLY', 'sn': '34-2593-01', 'vid': ''}}}, 'Board Temperature Sensor': {'other': {'Board Temperature Sensor': {'descr': 'Board Temperature Sensor', 'name': 'Board Temperature Sensor', 'pid': 'Temperature Sensor', 'sn': '15-9325-01', 'vid': ''}}}, 'Fan1': {'other': {'Fan1': {'descr': 'High Speed Fan1 Module for A901-6CZ-FT-A', 'name': 'Fan1', 'pid': 'FAN', 'sn': '33-0629-01', 'vid': ''}}}, 'Fan2': {'other': {'Fan2': {'descr': 'High Speed Fan2 Module for A901-6CZ-FT-A', 'name': 'Fan2', 'pid': 'FAN', 'sn': '33-0629-01', 'vid': ''}}}, 'Fan3': {'other': {'Fan3': {'descr': 'High Speed Fan3 Module for A901-6CZ-FT-A', 'name': 'Fan3', 'pid': 'FAN', 'sn': '33-0629-01', 'vid': ''}}}, 'GigabitEthernet 0/10': {'other': {'GigabitEthernet 0/10': {'descr': '1000BASE-T SFP', 'name': 'GigabitEthernet 0/10', 'pid': 'SBCU-5740ARZ-CS1', 'sn': 'AVC211321TE', 'vid': 'G3.'}}}, 'Inlet Temperature Sensor': {'other': {'Inlet Temperature Sensor': {'descr': 'Inlet Temperature Sensor', 'name': 'Inlet Temperature Sensor', 'pid': 'Temperature Sensor', 'sn': '15-9325-01', 'vid': ''}}}}} |
class Clock:
def __init__(self, hour, minute):
self.hour = (hour + (minute // 60)) % 24
self.minute = minute % 60
def __repr__(self):
return "{:02d}:{:02d}".format(self.hour, self.minute)
def __eq__(self, other):
return self.hour == other.hour and self.minute == other.minute
def __add__(self, minutes):
return Clock(self.hour, self.minute + minutes)
def __sub__(self, minutes):
return self + (-minutes)
| class Clock:
def __init__(self, hour, minute):
self.hour = (hour + minute // 60) % 24
self.minute = minute % 60
def __repr__(self):
return '{:02d}:{:02d}'.format(self.hour, self.minute)
def __eq__(self, other):
return self.hour == other.hour and self.minute == other.minute
def __add__(self, minutes):
return clock(self.hour, self.minute + minutes)
def __sub__(self, minutes):
return self + -minutes |
{'name': 'Library Management Application',
'description': 'Library books, members and book borrowing.',
'author': 'Daniel Reis',
'depends': ['base'],
'data': [
'security/library_security.xml',
'security/ir.model.access.csv',
'views/library_menu.xml',
'views/book_view.xml',
'views/book_list_template.xml',
],
'application': True,
'installable': True,
}
| {'name': 'Library Management Application', 'description': 'Library books, members and book borrowing.', 'author': 'Daniel Reis', 'depends': ['base'], 'data': ['security/library_security.xml', 'security/ir.model.access.csv', 'views/library_menu.xml', 'views/book_view.xml', 'views/book_list_template.xml'], 'application': True, 'installable': True} |
number = int(input('Enter a number: '))
times = int(input('Enter a times: '))
def multiplication(numbers, x):
z = 1
while z <= numbers:
b = '{} x {} = {}'.format(z, x, x * z)
print(b)
z += 1
multiplication(number, times)
| number = int(input('Enter a number: '))
times = int(input('Enter a times: '))
def multiplication(numbers, x):
z = 1
while z <= numbers:
b = '{} x {} = {}'.format(z, x, x * z)
print(b)
z += 1
multiplication(number, times) |
#! python3
# isPhoneNumber.py - Program without regular expressions to find a phone number in text
def isPhoneNumber(text):
if len(text) != 12:
return False
for i in range(0,3):
if not text[i].isdecimal():
return False
if text[3] != '-':
return False
for i in range(4,7):
if not text[i].isdecimal():
return False
if text[7] != '-':
return False
for i in range(8,12):
if not text[i].isdecimal():
return False
return True
print('415-555-4242 is a phone number:')
print(isPhoneNumber('415-555-4242'))
print('Moshi moshi is a phone number:')
print(isPhoneNumber('Moshi moshi'))
# Additional code to check a string containing the number
message = 'Call me at 415-555-1011 tomorrow. 415-555-9999 is my office.'
for i in range(len(message)):
chunk = message[i:i+12]
if isPhoneNumber(chunk):
print('Phone number found: ' + chunk)
print('Done') | def is_phone_number(text):
if len(text) != 12:
return False
for i in range(0, 3):
if not text[i].isdecimal():
return False
if text[3] != '-':
return False
for i in range(4, 7):
if not text[i].isdecimal():
return False
if text[7] != '-':
return False
for i in range(8, 12):
if not text[i].isdecimal():
return False
return True
print('415-555-4242 is a phone number:')
print(is_phone_number('415-555-4242'))
print('Moshi moshi is a phone number:')
print(is_phone_number('Moshi moshi'))
message = 'Call me at 415-555-1011 tomorrow. 415-555-9999 is my office.'
for i in range(len(message)):
chunk = message[i:i + 12]
if is_phone_number(chunk):
print('Phone number found: ' + chunk)
print('Done') |
# -*- coding:utf-8 -*-
def payment(balance, paid):
if balance < paid:
return balance, 0
else:
return paid, balance - paid
if __name__ == '__main__':
balance = float(input("Enter opening balance: "))
paid = float(input("Enter monthly payment: "))
print(" Amount Remaining")
print("Pymt# Paid Balance")
print("----- ---- -------")
print("{:3d} {:7.2f} {:7.2f}".format(0, 0, balance))
month = 1
while(True):
paid, balance = payment(balance, paid)
print("{:3d} {:7.2f} {:7.2f}".format(month, paid, balance))
month += 1
if balance == 0:
break
| def payment(balance, paid):
if balance < paid:
return (balance, 0)
else:
return (paid, balance - paid)
if __name__ == '__main__':
balance = float(input('Enter opening balance: '))
paid = float(input('Enter monthly payment: '))
print(' Amount Remaining')
print('Pymt# Paid Balance')
print('----- ---- -------')
print('{:3d} {:7.2f} {:7.2f}'.format(0, 0, balance))
month = 1
while True:
(paid, balance) = payment(balance, paid)
print('{:3d} {:7.2f} {:7.2f}'.format(month, paid, balance))
month += 1
if balance == 0:
break |
# Title : Lambda example
# Author : Kiran raj R.
# Date : 31:10:2020
def higher_o_func(x, func): return x + func(x)
result1 = higher_o_func(2, lambda x: x * x)
# result1 x = 2, (2*2) + 2, x = 6
result2 = higher_o_func(2, lambda x: x + 3)
# result2 x=2, (2 + 3) + 2, x = 7
result3 = higher_o_func(4, lambda x: x*x)
# result3 = (4 * 4) + 4, x = 20
result4 = higher_o_func(4, lambda x: x + 3)
# result4 (4 + 3) + 4, x = 11
print(result1, result2)
print(result3, result4)
# add = lambda x, y: x+y
def add(x, y):
return x+y
result5 = add(3, 4)
print(result5)
print((lambda x: x % 2 and 'odd' or 'even')(3))
# odd
# bool(2%2) => False
# bool(2%3) => True
#
| def higher_o_func(x, func):
return x + func(x)
result1 = higher_o_func(2, lambda x: x * x)
result2 = higher_o_func(2, lambda x: x + 3)
result3 = higher_o_func(4, lambda x: x * x)
result4 = higher_o_func(4, lambda x: x + 3)
print(result1, result2)
print(result3, result4)
def add(x, y):
return x + y
result5 = add(3, 4)
print(result5)
print((lambda x: x % 2 and 'odd' or 'even')(3)) |
class ListTransformer():
def __init__(self, _list):
self._list = _list
@property
def tuple(self):
return tuple(self._list)
| class Listtransformer:
def __init__(self, _list):
self._list = _list
@property
def tuple(self):
return tuple(self._list) |
class Solution:
def slowestKey(self, releaseTimes: List[int], keysPressed: str) -> str:
# Time Complexity: O(N)
# Space Complexity: O(1)
longest = releaseTimes[0]
slowestKey = keysPressed[0]
for i in range(1, len(releaseTimes)):
cur = releaseTimes[i] - releaseTimes[i-1]
if (cur > longest or (cur==longest and keysPressed[i] > slowestKey)):
longest = cur
slowestKey = keysPressed[i]
return slowestKey
| class Solution:
def slowest_key(self, releaseTimes: List[int], keysPressed: str) -> str:
longest = releaseTimes[0]
slowest_key = keysPressed[0]
for i in range(1, len(releaseTimes)):
cur = releaseTimes[i] - releaseTimes[i - 1]
if cur > longest or (cur == longest and keysPressed[i] > slowestKey):
longest = cur
slowest_key = keysPressed[i]
return slowestKey |
def main():
# Write code here
while True:
N=int(input())
if 1<=N and N<=100:
break
List_elements=[]
List_elements=[int(x) for x in input().split()]
#List_elements.append(element)
List_elements.sort()
print(List_elements)
Absent_students=[]
for i in range(N):
if i+1 not in List_elements:
Absent_students.append(i+1)
print(" ".join(str(x) for x in Absent_students))
main() | def main():
while True:
n = int(input())
if 1 <= N and N <= 100:
break
list_elements = []
list_elements = [int(x) for x in input().split()]
List_elements.sort()
print(List_elements)
absent_students = []
for i in range(N):
if i + 1 not in List_elements:
Absent_students.append(i + 1)
print(' '.join((str(x) for x in Absent_students)))
main() |
def get_gini(loc, sheet):
df = pd.read_excel(loc,sheet_name = sheet)
df_2 = df[['PD','Default']]
gini_df = df_2.sort_values(by=["PD"],ascending=False)
gini_df.reset_index()
D = sum(gini_df['Default'])
N = len(gini_df['Default'])
default = np.array(gini_df.Default)
proxy_data_arr = np.cumsum(default)
num_arr = np.arange(N)+1
best_arr = np.where(num_arr >=D, D, num_arr)
worst_arr = (num_arr+1)*D/N
return [proxy_data_arr.tolist(), best_arr.tolist(), worst_arr.tolist()]
if __name__ == '__main__':
loc = '/Users/ntmy99/EPAY/Eximbank_demo/Unsecured Laon Tape with PD Dec 2021.xlsx'
sheet_name = 'RawData'
fileLocation = '/Users/ntmy99/EPAY/Eximbank_demo/'
json_total = get_gini(loc, sheet_name)
with open(fileLocation + 'gini.json', 'w') as fp:
json.dump(json_total, fp) | def get_gini(loc, sheet):
df = pd.read_excel(loc, sheet_name=sheet)
df_2 = df[['PD', 'Default']]
gini_df = df_2.sort_values(by=['PD'], ascending=False)
gini_df.reset_index()
d = sum(gini_df['Default'])
n = len(gini_df['Default'])
default = np.array(gini_df.Default)
proxy_data_arr = np.cumsum(default)
num_arr = np.arange(N) + 1
best_arr = np.where(num_arr >= D, D, num_arr)
worst_arr = (num_arr + 1) * D / N
return [proxy_data_arr.tolist(), best_arr.tolist(), worst_arr.tolist()]
if __name__ == '__main__':
loc = '/Users/ntmy99/EPAY/Eximbank_demo/Unsecured Laon Tape with PD Dec 2021.xlsx'
sheet_name = 'RawData'
file_location = '/Users/ntmy99/EPAY/Eximbank_demo/'
json_total = get_gini(loc, sheet_name)
with open(fileLocation + 'gini.json', 'w') as fp:
json.dump(json_total, fp) |
VALID_COLORS = ['blue', 'yellow', 'red']
def print_colors():
while True:
color = input('Enter a color: ').lower()
if color == 'quit':
print('bye')
break
if color not in VALID_COLORS:
print('Not a valid color')
continue
print(color)
pass
| valid_colors = ['blue', 'yellow', 'red']
def print_colors():
while True:
color = input('Enter a color: ').lower()
if color == 'quit':
print('bye')
break
if color not in VALID_COLORS:
print('Not a valid color')
continue
print(color)
pass |
a = int(input())
b = {}
def fab(a):
if a<=1:
return 1
if a in b:
return b[a]
b[a]=fab(a-1)+fab(a-2)
return b[a]
print(fab(a))
print(b)
#1 1 2 3 5 8 13 21 34
| a = int(input())
b = {}
def fab(a):
if a <= 1:
return 1
if a in b:
return b[a]
b[a] = fab(a - 1) + fab(a - 2)
return b[a]
print(fab(a))
print(b) |
def gen():
yield 3 # Like return but one by one
yield 'wow'
yield -1
yield 1.2
x = gen()
print(next(x)) # Use next() function to go one by one
print(next(x))
print(next(x))
print(next(x)) | def gen():
yield 3
yield 'wow'
yield (-1)
yield 1.2
x = gen()
print(next(x))
print(next(x))
print(next(x))
print(next(x)) |
def tokenize(sentence):
return sentence.split(" ")
class InvertedIndex:
def __init__(self):
self.dict = {}
def get_docs_ids(self, token):
if token in self.dict:
return self.dict[token]
else:
return []
def put_token(self, token, doc_id):
if token in self.dict:
self.dict[token] += [doc_id]
else:
self.dict[token] = [doc_id]
def add_to_inverted_index(inverted_index, sentence, sentence_id):
sentence_tokens = tokenize(sentence)
for token in sentence_tokens:
inverted_index.put_token(token, sentence_id)
def create_inverted_index(sentences):
inverted_index = InvertedIndex()
for index, sentence in enumerate(sentences, start=0):
add_to_inverted_index(inverted_index, sentence, index)
return inverted_index
def is_one_term_query(query):
return len(query.split(" ")) == 1
def _intersect(list1, list2):
result = []
i, j = 0, 0
while i < len(list1) and j < len(list2):
if list1[i] == list2[j]:
result.append(list1[i])
i += 1
j += 1
else:
if list1[i] < list2[j]:
i += 1
else:
j += 1
return result
def _boolean_search(terms_to_search, inverted_index):
for i, term in enumerate(terms_to_search):
phrases_ids = inverted_index.get_docs_ids(term)
if i == 0:
result = phrases_ids
else:
result = _intersect(result, phrases_ids)
return result
def search(query, inverted_index):
if is_one_term_query(query):
return inverted_index.get_docs_ids(query)
else:
terms_to_search = query.split(" ")
resut
return _boolean_search(terms_to_search, inverted_index)
def textQueries(sentences, queries):
inverted_index = create_inverted_index(sentences)
for query in queries:
search_result = search(query, inverted_index)
search_result = list(map(str, search_result))
print(" ".join(search_result))
if __name__ == '__main__':
N = int(input())
sentences = []
for _ in range(N):
sentence = input()
sentences.append(sentence)
M = int(input())
queries = []
for _ in range(M):
query = input()
queries.append(query)
res = braces(values)
print(res)
| def tokenize(sentence):
return sentence.split(' ')
class Invertedindex:
def __init__(self):
self.dict = {}
def get_docs_ids(self, token):
if token in self.dict:
return self.dict[token]
else:
return []
def put_token(self, token, doc_id):
if token in self.dict:
self.dict[token] += [doc_id]
else:
self.dict[token] = [doc_id]
def add_to_inverted_index(inverted_index, sentence, sentence_id):
sentence_tokens = tokenize(sentence)
for token in sentence_tokens:
inverted_index.put_token(token, sentence_id)
def create_inverted_index(sentences):
inverted_index = inverted_index()
for (index, sentence) in enumerate(sentences, start=0):
add_to_inverted_index(inverted_index, sentence, index)
return inverted_index
def is_one_term_query(query):
return len(query.split(' ')) == 1
def _intersect(list1, list2):
result = []
(i, j) = (0, 0)
while i < len(list1) and j < len(list2):
if list1[i] == list2[j]:
result.append(list1[i])
i += 1
j += 1
elif list1[i] < list2[j]:
i += 1
else:
j += 1
return result
def _boolean_search(terms_to_search, inverted_index):
for (i, term) in enumerate(terms_to_search):
phrases_ids = inverted_index.get_docs_ids(term)
if i == 0:
result = phrases_ids
else:
result = _intersect(result, phrases_ids)
return result
def search(query, inverted_index):
if is_one_term_query(query):
return inverted_index.get_docs_ids(query)
else:
terms_to_search = query.split(' ')
resut
return _boolean_search(terms_to_search, inverted_index)
def text_queries(sentences, queries):
inverted_index = create_inverted_index(sentences)
for query in queries:
search_result = search(query, inverted_index)
search_result = list(map(str, search_result))
print(' '.join(search_result))
if __name__ == '__main__':
n = int(input())
sentences = []
for _ in range(N):
sentence = input()
sentences.append(sentence)
m = int(input())
queries = []
for _ in range(M):
query = input()
queries.append(query)
res = braces(values)
print(res) |
VERSION = "1.1"
SOCKET_PATH = "/tmp/optimus-manager"
SOCKET_TIMEOUT = 1.0
STARTUP_MODE_VAR_PATH = "/var/lib/optimus-manager/startup_mode"
REQUESTED_MODE_VAR_PATH = "/var/lib/optimus-manager/requested_mode"
DPI_VAR_PATH = "/var/lib/optimus-manager/dpi"
TEMP_CONFIG_PATH_VAR_PATH = "/var/lib/optimus-manager/temp_conf_path"
DEFAULT_STARTUP_MODE = "intel"
SYSTEM_CONFIGS_PATH = "/etc/optimus-manager/configs/"
XORG_CONF_PATH = "/etc/X11/xorg.conf.d/10-optimus-manager.conf"
DEFAULT_CONFIG_PATH = "/usr/share/optimus-manager.conf"
USER_CONFIG_PATH = "/etc/optimus-manager/optimus-manager.conf"
USER_CONFIG_COPY_PATH = "/var/lib/optimus-manager/config_copy.conf"
EXTRA_XORG_OPTIONS_INTEL_PATH = "/etc/optimus-manager/xorg-intel.conf"
EXTRA_XORG_OPTIONS_NVIDIA_PATH = "/etc/optimus-manager/xorg-nvidia.conf"
XSETUP_SCRIPT_INTEL = "/etc/optimus-manager/xsetup-intel.sh"
XSETUP_SCRIPT_NVIDIA = "/etc/optimus-manager/xsetup-nvidia.sh"
LOG_DIR_PATH = "/var/log/optimus-manager/"
BOOT_SETUP_LOGFILE_NAME = "boot_setup.log"
PRIME_SETUP_LOGFILE_NAME = "prime_setup.log"
GPU_SETUP_LOGFILE_NAME = "gpu_setup.log"
LOGGING_SEPARATOR_SUFFIX = " ==================== "
LOG_MAX_SIZE = 20000
LOG_CROPPED_SIZE = 10000
| version = '1.1'
socket_path = '/tmp/optimus-manager'
socket_timeout = 1.0
startup_mode_var_path = '/var/lib/optimus-manager/startup_mode'
requested_mode_var_path = '/var/lib/optimus-manager/requested_mode'
dpi_var_path = '/var/lib/optimus-manager/dpi'
temp_config_path_var_path = '/var/lib/optimus-manager/temp_conf_path'
default_startup_mode = 'intel'
system_configs_path = '/etc/optimus-manager/configs/'
xorg_conf_path = '/etc/X11/xorg.conf.d/10-optimus-manager.conf'
default_config_path = '/usr/share/optimus-manager.conf'
user_config_path = '/etc/optimus-manager/optimus-manager.conf'
user_config_copy_path = '/var/lib/optimus-manager/config_copy.conf'
extra_xorg_options_intel_path = '/etc/optimus-manager/xorg-intel.conf'
extra_xorg_options_nvidia_path = '/etc/optimus-manager/xorg-nvidia.conf'
xsetup_script_intel = '/etc/optimus-manager/xsetup-intel.sh'
xsetup_script_nvidia = '/etc/optimus-manager/xsetup-nvidia.sh'
log_dir_path = '/var/log/optimus-manager/'
boot_setup_logfile_name = 'boot_setup.log'
prime_setup_logfile_name = 'prime_setup.log'
gpu_setup_logfile_name = 'gpu_setup.log'
logging_separator_suffix = ' ==================== '
log_max_size = 20000
log_cropped_size = 10000 |
'''
Create a customer class
Add a constructor with parameters first, last, and phone_number
Create public attributes for first, last, and phone_number
STUDENT MUST ALSO MODIFY INVOICE CLASS TO USE THIS CLASS
SEE INVOICE file FOR INSTRUCTIONS
'''
class Customer:
def __init__(self, first, last, phone_number):
self.first = first
self.last = last
self.phone_number = phone_number
| """
Create a customer class
Add a constructor with parameters first, last, and phone_number
Create public attributes for first, last, and phone_number
STUDENT MUST ALSO MODIFY INVOICE CLASS TO USE THIS CLASS
SEE INVOICE file FOR INSTRUCTIONS
"""
class Customer:
def __init__(self, first, last, phone_number):
self.first = first
self.last = last
self.phone_number = phone_number |
d=[int(i) for i in input().split()]
s=sum(d)
result=0
if s%len(d)==0:
for i in range(len(d)):
if d[i]<(s//len(d)):
result=result+((s//len(d))-d[i])
print(result,end='')
else:
print('-1',end='') | d = [int(i) for i in input().split()]
s = sum(d)
result = 0
if s % len(d) == 0:
for i in range(len(d)):
if d[i] < s // len(d):
result = result + (s // len(d) - d[i])
print(result, end='')
else:
print('-1', end='') |
N = int(input())
def brute_force(s, remain):
if remain == 0:
print(s)
else:
brute_force(s + "a", remain - 1)
brute_force(s + "b", remain - 1)
brute_force(s + "c", remain - 1)
brute_force("", N)
| n = int(input())
def brute_force(s, remain):
if remain == 0:
print(s)
else:
brute_force(s + 'a', remain - 1)
brute_force(s + 'b', remain - 1)
brute_force(s + 'c', remain - 1)
brute_force('', N) |
class FatalErrorResponse:
def __init__(self, message):
self._message = message
self.result = message
self.id = "error"
def get_audit_text(self):
return 'error = "{0}", (NOT PUBLISHED)'.format(self._message)
| class Fatalerrorresponse:
def __init__(self, message):
self._message = message
self.result = message
self.id = 'error'
def get_audit_text(self):
return 'error = "{0}", (NOT PUBLISHED)'.format(self._message) |
def my_init(shape, dtype=None):
array = np.array([
[0.0, 0.2, 0.0],
[0.0, -0.2, 0.0],
[0.0, 0.0, 0.0],
])
# adds two axis to match the required shape (3,3,1,1)
return np.expand_dims(np.expand_dims(array,-1),-1)
conv_edge = Sequential([
Conv2D(kernel_size=(3,3), filters=1,
padding="same", kernel_initializer=my_init,
input_shape=(None, None, 1))
])
img_in = np.expand_dims(grey_sample_image, 0)
img_out = conv_edge.predict(img_in)
fig, (ax0, ax1) = plt.subplots(ncols=2, figsize=(10, 5))
ax0.imshow(np.squeeze(img_in[0]).astype(np.uint8),
cmap=plt.cm.gray);
ax1.imshow(np.squeeze(img_out[0]).astype(np.uint8),
cmap=plt.cm.gray);
# We only showcase a vertical edge detection here.
# Many other kernels work, for example differences
# of centered gaussians (sometimes called mexican-hat
# connectivity)
#
# You may try with this filter as well
# np.array([
# [ 0.1, 0.2, 0.1],
# [ 0.0, 0.0, 0.0],
# [-0.1, -0.2, -0.1],
# ])
| def my_init(shape, dtype=None):
array = np.array([[0.0, 0.2, 0.0], [0.0, -0.2, 0.0], [0.0, 0.0, 0.0]])
return np.expand_dims(np.expand_dims(array, -1), -1)
conv_edge = sequential([conv2_d(kernel_size=(3, 3), filters=1, padding='same', kernel_initializer=my_init, input_shape=(None, None, 1))])
img_in = np.expand_dims(grey_sample_image, 0)
img_out = conv_edge.predict(img_in)
(fig, (ax0, ax1)) = plt.subplots(ncols=2, figsize=(10, 5))
ax0.imshow(np.squeeze(img_in[0]).astype(np.uint8), cmap=plt.cm.gray)
ax1.imshow(np.squeeze(img_out[0]).astype(np.uint8), cmap=plt.cm.gray) |
banks = [
# bank 0
{
'ram': {
'start': 0xB848,
'end': 0xBFCF
},
'rom': {
'start': 0x3858,
'end': 0x3FDF
},
'offset': 0
},
# bank 1
{
'ram': {
'start': 0xB8CC,
'end': 0xBFCF
},
'rom': {
'start': 0x78DC,
'end': 0x7FDF
},
'offset': 0
},
# bank 2
{
'ram': {
'start': 0xBEE3,
'end': 0xBFCE
},
'rom': {
'start': 0xBEF3,
'end': 0xBFDE
},
'offset': 0
},
# bank 3
{
'ram': {
'start': 0x9CF6,
'end': 0xBFCF
},
'rom': {
'start': 0xDD06,
'end': 0xFFDF
},
'offset': 0
},
# bank 4
{
'ram': {
'start': 0xBAE4,
'end': 0xBFF8
},
'rom': {
'start': 0x13AF4,
'end': 0x14008
},
'offset': 0
},
# bank 5
{},
# bank 6
{},
# bank 7
{
'ram': {
'start': 0xFF94,
'end': 0xFFCE
},
'rom': {
'start': 0x1FFA4,
'end': 0x1FFDE
},
'offset': 0
},
# a few extra bytes on bank 7, indexed at 8
{
'ram': {
'start': 0xFEE2,
'end': 0xFF33
},
'rom': {
'start': 0x1FEF2,
'end': 0x1FF43
},
'offset': 0
},
# a few more bytes on bank 7, indexed at 9
{
'ram': {
'start': 0xFBD2,
'end': 0xFBFE
},
'rom': {
'start': 0x1FBE2,
'end': 0x1FC0E
},
'offset': 0
}
]
| banks = [{'ram': {'start': 47176, 'end': 49103}, 'rom': {'start': 14424, 'end': 16351}, 'offset': 0}, {'ram': {'start': 47308, 'end': 49103}, 'rom': {'start': 30940, 'end': 32735}, 'offset': 0}, {'ram': {'start': 48867, 'end': 49102}, 'rom': {'start': 48883, 'end': 49118}, 'offset': 0}, {'ram': {'start': 40182, 'end': 49103}, 'rom': {'start': 56582, 'end': 65503}, 'offset': 0}, {'ram': {'start': 47844, 'end': 49144}, 'rom': {'start': 80628, 'end': 81928}, 'offset': 0}, {}, {}, {'ram': {'start': 65428, 'end': 65486}, 'rom': {'start': 130980, 'end': 131038}, 'offset': 0}, {'ram': {'start': 65250, 'end': 65331}, 'rom': {'start': 130802, 'end': 130883}, 'offset': 0}, {'ram': {'start': 64466, 'end': 64510}, 'rom': {'start': 130018, 'end': 130062}, 'offset': 0}] |
majors = {
"UND": "Undeclared",
"UNON": "Non Degree",
"ANTH": "Anthropology",
"APPH": "Applied Physics",
"ART": "Art",
"ARTG": "Art And Design: Games And Playable Media",
"ARTH": "See History Of Art And Visual Culture",
"BENG": "Bioengineering",
"BIOC": "Biochemistry And Molecular Biology",
"BINF": "Bioinformatics",
"BIOL": "Biology",
"BMEC": "Business Management Economics",
"CHEM": "Chemistry",
"CLST": "Classical Studies",
"CMMU": "Community Studies",
"CMPE": "Computer Engineering",
"CMPS": "Computer Science",
"CMPG": "Computer Science: Computer Game Design",
"COGS": "Cognitive Science",
"CRES": "Critical Race And Ethnic Studies",
"EART": "Earth Sciences",
"ECEV": "Ecology And Evolution",
"ECON": "Economics",
"EE": "Electrical Engineering",
"ENVS": "Environmental Studies",
"FMST": "Feminist Studies",
"FIDM": "Film And Digital Media",
"GMST": "German Studies",
"GLEC": "Global Economics",
"HBIO": "Human Biology",
"HIS": "History",
"HAVC": "History Of Art And Visual Culture",
"ITST": "Italian Studies",
"JWST": "Jewish Studies",
"LANG": "Language Studies",
"LALS": "Latin American And Latino Studies",
"LGST": "Legal Studies",
"LING": "Linguistics",
"LIT": "Literature",
"MABI": "Marine Biology",
"MATH": "Mathematics",
"MCDB": "Molecular, Cell, And Developmental Biology",
"MUSC": "Music", "NDT": "Network And Digital Technology",
"NBIO": "Neuroscience",
"PHIL": "Philosophy",
"PHYE": "Physics Education",
"PHYS": "Physics",
"ASPH": "Physics (astrophysics)",
"PLNT": "Plant Sciences",
"POLI": "Politics",
"PSYC": "Psychology",
"ROBO": "Robotics Engineering",
"SOCI": "Sociology",
"SPST": "Spanish Studies",
"TIM": "Technology And Information Management",
"THEA": "Theater Arts",
"PRFM": "Pre-film And Digital Media",
"XESA": "Earth Sciences/anthropology",
"XEBI": "Environmental Studies/biology",
"XEEA": "Environmental Studies/earth Sciences",
"XEEC": "Environmental Studies/economics",
"XEMA": "Economics/mathematics",
"XLPT": "Latin American And Latino Studies/politics",
"XLSY": "Latin American And Latino Studies/sociology" }
result = {"values": []}
for abbrev, major in majors.items():
synonyms = []
synonyms.append(major)
synonyms.append(abbrev.lower())
result['values'].append({'id': abbrev, 'name':{'value':major, 'synonyms':synonyms}})
f = open("result.txt", "w")
f.write(str(result).replace("'", "\""))
f.close() | majors = {'UND': 'Undeclared', 'UNON': 'Non Degree', 'ANTH': 'Anthropology', 'APPH': 'Applied Physics', 'ART': 'Art', 'ARTG': 'Art And Design: Games And Playable Media', 'ARTH': 'See History Of Art And Visual Culture', 'BENG': 'Bioengineering', 'BIOC': 'Biochemistry And Molecular Biology', 'BINF': 'Bioinformatics', 'BIOL': 'Biology', 'BMEC': 'Business Management Economics', 'CHEM': 'Chemistry', 'CLST': 'Classical Studies', 'CMMU': 'Community Studies', 'CMPE': 'Computer Engineering', 'CMPS': 'Computer Science', 'CMPG': 'Computer Science: Computer Game Design', 'COGS': 'Cognitive Science', 'CRES': 'Critical Race And Ethnic Studies', 'EART': 'Earth Sciences', 'ECEV': 'Ecology And Evolution', 'ECON': 'Economics', 'EE': 'Electrical Engineering', 'ENVS': 'Environmental Studies', 'FMST': 'Feminist Studies', 'FIDM': 'Film And Digital Media', 'GMST': 'German Studies', 'GLEC': 'Global Economics', 'HBIO': 'Human Biology', 'HIS': 'History', 'HAVC': 'History Of Art And Visual Culture', 'ITST': 'Italian Studies', 'JWST': 'Jewish Studies', 'LANG': 'Language Studies', 'LALS': 'Latin American And Latino Studies', 'LGST': 'Legal Studies', 'LING': 'Linguistics', 'LIT': 'Literature', 'MABI': 'Marine Biology', 'MATH': 'Mathematics', 'MCDB': 'Molecular, Cell, And Developmental Biology', 'MUSC': 'Music', 'NDT': 'Network And Digital Technology', 'NBIO': 'Neuroscience', 'PHIL': 'Philosophy', 'PHYE': 'Physics Education', 'PHYS': 'Physics', 'ASPH': 'Physics (astrophysics)', 'PLNT': 'Plant Sciences', 'POLI': 'Politics', 'PSYC': 'Psychology', 'ROBO': 'Robotics Engineering', 'SOCI': 'Sociology', 'SPST': 'Spanish Studies', 'TIM': 'Technology And Information Management', 'THEA': 'Theater Arts', 'PRFM': 'Pre-film And Digital Media', 'XESA': 'Earth Sciences/anthropology', 'XEBI': 'Environmental Studies/biology', 'XEEA': 'Environmental Studies/earth Sciences', 'XEEC': 'Environmental Studies/economics', 'XEMA': 'Economics/mathematics', 'XLPT': 'Latin American And Latino Studies/politics', 'XLSY': 'Latin American And Latino Studies/sociology'}
result = {'values': []}
for (abbrev, major) in majors.items():
synonyms = []
synonyms.append(major)
synonyms.append(abbrev.lower())
result['values'].append({'id': abbrev, 'name': {'value': major, 'synonyms': synonyms}})
f = open('result.txt', 'w')
f.write(str(result).replace("'", '"'))
f.close() |
unknown_error = (1000, 'unknown_error', 400)
access_forbidden = (1001, 'access_forbidden', 403)
unimplemented_error = (1002, 'unimplemented_error', 400)
not_found = (1003, 'not_found', 404)
illegal_state = (1004, 'illegal_state', 400)
| unknown_error = (1000, 'unknown_error', 400)
access_forbidden = (1001, 'access_forbidden', 403)
unimplemented_error = (1002, 'unimplemented_error', 400)
not_found = (1003, 'not_found', 404)
illegal_state = (1004, 'illegal_state', 400) |
_base_ = [
'../_base_/models/retinanet_r50_fpn.py',
'../_base_/datasets/waymo_open_2d_detection_f0.py',
'../_base_/schedules/schedule_1x.py', '../_base_/default_runtime.py'
]
model = dict(bbox_head=dict(num_classes=3))
data = dict(samples_per_gpu=4)
optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0001)
fp16 = dict(loss_scale=512.)
load_from = 'https://open-mmlab.s3.ap-northeast-2.amazonaws.com/mmdetection/v2.0/retinanet/retinanet_r50_fpn_2x_coco/retinanet_r50_fpn_2x_coco_20200131-fdb43119.pth' # noqa
| _base_ = ['../_base_/models/retinanet_r50_fpn.py', '../_base_/datasets/waymo_open_2d_detection_f0.py', '../_base_/schedules/schedule_1x.py', '../_base_/default_runtime.py']
model = dict(bbox_head=dict(num_classes=3))
data = dict(samples_per_gpu=4)
optimizer = dict(type='SGD', lr=0.01, momentum=0.9, weight_decay=0.0001)
fp16 = dict(loss_scale=512.0)
load_from = 'https://open-mmlab.s3.ap-northeast-2.amazonaws.com/mmdetection/v2.0/retinanet/retinanet_r50_fpn_2x_coco/retinanet_r50_fpn_2x_coco_20200131-fdb43119.pth' |
# Copyright 2012 the V8 project authors. All rights reserved.
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are
# met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above
# copyright notice, this list of conditions and the following
# disclaimer in the documentation and/or other materials provided
# with the distribution.
# * Neither the name of Google Inc. nor the names of its
# contributors may be used to endorse or promote products derived
# from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
# "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
# LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
# A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
# OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
# SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
# LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
# DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
# THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
{
'variables': {
'v8_code': 1,
'generated_file': '<(SHARED_INTERMEDIATE_DIR)/resources.cc',
},
'includes': ['../../build/toolchain.gypi', '../../build/features.gypi'],
'targets': [
{
'target_name': 'cctest',
'type': 'executable',
'dependencies': [
'resources',
'../../tools/gyp/v8.gyp:v8_libplatform',
],
'include_dirs': [
'../..',
],
'sources': [ ### gcmole(all) ###
'<(generated_file)',
'compiler/c-signature.h',
'compiler/codegen-tester.cc',
'compiler/codegen-tester.h',
'compiler/function-tester.h',
'compiler/graph-builder-tester.cc',
'compiler/graph-builder-tester.h',
'compiler/graph-tester.h',
'compiler/simplified-graph-builder.cc',
'compiler/simplified-graph-builder.h',
'compiler/test-branch-combine.cc',
'compiler/test-changes-lowering.cc',
'compiler/test-codegen-deopt.cc',
'compiler/test-gap-resolver.cc',
'compiler/test-graph-reducer.cc',
'compiler/test-instruction.cc',
'compiler/test-js-context-specialization.cc',
'compiler/test-js-constant-cache.cc',
'compiler/test-js-typed-lowering.cc',
'compiler/test-linkage.cc',
'compiler/test-machine-operator-reducer.cc',
'compiler/test-node-algorithm.cc',
'compiler/test-node-cache.cc',
'compiler/test-node.cc',
'compiler/test-operator.cc',
'compiler/test-phi-reducer.cc',
'compiler/test-pipeline.cc',
'compiler/test-representation-change.cc',
'compiler/test-run-deopt.cc',
'compiler/test-run-inlining.cc',
'compiler/test-run-intrinsics.cc',
'compiler/test-run-jsbranches.cc',
'compiler/test-run-jscalls.cc',
'compiler/test-run-jsexceptions.cc',
'compiler/test-run-jsops.cc',
'compiler/test-run-machops.cc',
'compiler/test-run-properties.cc',
'compiler/test-run-variables.cc',
'compiler/test-schedule.cc',
'compiler/test-scheduler.cc',
'compiler/test-simplified-lowering.cc',
'cctest.cc',
'gay-fixed.cc',
'gay-precision.cc',
'gay-shortest.cc',
'print-extension.cc',
'profiler-extension.cc',
'test-accessors.cc',
'test-alloc.cc',
'test-api.cc',
'test-ast.cc',
'test-atomicops.cc',
'test-bignum.cc',
'test-bignum-dtoa.cc',
'test-checks.cc',
'test-circular-queue.cc',
'test-compiler.cc',
'test-constantpool.cc',
'test-conversions.cc',
'test-cpu-profiler.cc',
'test-dataflow.cc',
'test-date.cc',
'test-debug.cc',
'test-declarative-accessors.cc',
'test-decls.cc',
'test-deoptimization.cc',
'test-dictionary.cc',
'test-diy-fp.cc',
'test-double.cc',
'test-dtoa.cc',
'test-fast-dtoa.cc',
'test-fixed-dtoa.cc',
'test-flags.cc',
'test-func-name-inference.cc',
'test-gc-tracer.cc',
'test-global-handles.cc',
'test-global-object.cc',
'test-hashing.cc',
'test-hashmap.cc',
'test-heap.cc',
'test-heap-profiler.cc',
'test-hydrogen-types.cc',
'test-list.cc',
'test-liveedit.cc',
'test-lockers.cc',
'test-log.cc',
'test-microtask-delivery.cc',
'test-mark-compact.cc',
'test-mementos.cc',
'test-object-observe.cc',
'test-ordered-hash-table.cc',
'test-ostreams.cc',
'test-parsing.cc',
'test-platform.cc',
'test-profile-generator.cc',
'test-random-number-generator.cc',
'test-regexp.cc',
'test-reloc-info.cc',
'test-representation.cc',
'test-serialize.cc',
'test-spaces.cc',
'test-strings.cc',
'test-symbols.cc',
'test-strtod.cc',
'test-thread-termination.cc',
'test-threads.cc',
'test-types.cc',
'test-unbound-queue.cc',
'test-unique.cc',
'test-unscopables-hidden-prototype.cc',
'test-utils.cc',
'test-version.cc',
'test-weakmaps.cc',
'test-weaksets.cc',
'test-weaktypedarrays.cc',
'trace-extension.cc'
],
'conditions': [
['v8_target_arch=="ia32"', {
'sources': [ ### gcmole(arch:ia32) ###
'test-assembler-ia32.cc',
'test-code-stubs.cc',
'test-code-stubs-ia32.cc',
'test-disasm-ia32.cc',
'test-macro-assembler-ia32.cc',
'test-log-stack-tracer.cc'
],
}],
['v8_target_arch=="x64"', {
'sources': [ ### gcmole(arch:x64) ###
'test-assembler-x64.cc',
'test-code-stubs.cc',
'test-code-stubs-x64.cc',
'test-disasm-x64.cc',
'test-macro-assembler-x64.cc',
'test-log-stack-tracer.cc'
],
}],
['v8_target_arch=="arm"', {
'sources': [ ### gcmole(arch:arm) ###
'test-assembler-arm.cc',
'test-code-stubs.cc',
'test-code-stubs-arm.cc',
'test-disasm-arm.cc',
'test-macro-assembler-arm.cc'
],
}],
['v8_target_arch=="arm64"', {
'sources': [ ### gcmole(arch:arm64) ###
'test-utils-arm64.cc',
'test-assembler-arm64.cc',
'test-code-stubs.cc',
'test-code-stubs-arm64.cc',
'test-disasm-arm64.cc',
'test-fuzz-arm64.cc',
'test-javascript-arm64.cc',
'test-js-arm64-variables.cc'
],
}],
['v8_target_arch=="mipsel"', {
'sources': [ ### gcmole(arch:mipsel) ###
'test-assembler-mips.cc',
'test-code-stubs.cc',
'test-code-stubs-mips.cc',
'test-disasm-mips.cc',
'test-macro-assembler-mips.cc'
],
}],
['v8_target_arch=="mips64el"', {
'sources': [
'test-assembler-mips64.cc',
'test-code-stubs.cc',
'test-code-stubs-mips64.cc',
'test-disasm-mips64.cc',
'test-macro-assembler-mips64.cc'
],
}],
['v8_target_arch=="x87"', {
'sources': [ ### gcmole(arch:x87) ###
'test-assembler-x87.cc',
'test-code-stubs.cc',
'test-code-stubs-x87.cc',
'test-disasm-x87.cc',
'test-macro-assembler-x87.cc',
'test-log-stack-tracer.cc'
],
}],
[ 'OS=="linux" or OS=="qnx"', {
'sources': [
'test-platform-linux.cc',
],
}],
[ 'OS=="win"', {
'sources': [
'test-platform-win32.cc',
],
'msvs_settings': {
'VCCLCompilerTool': {
# MSVS wants this for gay-{precision,shortest}.cc.
'AdditionalOptions': ['/bigobj'],
},
},
}],
['component=="shared_library"', {
# cctest can't be built against a shared library, so we need to
# depend on the underlying static target in that case.
'conditions': [
['v8_use_snapshot=="true"', {
'dependencies': ['../../tools/gyp/v8.gyp:v8_snapshot'],
},
{
'dependencies': [
'../../tools/gyp/v8.gyp:v8_nosnapshot',
],
}],
],
}, {
'dependencies': ['../../tools/gyp/v8.gyp:v8'],
}],
],
},
{
'target_name': 'resources',
'type': 'none',
'variables': {
'file_list': [
'../../tools/splaytree.js',
'../../tools/codemap.js',
'../../tools/csvparser.js',
'../../tools/consarray.js',
'../../tools/profile.js',
'../../tools/profile_view.js',
'../../tools/logreader.js',
'log-eq-of-logging-and-traversal.js',
],
},
'actions': [
{
'action_name': 'js2c',
'inputs': [
'../../tools/js2c.py',
'<@(file_list)',
],
'outputs': [
'<(generated_file)',
],
'action': [
'python',
'../../tools/js2c.py',
'<@(_outputs)',
'TEST', # type
'off', # compression
'<@(file_list)',
],
}
],
},
],
}
| {'variables': {'v8_code': 1, 'generated_file': '<(SHARED_INTERMEDIATE_DIR)/resources.cc'}, 'includes': ['../../build/toolchain.gypi', '../../build/features.gypi'], 'targets': [{'target_name': 'cctest', 'type': 'executable', 'dependencies': ['resources', '../../tools/gyp/v8.gyp:v8_libplatform'], 'include_dirs': ['../..'], 'sources': ['<(generated_file)', 'compiler/c-signature.h', 'compiler/codegen-tester.cc', 'compiler/codegen-tester.h', 'compiler/function-tester.h', 'compiler/graph-builder-tester.cc', 'compiler/graph-builder-tester.h', 'compiler/graph-tester.h', 'compiler/simplified-graph-builder.cc', 'compiler/simplified-graph-builder.h', 'compiler/test-branch-combine.cc', 'compiler/test-changes-lowering.cc', 'compiler/test-codegen-deopt.cc', 'compiler/test-gap-resolver.cc', 'compiler/test-graph-reducer.cc', 'compiler/test-instruction.cc', 'compiler/test-js-context-specialization.cc', 'compiler/test-js-constant-cache.cc', 'compiler/test-js-typed-lowering.cc', 'compiler/test-linkage.cc', 'compiler/test-machine-operator-reducer.cc', 'compiler/test-node-algorithm.cc', 'compiler/test-node-cache.cc', 'compiler/test-node.cc', 'compiler/test-operator.cc', 'compiler/test-phi-reducer.cc', 'compiler/test-pipeline.cc', 'compiler/test-representation-change.cc', 'compiler/test-run-deopt.cc', 'compiler/test-run-inlining.cc', 'compiler/test-run-intrinsics.cc', 'compiler/test-run-jsbranches.cc', 'compiler/test-run-jscalls.cc', 'compiler/test-run-jsexceptions.cc', 'compiler/test-run-jsops.cc', 'compiler/test-run-machops.cc', 'compiler/test-run-properties.cc', 'compiler/test-run-variables.cc', 'compiler/test-schedule.cc', 'compiler/test-scheduler.cc', 'compiler/test-simplified-lowering.cc', 'cctest.cc', 'gay-fixed.cc', 'gay-precision.cc', 'gay-shortest.cc', 'print-extension.cc', 'profiler-extension.cc', 'test-accessors.cc', 'test-alloc.cc', 'test-api.cc', 'test-ast.cc', 'test-atomicops.cc', 'test-bignum.cc', 'test-bignum-dtoa.cc', 'test-checks.cc', 'test-circular-queue.cc', 'test-compiler.cc', 'test-constantpool.cc', 'test-conversions.cc', 'test-cpu-profiler.cc', 'test-dataflow.cc', 'test-date.cc', 'test-debug.cc', 'test-declarative-accessors.cc', 'test-decls.cc', 'test-deoptimization.cc', 'test-dictionary.cc', 'test-diy-fp.cc', 'test-double.cc', 'test-dtoa.cc', 'test-fast-dtoa.cc', 'test-fixed-dtoa.cc', 'test-flags.cc', 'test-func-name-inference.cc', 'test-gc-tracer.cc', 'test-global-handles.cc', 'test-global-object.cc', 'test-hashing.cc', 'test-hashmap.cc', 'test-heap.cc', 'test-heap-profiler.cc', 'test-hydrogen-types.cc', 'test-list.cc', 'test-liveedit.cc', 'test-lockers.cc', 'test-log.cc', 'test-microtask-delivery.cc', 'test-mark-compact.cc', 'test-mementos.cc', 'test-object-observe.cc', 'test-ordered-hash-table.cc', 'test-ostreams.cc', 'test-parsing.cc', 'test-platform.cc', 'test-profile-generator.cc', 'test-random-number-generator.cc', 'test-regexp.cc', 'test-reloc-info.cc', 'test-representation.cc', 'test-serialize.cc', 'test-spaces.cc', 'test-strings.cc', 'test-symbols.cc', 'test-strtod.cc', 'test-thread-termination.cc', 'test-threads.cc', 'test-types.cc', 'test-unbound-queue.cc', 'test-unique.cc', 'test-unscopables-hidden-prototype.cc', 'test-utils.cc', 'test-version.cc', 'test-weakmaps.cc', 'test-weaksets.cc', 'test-weaktypedarrays.cc', 'trace-extension.cc'], 'conditions': [['v8_target_arch=="ia32"', {'sources': ['test-assembler-ia32.cc', 'test-code-stubs.cc', 'test-code-stubs-ia32.cc', 'test-disasm-ia32.cc', 'test-macro-assembler-ia32.cc', 'test-log-stack-tracer.cc']}], ['v8_target_arch=="x64"', {'sources': ['test-assembler-x64.cc', 'test-code-stubs.cc', 'test-code-stubs-x64.cc', 'test-disasm-x64.cc', 'test-macro-assembler-x64.cc', 'test-log-stack-tracer.cc']}], ['v8_target_arch=="arm"', {'sources': ['test-assembler-arm.cc', 'test-code-stubs.cc', 'test-code-stubs-arm.cc', 'test-disasm-arm.cc', 'test-macro-assembler-arm.cc']}], ['v8_target_arch=="arm64"', {'sources': ['test-utils-arm64.cc', 'test-assembler-arm64.cc', 'test-code-stubs.cc', 'test-code-stubs-arm64.cc', 'test-disasm-arm64.cc', 'test-fuzz-arm64.cc', 'test-javascript-arm64.cc', 'test-js-arm64-variables.cc']}], ['v8_target_arch=="mipsel"', {'sources': ['test-assembler-mips.cc', 'test-code-stubs.cc', 'test-code-stubs-mips.cc', 'test-disasm-mips.cc', 'test-macro-assembler-mips.cc']}], ['v8_target_arch=="mips64el"', {'sources': ['test-assembler-mips64.cc', 'test-code-stubs.cc', 'test-code-stubs-mips64.cc', 'test-disasm-mips64.cc', 'test-macro-assembler-mips64.cc']}], ['v8_target_arch=="x87"', {'sources': ['test-assembler-x87.cc', 'test-code-stubs.cc', 'test-code-stubs-x87.cc', 'test-disasm-x87.cc', 'test-macro-assembler-x87.cc', 'test-log-stack-tracer.cc']}], ['OS=="linux" or OS=="qnx"', {'sources': ['test-platform-linux.cc']}], ['OS=="win"', {'sources': ['test-platform-win32.cc'], 'msvs_settings': {'VCCLCompilerTool': {'AdditionalOptions': ['/bigobj']}}}], ['component=="shared_library"', {'conditions': [['v8_use_snapshot=="true"', {'dependencies': ['../../tools/gyp/v8.gyp:v8_snapshot']}, {'dependencies': ['../../tools/gyp/v8.gyp:v8_nosnapshot']}]]}, {'dependencies': ['../../tools/gyp/v8.gyp:v8']}]]}, {'target_name': 'resources', 'type': 'none', 'variables': {'file_list': ['../../tools/splaytree.js', '../../tools/codemap.js', '../../tools/csvparser.js', '../../tools/consarray.js', '../../tools/profile.js', '../../tools/profile_view.js', '../../tools/logreader.js', 'log-eq-of-logging-and-traversal.js']}, 'actions': [{'action_name': 'js2c', 'inputs': ['../../tools/js2c.py', '<@(file_list)'], 'outputs': ['<(generated_file)'], 'action': ['python', '../../tools/js2c.py', '<@(_outputs)', 'TEST', 'off', '<@(file_list)']}]}]} |
# -*- coding: UTF-8 -*-
light = input('please input a light')
'''
if light =='red':
print('stop')
else:
if light =='green':
print('GoGoGO')
else:
if light=='yellow':
print('stop or Go fast')
else:
print('Light is bad!!!')
'''
if light == 'red':
print('Stop')
elif light == 'green':
print('GoGoGo')
elif light == 'yellow':
print('Stop or Go fast')
else:
print('Light is bad!!!')
| light = input('please input a light')
"\nif light =='red':\n print('stop')\nelse:\n if light =='green':\n print('GoGoGO')\n else:\n if light=='yellow':\n print('stop or Go fast')\n else:\n print('Light is bad!!!')\n"
if light == 'red':
print('Stop')
elif light == 'green':
print('GoGoGo')
elif light == 'yellow':
print('Stop or Go fast')
else:
print('Light is bad!!!') |
class PluginInterface:
hooks = {}
load = False
defaultState = False
def getAuthor(self) -> str:
return ""
def getCommands(self) -> list:
return [] | class Plugininterface:
hooks = {}
load = False
default_state = False
def get_author(self) -> str:
return ''
def get_commands(self) -> list:
return [] |
def enum(name, *sequential, **named):
values = dict(zip(sequential, range(len(sequential))), **named)
# NOTE: Yes, we *really* want to cast using str() here.
# On Python 2 type() requires a byte string (which is str() on Python 2).
# On Python 3 it does not matter, so we'll use str(), which acts as
# a no-op.
return type(str(name), (), values) | def enum(name, *sequential, **named):
values = dict(zip(sequential, range(len(sequential))), **named)
return type(str(name), (), values) |
# generated from genmsg/cmake/pkg-genmsg.context.in
messages_str = "/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBox.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBoxes.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/ObjectCount.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsAction.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionFeedback.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsFeedback.msg"
services_str = ""
pkg_name = "darknet_ros_msgs"
dependencies_str = "actionlib_msgs;geometry_msgs;sensor_msgs;std_msgs"
langs = "gencpp;geneus;genlisp;gennodejs;genpy"
dep_include_paths_str = "darknet_ros_msgs;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg;darknet_ros_msgs;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg;actionlib_msgs;/opt/ros/melodic/share/actionlib_msgs/cmake/../msg;geometry_msgs;/opt/ros/melodic/share/geometry_msgs/cmake/../msg;sensor_msgs;/opt/ros/melodic/share/sensor_msgs/cmake/../msg;std_msgs;/opt/ros/melodic/share/std_msgs/cmake/../msg"
PYTHON_EXECUTABLE = "/usr/bin/python2"
package_has_static_sources = '' == 'TRUE'
genmsg_check_deps_script = "/opt/ros/melodic/share/genmsg/cmake/../../../lib/genmsg/genmsg_check_deps.py"
| messages_str = '/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBox.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/BoundingBoxes.msg;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg/ObjectCount.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsAction.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsActionFeedback.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsGoal.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsResult.msg;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg/CheckForObjectsFeedback.msg'
services_str = ''
pkg_name = 'darknet_ros_msgs'
dependencies_str = 'actionlib_msgs;geometry_msgs;sensor_msgs;std_msgs'
langs = 'gencpp;geneus;genlisp;gennodejs;genpy'
dep_include_paths_str = 'darknet_ros_msgs;/home/pnu/catkin_ws/src/darknet_ros/darknet_ros_msgs/msg;darknet_ros_msgs;/home/pnu/catkin_ws/devel/share/darknet_ros_msgs/msg;actionlib_msgs;/opt/ros/melodic/share/actionlib_msgs/cmake/../msg;geometry_msgs;/opt/ros/melodic/share/geometry_msgs/cmake/../msg;sensor_msgs;/opt/ros/melodic/share/sensor_msgs/cmake/../msg;std_msgs;/opt/ros/melodic/share/std_msgs/cmake/../msg'
python_executable = '/usr/bin/python2'
package_has_static_sources = '' == 'TRUE'
genmsg_check_deps_script = '/opt/ros/melodic/share/genmsg/cmake/../../../lib/genmsg/genmsg_check_deps.py' |
def arrayMaxConsecutiveSum(inputArray, k):
arr = [sum(inputArray[:k])]
for i in range(1, len(inputArray) - (k - 1)):
arr.append(arr[i - 1] - inputArray[i - 1] + inputArray[i + k - 1])
sort_arr = sorted(arr)
return sort_arr[-1]
| def array_max_consecutive_sum(inputArray, k):
arr = [sum(inputArray[:k])]
for i in range(1, len(inputArray) - (k - 1)):
arr.append(arr[i - 1] - inputArray[i - 1] + inputArray[i + k - 1])
sort_arr = sorted(arr)
return sort_arr[-1] |
# output: ok
input = [10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10]
expected = [11, 8, 30, 2.5, 2, 4, 10000000, 20, 2, 2, 14, 15]
def test(v):
v[0] += 1
v[1] -= 2
v[2] *= 3
v[3] /= 4
v[4] //= 5
v[5] %= 6
v[6] **= 7
v[7] <<= 1
v[8] >>= 2
v[9] &= 3
v[10] ^= 4
v[11] |= 5
return v
assert test(list(input)) == expected
class Wrapped:
def __init__(self, initial):
self.value = initial
def __eq__(self, other):
return self.value == other
def __iadd__(self, other):
self.value += other
return self
def __isub__(self, other):
self.value -= other
return self
def __imul__(self, other):
self.value *= other
return self
def __itruediv__(self, other):
self.value /= other
return self
def __ifloordiv__(self, other):
self.value //= other
return self
def __imod__(self, other):
self.value %= other
return self
def __ipow__(self, other):
self.value **= other
return self
def __ilshift__(self, other):
self.value <<= other
return self
def __irshift__(self, other):
self.value >>= other
return self
def __ior__(self, other):
self.value |= other
return self
def __iand__(self, other):
self.value &= other
return self
def __ixor__(self, other):
self.value ^= other
return self
assert test(list(map(Wrapped, input))) == expected
class Wrapped2:
def __init__(self, initial):
self.value = initial
def __add__(self, other):
return Wrapped(self.value + other)
def __sub__(self, other):
return Wrapped(self.value - other)
def __mul__(self, other):
return Wrapped(self.value * other)
def __truediv__(self, other):
return Wrapped(self.value / other)
def __floordiv__(self, other):
return Wrapped(self.value // other)
def __mod__(self, other):
return Wrapped(self.value % other)
def __pow__(self, other):
return Wrapped(self.value ** other)
def __lshift__(self, other):
return Wrapped(self.value << other)
def __rshift__(self, other):
return Wrapped(self.value >> other)
def __or__(self, other):
return Wrapped(self.value | other)
def __and__(self, other):
return Wrapped(self.value & other)
def __xor__(self, other):
return Wrapped(self.value ^ other)
assert test(list(map(Wrapped2, input))) == expected
class C:
def __init__(self, value):
self.value = value
o = C(1)
def incValue(self, other):
self.value += other
return self
o.__iadd__ = incValue
threw = False
try:
o += 1
except TypeError as e:
if "unsupported operand type" in str(e):
threw = True
assert threw
C.__iadd__ = incValue
o += 1
assert o.value == 2
class NonDataDescriptor:
def __get__(self, instance, owner):
def f(other):
o.value -= other
return o
return f
C.__iadd__ = NonDataDescriptor()
o += 1
assert o.value == 1
class D:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
self.value += other
return self
def __add__(self, other):
return F(self.value - other)
class E:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
self.value += other
return self
def __add__(self, other):
return NotImplemented
class F:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
return NotImplemented
def __add__(self, other):
return F(self.value - other)
class G:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
return NotImplemented
def __add__(self, other):
return NotImplemented
d = D(0); d += 1; assert d.value == 1
e = E(0); e += 1; assert e.value == 1
f = F(0); f += 1; assert f.value == -1
g = G(0);
threw = False
try:
g += 1
except TypeError:
threw = True
assert threw
assert g.value == 0
class H:
def __init__(self, initial):
self.value = initial
def __radd__(self, other):
return H(self.value + other)
h = 0; h += H(1); assert h.value == 1
# Test builtin stub reverses its arguments when required
def opt(a, b):
a += b
return a
assert opt(1, 1.5) == 2.5
assert opt(1, 1.5) == 2.5
print('ok')
| input = [10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10, 10]
expected = [11, 8, 30, 2.5, 2, 4, 10000000, 20, 2, 2, 14, 15]
def test(v):
v[0] += 1
v[1] -= 2
v[2] *= 3
v[3] /= 4
v[4] //= 5
v[5] %= 6
v[6] **= 7
v[7] <<= 1
v[8] >>= 2
v[9] &= 3
v[10] ^= 4
v[11] |= 5
return v
assert test(list(input)) == expected
class Wrapped:
def __init__(self, initial):
self.value = initial
def __eq__(self, other):
return self.value == other
def __iadd__(self, other):
self.value += other
return self
def __isub__(self, other):
self.value -= other
return self
def __imul__(self, other):
self.value *= other
return self
def __itruediv__(self, other):
self.value /= other
return self
def __ifloordiv__(self, other):
self.value //= other
return self
def __imod__(self, other):
self.value %= other
return self
def __ipow__(self, other):
self.value **= other
return self
def __ilshift__(self, other):
self.value <<= other
return self
def __irshift__(self, other):
self.value >>= other
return self
def __ior__(self, other):
self.value |= other
return self
def __iand__(self, other):
self.value &= other
return self
def __ixor__(self, other):
self.value ^= other
return self
assert test(list(map(Wrapped, input))) == expected
class Wrapped2:
def __init__(self, initial):
self.value = initial
def __add__(self, other):
return wrapped(self.value + other)
def __sub__(self, other):
return wrapped(self.value - other)
def __mul__(self, other):
return wrapped(self.value * other)
def __truediv__(self, other):
return wrapped(self.value / other)
def __floordiv__(self, other):
return wrapped(self.value // other)
def __mod__(self, other):
return wrapped(self.value % other)
def __pow__(self, other):
return wrapped(self.value ** other)
def __lshift__(self, other):
return wrapped(self.value << other)
def __rshift__(self, other):
return wrapped(self.value >> other)
def __or__(self, other):
return wrapped(self.value | other)
def __and__(self, other):
return wrapped(self.value & other)
def __xor__(self, other):
return wrapped(self.value ^ other)
assert test(list(map(Wrapped2, input))) == expected
class C:
def __init__(self, value):
self.value = value
o = c(1)
def inc_value(self, other):
self.value += other
return self
o.__iadd__ = incValue
threw = False
try:
o += 1
except TypeError as e:
if 'unsupported operand type' in str(e):
threw = True
assert threw
C.__iadd__ = incValue
o += 1
assert o.value == 2
class Nondatadescriptor:
def __get__(self, instance, owner):
def f(other):
o.value -= other
return o
return f
C.__iadd__ = non_data_descriptor()
o += 1
assert o.value == 1
class D:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
self.value += other
return self
def __add__(self, other):
return f(self.value - other)
class E:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
self.value += other
return self
def __add__(self, other):
return NotImplemented
class F:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
return NotImplemented
def __add__(self, other):
return f(self.value - other)
class G:
def __init__(self, initial):
self.value = initial
def __iadd__(self, other):
return NotImplemented
def __add__(self, other):
return NotImplemented
d = d(0)
d += 1
assert d.value == 1
e = e(0)
e += 1
assert e.value == 1
f = f(0)
f += 1
assert f.value == -1
g = g(0)
threw = False
try:
g += 1
except TypeError:
threw = True
assert threw
assert g.value == 0
class H:
def __init__(self, initial):
self.value = initial
def __radd__(self, other):
return h(self.value + other)
h = 0
h += h(1)
assert h.value == 1
def opt(a, b):
a += b
return a
assert opt(1, 1.5) == 2.5
assert opt(1, 1.5) == 2.5
print('ok') |
s = "catsanddog"
wordDict = ["cat", "cats", "and", "sand", "dog"]
s = "pineapplepenapple"
wordDict = ["apple", "pen", "applepen", "pine", "pineapple"]
#s = "ab"
#wordDict = ["a","b"]
#s="aaaaaaa"
#wordDict=["aaaa","aa","a"]
#wordDict=["a","aa","aaaa"]
s="aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa"
wordDict=["a","aa","aaa","aaaa","aaaaa","aaaaaa","aaaaaaa","aaaaaaaa","aaaaaaaaa","aaaaaaaaaa"]
all_l = []
def bfs(s,l):
for i in range(1,len(s)+1):
if s[0:i] in wordDict:
l.append(s[0:i])
if i == len(s):
all_l.append(' '.join(list(l)))
else:
bfs(s[i:],l)
l.pop()
locat = []
bfs(s,locat)
print(all_l)
| s = 'catsanddog'
word_dict = ['cat', 'cats', 'and', 'sand', 'dog']
s = 'pineapplepenapple'
word_dict = ['apple', 'pen', 'applepen', 'pine', 'pineapple']
s = 'aaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaaa'
word_dict = ['a', 'aa', 'aaa', 'aaaa', 'aaaaa', 'aaaaaa', 'aaaaaaa', 'aaaaaaaa', 'aaaaaaaaa', 'aaaaaaaaaa']
all_l = []
def bfs(s, l):
for i in range(1, len(s) + 1):
if s[0:i] in wordDict:
l.append(s[0:i])
if i == len(s):
all_l.append(' '.join(list(l)))
else:
bfs(s[i:], l)
l.pop()
locat = []
bfs(s, locat)
print(all_l) |
#!/usr/bin/python
# -*- coding: utf-8 -*-
# Copyright: (c) 2015, Hans-Joachim Kliemeck <git@kliemeck.de>
# GNU General Public License v3.0+ (see COPYING or https://www.gnu.org/licenses/gpl-3.0.txt)
ANSIBLE_METADATA = {'metadata_version': '1.1',
'status': ['preview'],
'supported_by': 'core'}
DOCUMENTATION = r'''
---
module: win_share
version_added: "2.1"
short_description: Manage Windows shares
description:
- Add, modify or remove Windows share and set share permissions.
requirements:
- As this module used newer cmdlets like New-SmbShare this can only run on
Windows 8 / Windows 2012 or newer.
- This is due to the reliance on the WMI provider MSFT_SmbShare
U(https://msdn.microsoft.com/en-us/library/hh830471) which was only added
with these Windows releases.
options:
name:
description:
- Share name.
type: str
required: yes
path:
description:
- Share directory.
type: path
required: yes
state:
description:
- Specify whether to add C(present) or remove C(absent) the specified share.
type: str
choices: [ absent, present ]
default: present
description:
description:
- Share description.
type: str
list:
description:
- Specify whether to allow or deny file listing, in case user has no permission on share. Also known as Access-Based Enumeration.
type: bool
default: no
read:
description:
- Specify user list that should get read access on share, separated by comma.
type: str
change:
description:
- Specify user list that should get read and write access on share, separated by comma.
type: str
full:
description:
- Specify user list that should get full access on share, separated by comma.
type: str
deny:
description:
- Specify user list that should get no access, regardless of implied access on share, separated by comma.
type: str
caching_mode:
description:
- Set the CachingMode for this share.
type: str
choices: [ BranchCache, Documents, Manual, None, Programs, Unknown ]
default: Manual
version_added: "2.3"
encrypt:
description: Sets whether to encrypt the traffic to the share or not.
type: bool
default: no
version_added: "2.4"
author:
- Hans-Joachim Kliemeck (@h0nIg)
- David Baumann (@daBONDi)
'''
EXAMPLES = r'''
# Playbook example
# Add share and set permissions
---
- name: Add secret share
win_share:
name: internal
description: top secret share
path: C:\shares\internal
list: no
full: Administrators,CEO
read: HR-Global
deny: HR-External
- name: Add public company share
win_share:
name: company
description: top secret share
path: C:\shares\company
list: yes
full: Administrators,CEO
read: Global
- name: Remove previously added share
win_share:
name: internal
state: absent
'''
RETURN = r'''
actions:
description: A list of action cmdlets that were run by the module.
returned: success
type: list
sample: ['New-SmbShare -Name share -Path C:\temp']
'''
| ansible_metadata = {'metadata_version': '1.1', 'status': ['preview'], 'supported_by': 'core'}
documentation = '\n---\nmodule: win_share\nversion_added: "2.1"\nshort_description: Manage Windows shares\ndescription:\n - Add, modify or remove Windows share and set share permissions.\nrequirements:\n - As this module used newer cmdlets like New-SmbShare this can only run on\n Windows 8 / Windows 2012 or newer.\n - This is due to the reliance on the WMI provider MSFT_SmbShare\n U(https://msdn.microsoft.com/en-us/library/hh830471) which was only added\n with these Windows releases.\noptions:\n name:\n description:\n - Share name.\n type: str\n required: yes\n path:\n description:\n - Share directory.\n type: path\n required: yes\n state:\n description:\n - Specify whether to add C(present) or remove C(absent) the specified share.\n type: str\n choices: [ absent, present ]\n default: present\n description:\n description:\n - Share description.\n type: str\n list:\n description:\n - Specify whether to allow or deny file listing, in case user has no permission on share. Also known as Access-Based Enumeration.\n type: bool\n default: no\n read:\n description:\n - Specify user list that should get read access on share, separated by comma.\n type: str\n change:\n description:\n - Specify user list that should get read and write access on share, separated by comma.\n type: str\n full:\n description:\n - Specify user list that should get full access on share, separated by comma.\n type: str\n deny:\n description:\n - Specify user list that should get no access, regardless of implied access on share, separated by comma.\n type: str\n caching_mode:\n description:\n - Set the CachingMode for this share.\n type: str\n choices: [ BranchCache, Documents, Manual, None, Programs, Unknown ]\n default: Manual\n version_added: "2.3"\n encrypt:\n description: Sets whether to encrypt the traffic to the share or not.\n type: bool\n default: no\n version_added: "2.4"\nauthor:\n - Hans-Joachim Kliemeck (@h0nIg)\n - David Baumann (@daBONDi)\n'
examples = '\n# Playbook example\n# Add share and set permissions\n---\n- name: Add secret share\n win_share:\n name: internal\n description: top secret share\n path: C:\\shares\\internal\n list: no\n full: Administrators,CEO\n read: HR-Global\n deny: HR-External\n\n- name: Add public company share\n win_share:\n name: company\n description: top secret share\n path: C:\\shares\\company\n list: yes\n full: Administrators,CEO\n read: Global\n\n- name: Remove previously added share\n win_share:\n name: internal\n state: absent\n'
return = "\nactions:\n description: A list of action cmdlets that were run by the module.\n returned: success\n type: list\n sample: ['New-SmbShare -Name share -Path C:\\temp']\n" |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.