content
stringlengths 7
1.05M
|
---|
cont = 1
def linha():
print('=' * 30)
def titulo(msg):
print('=' * 30)
print(f'{msg:^30}')
print('=' * 30)
def opc(msg):
global cont
print(f'{cont} - \033[34m{msg}\033[m')
cont = cont + 1
|
# boop specific events
boop_events = ["on_tick", "on_select", "on_activate", "on_decativate", "on_movecamera", "on_mouseover", "on_impulse"]
class EventStateHolder(object):
"""This object is meant to hold event state. It is passed to ever event handler when the event triggers."""
# Any client may indicate that they've handled the event by setting to True
handled = False
# Set by the window when the event is issued
window = None
registry = None
# Set by the scene manager when the event is issued.
scene_manager = None
# Set by the scene
scene = None
# set by ComponentHost when it passes the event (immediate parent)
container = None
|
Eur = float(input('Quantos euros eu tenho - €'))
Tax = float(input('Qual a Taxa de Conversão - '))
print('Com {:.2f}€ consigo adquitir ${:.2f} Dólares.'.format(Eur, (Eur*Tax)))
|
"""
Connect Core App
Contains "Base" Template & Static Assets
"""
|
class SubOperation:
def diferenca(self, number1, number2):
return number1 - number2
|
Names = {
"Shakeel": "1735-2015",
"Usman": "2370-2015",
"Sohail": "1432-2015"
}
print("ID for Shakeel is " + Names["Shakeel"])
for k,v in Names.items():
print(k,v)
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
def fact(n):
if n == 1:
return 1
else:
return n * fact(n-1)
def facte(n):
return facter(n, 1)
def facter(num, result):
if num == 1:
return result
return facter(num - 1, num * result)
print(fact(6))
print(fact(100))
print(facte(6))
print(facte(100))
|
n = int(input())
def is_Prime(n):
is_Prime = True
if n > 1:
for i in range(2,n):
if n % i == 0:
is_Prime = False
break
else:
is_Prime = False
return is_Prime
def next_prime(n):
aux = n
while aux >= n:
if is_Prime(aux) == True:
return aux
break
else:
aux += 1
def fact(n):
prod = 1
if n == 0 or n == 1:
return prod
else:
for i in range(2,n+1):
prod *= i
return prod
series_sum = 0
series = ''
for i in range(1,n+1):
if i == 1:
series += ('%.f!' % i) + ('/%.f' % 1)
series_sum += 1
elif i == n:
series += ('%.f!' % i) + ('/%.f' % next_prime(i))
series_sum += fact(i)/next_prime(i)
else:
series += ('%.f!' % i) + ('/%.f + ' % next_prime(i))
series_sum += fact(i)/next_prime(i)
if series == '1!/1 + ':
series = '1!/1'
print(series)
print('%.2f' % series_sum)
|
DEFAULT_CARDS_VALUES = (
'🂡', '🂢', '🂣', '🂤', '🂥', '🂦', '🂧', '🂨', '🂩', '🂪', '🂫', '🂭', '🂮',
'🂱', '🂲', '🂳', '🂴', '🂵', '🂶', '🂷', '🂸', '🂹', '🂺', '🂻', '🂽', '🂾',
'🃁', '🃂', '🃃', '🃄', '🃅', '🃆', '🃇', '🃈', '🃉', '🃊', '🃋', '🃍', '🃎',
'🃑', '🃒', '🃓', '🃔', '🃕', '🃖', '🃗', '🃘', '🃙', '🃚', '🃛', '🃝', '🃞',
)
DEFAULT_CARD_COVER = '🂠'
|
filter_cfg = dict(
type='OneEuroFilter',
min_cutoff=0.004,
beta=0.7,
)
|
# Aula 22 - 10-12-2019
# Como Tratar e Trabalhar Erros!!!
# Com base no seguinte dado bruto:
dadobruto = '1;Arnaldo;23;m;[email protected];014908648117'
# 1) Faça uma classe cliente que receba como parametro o dado bruto.
# 2) A classe deve iniciar (__init__) guardando o dado bruto nume variável chamada self.dado_bruto
# 3) As variáveis código cliente (inteiro), nome, idade (inteiro), sexo, email, telefone
# devem iniciar com o valor None
# 4) Crie um metodo que pegue o valor bruto e adicione nas variáveis:
# código cliente (inteiro), nome, idade (inteiro), sexo, email, telefone
# convertendo os valores de string para inteiros quando necessários.
# (Faça da forma que vocês conseguirem! O importante é o resultado e não como chegaram nele!)
# 5) Crie um metodo salvar que pegue os seguintes dados do cliente e salve em um arquivo.
# código cliente (inteiro), nome, idade (inteiro), sexo, email, telefone
# 6) crie um metodo que possa atualizar os dados do cliente (código cliente (inteiro),
# nome, idade (inteiro), sexo, email, telefone). Este metodo deverá alterar tambem o dado bruto para
# que na hora de salvar o dado num arquivo, o mesmo não estaja desatualizado.
# print(f'Codigo:{c.codigo}\nNome:{c.nome}\nIdade:{c.idade}\nSexo:{c.sexo}\nEmail:{c.email}\nTelefone:{c.telefone}')
class cliente:
def __init__(self,dadobruto):
self.dado_bruto=dadobruto
self.codigo=None
self.nome=None
self.idade=None
self.sexo=None
self.email=None
self.telefone=None
def tratamento(self):
dados=self.dado_bruto
dados=dados.strip()
dados=dados.split(';')
self.codigo=int(dados[0])
self.nome=(dados[1])
self.idade=int(pessoa[2])
self.sexo=(dados[3])
self.email=(dados[4])
self.telefone=int(dados[5])
def salvar(self,nome,atributo):
if(atributo=='a'):
arquivo=open(f'Aula23/{nome}.txt',atributo)
texto=f'{self.dado_bruto}\n'
arquivo.write(texto)
arquivo.close()
elif(atributo=='r'):
arquivo=open(f'Aula23/{nome}.txt',atributo)
texto=f'{self.dado_bruto}\n'
arquivo
arquivo.close()
def atualizar():
self.nome=input('Digite o nome do cliente:')
self.idade=int(input('Digite a idade do cliente:'))
self.sexo=input('Digite o sexo do cliente:')
self.email=input('Digite o email do cliente:')
self.telefone=int(input('Digite o telefone do cliente:'))
self.dado_bruto=f'{self.codigo};{self.nome};{self.idade};{self.sexo};{self.email};{self.telefone}\n'
self.salvar('arquivo_novo','w')
pessoa=cliente
# lista=[]
# arquivo=open('Aula23/dados.txt','+')
# for linha in lcliente:
# linha=linha.strip()
# lista_linha=linha.split(';')
# cliente={'codigo':lista_linha[0],'nome':lista_linha[1],'idade':lista_linha[2],'sexo':lista_linha[3],'email':lista_linha[4],'telefone':lista_linha[5]}
# lista.append(cliente)
# arquivo.close()
# def __eq__(self,valor):
# return self.codigo==valor
# lcliente=[]
# c=cliente(dadobruto)
# c.adc_dados()
# lcliente.append(c)
# dict_cliente={'codigo':codigo,'nome':nome,'idade':idade,'sexo':sexo,'email':email,'telfone':telefone}
# salvar=salvar_dados(dict_cliente)
# print(lcliente[0])
|
#
# PySNMP MIB module Nortel-Magellan-Passport-GeneralVcInterfaceMIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Nortel-Magellan-Passport-GeneralVcInterfaceMIB
# Produced by pysmi-0.3.4 at Wed May 1 14:27: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)
#
ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion, ConstraintsIntersection, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueSizeConstraint")
InterfaceIndex, DisplayString, Counter32, RowStatus, Unsigned32, Integer32, Gauge32, RowPointer, StorageType = mibBuilder.importSymbols("Nortel-Magellan-Passport-StandardTextualConventionsMIB", "InterfaceIndex", "DisplayString", "Counter32", "RowStatus", "Unsigned32", "Integer32", "Gauge32", "RowPointer", "StorageType")
EnterpriseDateAndTime, NonReplicated, DashedHexString, AsciiString, DigitString, HexString, Hex, Link = mibBuilder.importSymbols("Nortel-Magellan-Passport-TextualConventionsMIB", "EnterpriseDateAndTime", "NonReplicated", "DashedHexString", "AsciiString", "DigitString", "HexString", "Hex", "Link")
components, passportMIBs = mibBuilder.importSymbols("Nortel-Magellan-Passport-UsefulDefinitionsMIB", "components", "passportMIBs")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Counter64, IpAddress, Counter32, MibIdentifier, TimeTicks, iso, Integer32, NotificationType, Unsigned32, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, ModuleIdentity, ObjectIdentity, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "IpAddress", "Counter32", "MibIdentifier", "TimeTicks", "iso", "Integer32", "NotificationType", "Unsigned32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "ModuleIdentity", "ObjectIdentity", "Bits")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
generalVcInterfaceMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58))
gvcIf = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107))
gvcIfRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 1), )
if mibBuilder.loadTexts: gvcIfRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIf components.')
gvcIfRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"))
if mibBuilder.loadTexts: gvcIfRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRowStatusEntry.setDescription('A single entry in the table represents a single gvcIf component.')
gvcIfRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIf components. These components can be added and deleted.')
gvcIfComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfStorageType.setDescription('This variable represents the storage type value for the gvcIf tables.')
gvcIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15)))
if mibBuilder.loadTexts: gvcIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfIndex.setDescription('This variable represents the index for the gvcIf tables.')
gvcIfCidDataTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 30), )
if mibBuilder.loadTexts: gvcIfCidDataTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCidDataTable.setDescription("This group contains the attribute for a component's Customer Identifier (CID). Refer to the attribute description for a detailed explanation of CIDs.")
gvcIfCidDataEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 30, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"))
if mibBuilder.loadTexts: gvcIfCidDataEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCidDataEntry.setDescription('An entry in the gvcIfCidDataTable.')
gvcIfCustomerIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 30, 1, 1), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(1, 8191), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfCustomerIdentifier.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCustomerIdentifier.setDescription("This attribute holds the Customer Identifier (CID). Every component has a CID. If a component has a cid attribute, the component's CID is the provisioned value of that attribute; otherwise the component inherits the CID of its parent. The top- level component has a CID of 0. Every operator session also has a CID, which is the CID provisioned for the operator's user ID. An operator will see only the stream data for components having a matching CID. Also, the operator will be allowed to issue commands for only those components which have a matching CID. An operator CID of 0 is used to identify the Network Manager (referred to as 'NetMan' in DPN). This CID matches the CID of any component. Values 1 to 8191 inclusive (equivalent to 'basic CIDs' in DPN) may be assigned to specific customers.")
gvcIfProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 31), )
if mibBuilder.loadTexts: gvcIfProvTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfProvTable.setDescription('This group provides the administrative set of parameters for the GvcIf component.')
gvcIfProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 31, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"))
if mibBuilder.loadTexts: gvcIfProvEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfProvEntry.setDescription('An entry in the gvcIfProvTable.')
gvcIfLogicalProcessor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 31, 1, 1), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfLogicalProcessor.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLogicalProcessor.setDescription('This attribute specifies the logical processor on which the General VC Interface service is running.')
gvcIfMaxActiveLinkStation = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 31, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 5000)).clone(100)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfMaxActiveLinkStation.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfMaxActiveLinkStation.setDescription('This attribute specifies the total number of link station connections that can be active on this service instance. In total maxActiveLinkStation determines the maximum number of Lcn components which may exist at a given time. Once this number is reached no calls will be initiated or accepted by this service instance.')
gvcIfStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 32), )
if mibBuilder.loadTexts: gvcIfStateTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfStateTable.setDescription('This group contains the three OSI State attributes. The descriptions generically indicate what each state attribute implies about the component. Note that not all the values and state combinations described here are supported by every component which uses this group. For component-specific information and the valid state combinations, refer to NTP 241-7001-150, Passport Operations and Maintenance Guide.')
gvcIfStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 32, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"))
if mibBuilder.loadTexts: gvcIfStateEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfStateEntry.setDescription('An entry in the gvcIfStateTable.')
gvcIfAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 32, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfAdminState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfAdminState.setDescription('This attribute indicates the OSI Administrative State of the component. The value locked indicates that the component is administratively prohibited from providing services for its users. A Lock or Lock - force command has been previously issued for this component. When the value is locked, the value of usageState must be idle. The value shuttingDown indicates that the component is administratively permitted to provide service to its existing users only. A Lock command was issued against the component and it is in the process of shutting down. The value unlocked indicates that the component is administratively permitted to provide services for its users. To enter this state, issue an Unlock command to this component.')
gvcIfOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 32, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfOperationalState.setDescription('This attribute indicates the OSI Operational State of the component. The value enabled indicates that the component is available for operation. Note that if adminState is locked, it would still not be providing service. The value disabled indicates that the component is not available for operation. For example, something is wrong with the component itself, or with another component on which this one depends. If the value is disabled, the usageState must be idle.')
gvcIfUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 32, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfUsageState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfUsageState.setDescription('This attribute indicates the OSI Usage State of the component. The value idle indicates that the component is not currently in use. The value active indicates that the component is in use and has spare capacity to provide for additional users. The value busy indicates that the component is in use and has no spare operating capacity for additional users at this time.')
gvcIfOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 33), )
if mibBuilder.loadTexts: gvcIfOpTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfOpTable.setDescription('This group contains the operational attributes of the GvcIf component.')
gvcIfOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 33, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"))
if mibBuilder.loadTexts: gvcIfOpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfOpEntry.setDescription('An entry in the gvcIfOpTable.')
gvcIfActiveLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 33, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfActiveLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfActiveLinkStations.setDescription('This attribute indicates the number of active link station connections on this service instance at the time of the query. It includes the link stations using the Qllc, the Frame-Relay BAN and the Frame-Relay BNN connections.')
gvcIfIssueLcnClearAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 33, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('disallowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfIssueLcnClearAlarm.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfIssueLcnClearAlarm.setDescription('This attribute indicates whether alarm issuing is allowed or disallowed whenever an Lcn is cleared. Alarm issuing should be allowed only for monitoring problems.')
gvcIfActiveQllcCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 33, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfActiveQllcCalls.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfActiveQllcCalls.setDescription('This attribute indicates the number of active Qllc calls on this service instance at the time of the query. It includes incoming and outgoing calls.')
gvcIfStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34), )
if mibBuilder.loadTexts: gvcIfStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfStatsTable.setDescription('This group contains the statistics for the GvcIf component.')
gvcIfStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"))
if mibBuilder.loadTexts: gvcIfStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfStatsEntry.setDescription('An entry in the gvcIfStatsTable.')
gvcIfCallsToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfCallsToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCallsToNetwork.setDescription('This attribute counts the number of Qllc and Frame-Relay calls initiated by this interface into the subnet, including successful and failed calls. When the maximum count is exceeded the count wraps to zero.')
gvcIfCallsFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfCallsFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCallsFromNetwork.setDescription('This attribute counts the number of Qllc and Frame-Relay calls received from the subnet by this interface, including successful and failed calls. When the maximum count is exceeded the count wraps to zero.')
gvcIfCallsRefusedByNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfCallsRefusedByNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCallsRefusedByNetwork.setDescription('This attribute counts the number of outgoing Qllc and Frame-Relay calls refused by the subnetwork. When the maximum count is exceeded the count wraps to zero.')
gvcIfCallsRefusedByInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfCallsRefusedByInterface.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfCallsRefusedByInterface.setDescription('This attribute counts the number of incoming Qllc and Frame-Relay calls refused by the interface. When the maximum count is exceeded the count wraps to zero.')
gvcIfPeakActiveLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfPeakActiveLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfPeakActiveLinkStations.setDescription('This attribute indicates the maximum value of concurrently active link station connections since the service became active.')
gvcIfBcastFramesDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfBcastFramesDiscarded.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfBcastFramesDiscarded.setDescription('This attribute counts the number of broadcast frames that have been discarded because they do not meet one of the following criterias: - the source MAC address does not match the instance of at least one SourceMACFilter component, - the destination MAC address does not match the instance of at least one DestinationMACFilter component. When the maximum count is exceeded the count wraps to zero.')
gvcIfDiscardedQllcCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 34, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDiscardedQllcCalls.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDiscardedQllcCalls.setDescription('This attribute indicates the number of Qllc calls that are discarded because the maxActiveLinkStation threshold is exceeded. When the maximum count is exceeded the count wraps to zero.')
gvcIfDc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2))
gvcIfDcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1), )
if mibBuilder.loadTexts: gvcIfDcRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDc components.')
gvcIfDcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcMacIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcSapIndex"))
if mibBuilder.loadTexts: gvcIfDcRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDc component.')
gvcIfDcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDc components. These components can be added and deleted.')
gvcIfDcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDcComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDcStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcStorageType.setDescription('This variable represents the storage type value for the gvcIfDc tables.')
gvcIfDcMacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1, 1, 10), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6))
if mibBuilder.loadTexts: gvcIfDcMacIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcMacIndex.setDescription('This variable represents an index for the gvcIfDc tables.')
gvcIfDcSapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 254)))
if mibBuilder.loadTexts: gvcIfDcSapIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcSapIndex.setDescription('This variable represents an index for the gvcIfDc tables.')
gvcIfDcOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10), )
if mibBuilder.loadTexts: gvcIfDcOptionsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcOptionsTable.setDescription('This group defines attributes associated with direct call. It defines complete connection in terms of path and call options. This connection can be permanent (pvc) or switched (svc). It can have facilities. The total number of bytes of facilities including the facility codes, and all of the facility data from all of the four classes of facilities: CCITT_Facilities DTE_Facilities National_Facilities International_Facilities must not exceed 512 bytes.')
gvcIfDcOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcMacIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcSapIndex"))
if mibBuilder.loadTexts: gvcIfDcOptionsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcOptionsEntry.setDescription('An entry in the gvcIfDcOptionsTable.')
gvcIfDcRemoteNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1))).clone('x121')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcRemoteNpi.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcRemoteNpi.setDescription('This attribute specifies the remote Numbering Plan Indicator (Npi) used in the remoteDna.')
gvcIfDcRemoteDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10, 1, 4), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcRemoteDna.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcRemoteDna.setDescription('This attribute specifies the Data Network Address (Dna) of the remote. This is the called (destination) DTE address (Dna) to which this direct call will be sent. Initially, the called DTE address attribute must be present, that is, there must be a valid destination address. However, it may be possible in the future to configure the direct call with a mnemonic address, in which case, this attribute will contain a zero-length Dna, and the mnemonic address will be carried as one of the facilities.')
gvcIfDcUserData = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10, 1, 8), HexString().subtype(subtypeSpec=ValueSizeConstraint(0, 128)).clone(hexValue="C3000000")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcUserData.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcUserData.setDescription("This attribute contains the user data which is appended to the call request packet that is presented to the called (destination) DTE. User data can be a 0 to 128 byte string for fast select calls; otherwise, it is 0 to 16 byte string. Fast select calls are indicated as such using the X.25 ITU-T CCITT facility for 'Reverse Charging'. The length of the user data attribute is not verified during service provisioning. If more than 16 bytes of user data is specified on a call without the fast select option, then the call is cleared with a clear cause of 'local procedure error', and a diagnostic code of 39 (as defined in ITU-T (CCITT) X.25).")
gvcIfDcTransferPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 9, 255))).clone(namedValues=NamedValues(("normal", 0), ("high", 9), ("useDnaDefTP", 255))).clone('useDnaDefTP')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcTransferPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcTransferPriority.setDescription('This attribute specifies the default transfer priority to network for all outgoing calls using this particular Dna. It can overRide the outDefaultTransferPriority provisioned in the Dna component. The transfer priority is a preference specified by an application according to its time-sensitivity requirement. Frames with high transfer priority are served by the network before the frames with normal priority. The transfer priority in Passport determines two things in use: trunk queue (among interrupting, delay, throughput), and routing metric (between delay and throughput). The following table details each transfer priority. The default of outDefaultTransferPriority is useDnaDefTP.')
gvcIfDcDiscardPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 10, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 3))).clone(namedValues=NamedValues(("normal", 0), ("high", 1), ("useDnaDefPriority", 3))).clone('useDnaDefPriority')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcDiscardPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcDiscardPriority.setDescription('This attribute specifies the discard priority for outgoing call using this DLCI. The discard priority has three provisioning values: normal, high, and useDnaDefPriority. Traffic with normal priority are discarded first than the traffic with high priority. The Dna default value (provisioned by outDefaultPriority) is taken if this attribute is set to the value useDnaDefPriority. The default of discardPriority is useDnaDefPriority.')
gvcIfDcCfaTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 490), )
if mibBuilder.loadTexts: gvcIfDcCfaTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcCfaTable.setDescription("This is the i'th CCITT facility required for this direct call. Within the provisioning system, the user specifies the facility code along with the facility parameters. The facility is represented internally as a hexadecimal string following the X.25 CCITT representation for facility data. The user specifies the facility code when adding, changing or deleting a facility. The upper two bits of the facility code indicate the class of facility. From the class of the facility, one can derive the number of bytes of facility data, as follows: Class A - 1 byte of fax data Class B - 2 bytes of fax data Class C - 3 bytes of fax data Class D - variable length of fax data.")
gvcIfDcCfaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 490, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcMacIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcSapIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDcCfaIndex"))
if mibBuilder.loadTexts: gvcIfDcCfaEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcCfaEntry.setDescription('An entry in the gvcIfDcCfaTable.')
gvcIfDcCfaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 490, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 1), ValueRangeConstraint(2, 2), ValueRangeConstraint(3, 3), ValueRangeConstraint(4, 4), ValueRangeConstraint(9, 9), ValueRangeConstraint(66, 66), ValueRangeConstraint(67, 67), ValueRangeConstraint(68, 68), ValueRangeConstraint(71, 71), ValueRangeConstraint(72, 72), ValueRangeConstraint(73, 73), ValueRangeConstraint(196, 196), ValueRangeConstraint(198, 198), )))
if mibBuilder.loadTexts: gvcIfDcCfaIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcCfaIndex.setDescription('This variable represents the index for the gvcIfDcCfaTable.')
gvcIfDcCfaValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 490, 1, 2), HexString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDcCfaValue.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcCfaValue.setDescription('This variable represents an individual value for the gvcIfDcCfaTable.')
gvcIfDcCfaRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 2, 490, 1, 3), RowStatus()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: gvcIfDcCfaRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDcCfaRowStatus.setDescription('This variable is used to control the addition and deletion of individual values of the gvcIfDcCfaTable.')
gvcIfRDnaMap = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3))
gvcIfRDnaMapRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1), )
if mibBuilder.loadTexts: gvcIfRDnaMapRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfRDnaMap components.')
gvcIfRDnaMapRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRDnaMapNpiIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRDnaMapDnaIndex"))
if mibBuilder.loadTexts: gvcIfRDnaMapRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfRDnaMap component.')
gvcIfRDnaMapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRDnaMapRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfRDnaMap components. These components can be added and deleted.')
gvcIfRDnaMapComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfRDnaMapComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfRDnaMapStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfRDnaMapStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapStorageType.setDescription('This variable represents the storage type value for the gvcIfRDnaMap tables.')
gvcIfRDnaMapNpiIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1))))
if mibBuilder.loadTexts: gvcIfRDnaMapNpiIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapNpiIndex.setDescription('This variable represents an index for the gvcIfRDnaMap tables.')
gvcIfRDnaMapDnaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 1, 1, 11), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15)))
if mibBuilder.loadTexts: gvcIfRDnaMapDnaIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapDnaIndex.setDescription('This variable represents an index for the gvcIfRDnaMap tables.')
gvcIfRDnaMapLanAdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 10), )
if mibBuilder.loadTexts: gvcIfRDnaMapLanAdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapLanAdTable.setDescription('This group defines the LAN MAC and SAP address for a given WAN NPI and DNA address.')
gvcIfRDnaMapLanAdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRDnaMapNpiIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRDnaMapDnaIndex"))
if mibBuilder.loadTexts: gvcIfRDnaMapLanAdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapLanAdEntry.setDescription('An entry in the gvcIfRDnaMapLanAdTable.')
gvcIfRDnaMapMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 10, 1, 2), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRDnaMapMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapMac.setDescription('This attribute specifies a locally or globally administered MAC address of a LAN device.')
gvcIfRDnaMapSap = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 3, 10, 1, 3), Hex().subtype(subtypeSpec=ValueRangeConstraint(2, 254)).clone(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRDnaMapSap.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRDnaMapSap.setDescription('This attribute specifies a SAP identifier on the LAN device identified by the mac.')
gvcIfLcn = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4))
gvcIfLcnRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 1), )
if mibBuilder.loadTexts: gvcIfLcnRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnRowStatusTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This entry controls the addition and deletion of gvcIfLcn components.')
gvcIfLcnRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"))
if mibBuilder.loadTexts: gvcIfLcnRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfLcn component.')
gvcIfLcnRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfLcn components. These components cannot be added nor deleted.')
gvcIfLcnComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfLcnStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnStorageType.setDescription('This variable represents the storage type value for the gvcIfLcn tables.')
gvcIfLcnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095)))
if mibBuilder.loadTexts: gvcIfLcnIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnIndex.setDescription('This variable represents the index for the gvcIfLcn tables.')
gvcIfLcnStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 11), )
if mibBuilder.loadTexts: gvcIfLcnStateTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnStateTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group contains the three OSI State attributes. The descriptions generically indicate what each state attribute implies about the component. Note that not all the values and state combinations described here are supported by every component which uses this group. For component-specific information and the valid state combinations, refer to NTP 241-7001-150, Passport Operations and Maintenance Guide.')
gvcIfLcnStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"))
if mibBuilder.loadTexts: gvcIfLcnStateEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnStateEntry.setDescription('An entry in the gvcIfLcnStateTable.')
gvcIfLcnAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnAdminState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnAdminState.setDescription('This attribute indicates the OSI Administrative State of the component. The value locked indicates that the component is administratively prohibited from providing services for its users. A Lock or Lock - force command has been previously issued for this component. When the value is locked, the value of usageState must be idle. The value shuttingDown indicates that the component is administratively permitted to provide service to its existing users only. A Lock command was issued against the component and it is in the process of shutting down. The value unlocked indicates that the component is administratively permitted to provide services for its users. To enter this state, issue an Unlock command to this component.')
gvcIfLcnOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnOperationalState.setDescription('This attribute indicates the OSI Operational State of the component. The value enabled indicates that the component is available for operation. Note that if adminState is locked, it would still not be providing service. The value disabled indicates that the component is not available for operation. For example, something is wrong with the component itself, or with another component on which this one depends. If the value is disabled, the usageState must be idle.')
gvcIfLcnUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 11, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnUsageState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnUsageState.setDescription('This attribute indicates the OSI Usage State of the component. The value idle indicates that the component is not currently in use. The value active indicates that the component is in use and has spare capacity to provide for additional users. The value busy indicates that the component is in use and has no spare operating capacity for additional users at this time.')
gvcIfLcnLcnCIdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 12), )
if mibBuilder.loadTexts: gvcIfLcnLcnCIdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnLcnCIdTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group indicates the information about the LAN circuit.')
gvcIfLcnLcnCIdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"))
if mibBuilder.loadTexts: gvcIfLcnLcnCIdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnLcnCIdEntry.setDescription('An entry in the gvcIfLcnLcnCIdTable.')
gvcIfLcnCircuitId = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 12, 1, 1), RowPointer()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnCircuitId.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnCircuitId.setDescription('This attribute indicates the component name of the Vr/n Sna SnaCircuitEntry which represents this connection in the SNA DLR service. This component contains operational data about the LAN circuit.')
gvcIfLcnOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 13), )
if mibBuilder.loadTexts: gvcIfLcnOperTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnOperTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group contains the operational Lcn attributes.')
gvcIfLcnOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"))
if mibBuilder.loadTexts: gvcIfLcnOperEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnOperEntry.setDescription('An entry in the gvcIfLcnOperTable.')
gvcIfLcnState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("idle", 0), ("localDeviceCalling", 1), ("remoteDeviceCalling", 2), ("callUp", 3), ("serviceInitiatedClear", 4), ("localDeviceClearing", 5), ("remoteDeviceClearing", 6), ("terminating", 7), ("deviceMonitoring", 8), ("deviceMonitoringSuspended", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnState.setDescription('This attribute indicates the logical channel internal state.')
gvcIfLcnDnaMap = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 13, 1, 2), RowPointer()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnDnaMap.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnDnaMap.setDescription('This attribute indicates the component name of the Ddm, Sdm or Ldev which contains the MAC address of the device being monitored by this Lcn.')
gvcIfLcnSourceMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 13, 1, 3), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnSourceMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnSourceMac.setDescription('This attribute indicates the source MAC address inserted by this LCN in the SA field of the 802.5 frames sent to the local ring.')
gvcIfLcnVc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2))
gvcIfLcnVcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 1), )
if mibBuilder.loadTexts: gvcIfLcnVcRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcRowStatusTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This entry controls the addition and deletion of gvcIfLcnVc components.')
gvcIfLcnVcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnVcIndex"))
if mibBuilder.loadTexts: gvcIfLcnVcRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfLcnVc component.')
gvcIfLcnVcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfLcnVc components. These components cannot be added nor deleted.')
gvcIfLcnVcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfLcnVcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcStorageType.setDescription('This variable represents the storage type value for the gvcIfLcnVc tables.')
gvcIfLcnVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfLcnVcIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcIndex.setDescription('This variable represents the index for the gvcIfLcnVc tables.')
gvcIfLcnVcCadTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10), )
if mibBuilder.loadTexts: gvcIfLcnVcCadTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCadTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group represents operational call data related to General Vc. It can be displayed only for General Vc which is created by application.')
gvcIfLcnVcCadEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnVcIndex"))
if mibBuilder.loadTexts: gvcIfLcnVcCadEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCadEntry.setDescription('An entry in the gvcIfLcnVcCadTable.')
gvcIfLcnVcType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("svc", 0), ("pvc", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcType.setDescription('This attribute displays the type of call, pvc or svc. type is provided at provisioning time.')
gvcIfLcnVcState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("creating", 0), ("readyP1", 1), ("dteWaitingP2", 2), ("dceWaitingP3", 3), ("dataTransferP4", 4), ("unsupportedP5", 5), ("dteClearRequestP6", 6), ("dceClearIndicationP7", 7), ("termination", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcState.setDescription('This attribute displays the state of call control. P5 state is not supported but is listed for completness. Transitions from one state to another take very short time. state most often displayed is dataTransferP4.')
gvcIfLcnVcPreviousState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("creating", 0), ("readyP1", 1), ("dteWaitingP2", 2), ("dceWaitingP3", 3), ("dataTransferP4", 4), ("unsupportedP5", 5), ("dteClearRequestP6", 6), ("dceClearIndicationP7", 7), ("termination", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPreviousState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPreviousState.setDescription('This attribute displays the previous state of call control. This is a valuable field to determine how the processing is progressing.')
gvcIfLcnVcDiagnosticCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcDiagnosticCode.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcDiagnosticCode.setDescription('This attribute displays the internal substate of call control. It is used to further refine state of call processing.')
gvcIfLcnVcPreviousDiagnosticCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPreviousDiagnosticCode.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPreviousDiagnosticCode.setDescription('This attribute displays the internal substate of call control. It is used to further refine state of call processing.')
gvcIfLcnVcCalledNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCalledNpi.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCalledNpi.setDescription('This attribute displays the Numbering Plan Indicator (NPI) of the called end.')
gvcIfLcnVcCalledDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 7), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCalledDna.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCalledDna.setDescription('This attribute displays the Data Network Address (Dna) of the called (destination) DTE to which this call is sent. This address if defined at recieving end will complete Vc connection.')
gvcIfLcnVcCalledLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCalledLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCalledLcn.setDescription('This attribute displays the Logical Channel Number of the called end. It is valid only after both ends of Vc exchanged relevant information.')
gvcIfLcnVcCallingNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCallingNpi.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCallingNpi.setDescription('This attribute displays the Numbering Plan Indicator (NPI) of the calling end.')
gvcIfLcnVcCallingDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 10), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCallingDna.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCallingDna.setDescription('This attribute displays the Data Network Address (Dna) of the calling end.')
gvcIfLcnVcCallingLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCallingLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCallingLcn.setDescription('This attribute displays the Logical Channel Number of the calling end.')
gvcIfLcnVcAccountingEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("yes", 0), ("no", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcAccountingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcAccountingEnabled.setDescription('This attribute indicates that this optional section of accounting record is suppressed or permitted. If accountingEnabled is yes, conditions for generation of accounting record were met. These conditions include billing options, vc recovery conditions and Module wide accounting data options.')
gvcIfLcnVcFastSelectCall = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcFastSelectCall.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcFastSelectCall.setDescription('This attribute displays that this is a fast select call.')
gvcIfLcnVcLocalRxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 0), ("n16", 4), ("n32", 5), ("n64", 6), ("n128", 7), ("n256", 8), ("n512", 9), ("n1024", 10), ("n2048", 11), ("n4096", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcLocalRxPktSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcLocalRxPktSize.setDescription('This attribute displays the locally negotiated size of send packets.')
gvcIfLcnVcLocalTxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 0), ("n16", 4), ("n32", 5), ("n64", 6), ("n128", 7), ("n256", 8), ("n512", 9), ("n1024", 10), ("n2048", 11), ("n4096", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcLocalTxPktSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcLocalTxPktSize.setDescription('This attribute displays the locally negotiated size of send packets.')
gvcIfLcnVcLocalTxWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcLocalTxWindowSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcLocalTxWindowSize.setDescription('This attribute displays the send window size provided on incoming call packets or the default when a call request packet does not explicitly provide the window size.')
gvcIfLcnVcLocalRxWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcLocalRxWindowSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcLocalRxWindowSize.setDescription('This attribute displays the receive window size provided on incoming call packets or the default when a call request does not explicitly provide the window sizes.')
gvcIfLcnVcPathReliability = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("high", 0), ("normal", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPathReliability.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPathReliability.setDescription('This attribute displays the path reliability.')
gvcIfLcnVcAccountingEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("callingEnd", 0), ("calledEnd", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcAccountingEnd.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcAccountingEnd.setDescription('This attribute indicates if this end should generate an accounting record. Normally, callingEnd is the end to generate an accounting record.')
gvcIfLcnVcPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("normal", 0), ("high", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPriority.setDescription('This attribute displays whether the call is a normal or a high priority call.')
gvcIfLcnVcSegmentSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSegmentSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSegmentSize.setDescription('This attribute displays the segment size (in bytes) used on the call. It is used to calculate the number of segments transmitted and received.')
gvcIfLcnVcSubnetTxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 0), ("n16", 4), ("n32", 5), ("n64", 6), ("n128", 7), ("n256", 8), ("n512", 9), ("n1024", 10), ("n2048", 11), ("n4096", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSubnetTxPktSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSubnetTxPktSize.setDescription('This attribute displays the locally negotiated size of the data packets on this Vc.')
gvcIfLcnVcSubnetTxWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 24), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSubnetTxWindowSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSubnetTxWindowSize.setDescription('This attribute displays the current send window size of Vc.')
gvcIfLcnVcSubnetRxPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 0), ("n16", 4), ("n32", 5), ("n64", 6), ("n128", 7), ("n256", 8), ("n512", 9), ("n1024", 10), ("n2048", 11), ("n4096", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSubnetRxPktSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSubnetRxPktSize.setDescription('This attribute displays the locally negotiated size of receive packets.')
gvcIfLcnVcSubnetRxWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 26), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSubnetRxWindowSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSubnetRxWindowSize.setDescription('This attribute displays the receive window size provided on incoming call packets and to the default when a call request does not explicitly provide the window sizes.')
gvcIfLcnVcMaxSubnetPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 27), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcMaxSubnetPktSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcMaxSubnetPktSize.setDescription('This attribute displays the maximum packet size allowed on Vc.')
gvcIfLcnVcTransferPriorityToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 9))).clone(namedValues=NamedValues(("normal", 0), ("high", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcTransferPriorityToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcTransferPriorityToNetwork.setDescription('This attribute displays the priority in which data is transferred to the network. The transfer priority is a preference specified by an application according to its delay-sensitivity requirement. Frames with high transfer priority are served by the network before the frames with normal priority. Each transfer priority contains a predetermined setting for trunk queue (interrupting, delay or throughput), and routing metric (delay or throughput). When the transfer priority is set at high, the trunk queue is set to high, the routing metric is set to delay. When the transfer priority is set at normal, the trunk queue is set to normal, the routing metric is set to throughput.')
gvcIfLcnVcTransferPriorityFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 10, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 9))).clone(namedValues=NamedValues(("normal", 0), ("high", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcTransferPriorityFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcTransferPriorityFromNetwork.setDescription('This attribute displays the priority in which data is transferred from the network. The transfer priority is a preference specified by an application according to its delay-sensitivity requirement. Frames with high transfer priority are served by the network before the frames with normal priority. Each transfer priority contains a predetermined setting for trunk queue (interrupting, delay or throughput), and routing metric (delay or throughput). When the transfer priority is set at high, and the trunk queue is set to high, the routing metric is set to delay. When the transfer priority is set at normal, the trunk queue is set to normal, and the routing metric is set to throughput.')
gvcIfLcnVcIntdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11), )
if mibBuilder.loadTexts: gvcIfLcnVcIntdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcIntdTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This group defines display of interval data collected by Vc. Data in this group is variable and may depend on time when this display command is issued.')
gvcIfLcnVcIntdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnVcIndex"))
if mibBuilder.loadTexts: gvcIfLcnVcIntdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcIntdEntry.setDescription('An entry in the gvcIfLcnVcIntdTable.')
gvcIfLcnVcCallReferenceNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11, 1, 1), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcCallReferenceNumber.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcCallReferenceNumber.setDescription('This attribute displays the call reference number which is a unique number generated by the switch.The same Call Reference Number is stored in the interval data (accounting record) at both ends of the call. It can be used as one of the attributes in matching duplicate records generated at each end of the call.')
gvcIfLcnVcElapsedTimeTillNow = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcElapsedTimeTillNow.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcElapsedTimeTillNow.setDescription('This attribute displays the elapsed time representing the period of this interval data. It is elapsed time in 0.1 second increments since Vc started.')
gvcIfLcnVcSegmentsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSegmentsRx.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSegmentsRx.setDescription('This attribute displays the number of segments received at the time command was issued. This is the segment received count maintained by accounting at each end of the Vc. This counter is updated only when the packet cannot be successfully delivered out of the sink Vc and to the sink AP Conditions in which packets may be discarded by the sink Vc include: missing packets due to subnet discards, segmentation protocol violations due to subnet discard, duplicated and out-of-ranged packets and packets that arrive while Vc is in path recovery state.')
gvcIfLcnVcSegmentsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSegmentsSent.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSegmentsSent.setDescription('This attribute displays the number of segments sent at the time command was issued. This is the segment sent count maintained by accounting at the source Vc. Vc only counts packets that Vc thinks can be delivered successfully into the subnet. In reality, these packets may be dropped by trunking, for instance. This counter is not updated when splitting fails, when Vc is in a path recovery state, when packet forwarding fails to forward this packet and when subsequent packets have to be discarded as we want to minimize the chance of out-of-sequence and do not intentionally send out-of- sequenced packets into the subnet.')
gvcIfLcnVcStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 11, 1, 5), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcStartTime.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcStartTime.setDescription('This attribute displays the start time of this interval period. If Vc spans 12 hour time or time of day change startTime reflects new time as recorded at 12 hour periods or time of day changes.')
gvcIfLcnVcStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12), )
if mibBuilder.loadTexts: gvcIfLcnVcStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcStatsTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** ... Statistics(Stats) This group defines general attributes collected by general Vc. The purpose of Vc attributes is to aid end users and verification people to understand the Vc internal behavior. This is particularly useful when the network has experienced abnormality and we want to isolate problems and pinpoint trouble spots. Attributes are collected on a per Vc basis. Until a need is identified, statistics are not collected at a processor level. Each attribute is stored in a 32 bit field and is initialized to zero when a Vc enters into the data transfer state. When a PVC is disconnected and then connected again, the attributes will be reset. Attributes cannot be reset through other methods.')
gvcIfLcnVcStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfLcnVcIndex"))
if mibBuilder.loadTexts: gvcIfLcnVcStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcStatsEntry.setDescription('An entry in the gvcIfLcnVcStatsTable.')
gvcIfLcnVcAckStackingTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcAckStackingTimeouts.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcAckStackingTimeouts.setDescription('This attribute counts the number of ack stacking timer expiries. It is used as an indicator of the acknowledgment behavior across the subnet when ack stacking is in effect. If it expires often, usually this means end users will experience longer delay. The ack stacking timer specifies how long the Vc will wait before finally sending the subnet acknowledgment. if this attribute is set to a value of 0, then the Vc will automatically return acknowledgment packets without delay. If this attribute is set to a value other than zero, then the Vc will wait for this amount of time in an attempt to piggyback the acknowledgment packet on another credit or data packet. If the Vc cannot piggyback the acknowledgment packet within this time, then the packet is returned without piggybacking.')
gvcIfLcnVcOutOfRangeFrmFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcOutOfRangeFrmFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcOutOfRangeFrmFromSubnet.setDescription('This attribute counts the number of subnet frames discarded due to the sequence number being out of range. Two Categories apply for the General Vc 1) lost Acks (previous Range) 2) unexpected Packets (next Range) Vc internally maintains its own sequence number of packet order and sequencing. Due to packet retransmission, Vc may receive duplicate packets that have the same Vc internal sequence number. Only 1 copy is accepted by the Vc and other copies of the same packets are detected through this count. This attribute can be used to record the frequency of packet retransmission due to Vc and other part of the subnet.')
gvcIfLcnVcDuplicatesFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcDuplicatesFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcDuplicatesFromSubnet.setDescription('This attribute counts the number of subnet packets discarded due to duplication. It is used to detect software error fault or duplication caused by retransmitting.')
gvcIfLcnVcFrmRetryTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcFrmRetryTimeouts.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcFrmRetryTimeouts.setDescription('This attribute counts the number of frames which have retransmission time-out. If packets from Vc into the subnet are discarded by the subnet, the source Vc will not receive any acknowledgment. The retransmission timer then expires and packets will be retransmitted again. Note that the Vc idle probe may be retransmitted and is included in this count. This statistics does not show the distribution of how many times packets are retransmitted (e.g. first retransmission results in successful packet forwarding).')
gvcIfLcnVcPeakRetryQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPeakRetryQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPeakRetryQueueSize.setDescription('This attribute indicates the peak size of the retransmission queue. This attribute is used as an indicator of the acknowledgment behavior across the subnet. It records the largest body of unacknowledged packets.')
gvcIfLcnVcPeakOoSeqQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPeakOoSeqQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPeakOoSeqQueueSize.setDescription('This attribute indicates the peak size of the out of sequence queue. This attribute is used as an indicator of the sequencing behavior across the subnet. It records the largest body of out of sequence packets.')
gvcIfLcnVcPeakOoSeqFrmForwarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPeakOoSeqFrmForwarded.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPeakOoSeqFrmForwarded.setDescription('This attribute indicates the peak size of the sequence packet queue. This attribute is used as an indicator of the sequencing behavior across the subnet. It records the largest body of out of sequence packets, which by the receipt of an expected packet have been transformed to expected packets. The number of times this peak is reached is not recorded as it is traffic dependent.')
gvcIfLcnVcPeakStackedAcksRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcPeakStackedAcksRx.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcPeakStackedAcksRx.setDescription('This attribute indicates the peak size of wait acks. This attribute is used as an indicator of the acknowledgment behavior across the subnet. It records the largest collective acknowledgment.')
gvcIfLcnVcSubnetRecoveries = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcSubnetRecoveries.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcSubnetRecoveries.setDescription('This attribute counts the number of successful Vc recovery attempts. This attribute is used as an indicator of how many times the Vc path is broken but can be recovered. This attribute is useful to record the number of network path failures.')
gvcIfLcnVcWindowClosuresToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcWindowClosuresToSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcWindowClosuresToSubnet.setDescription('This attribute counts the number of window closures to subnet. A packet may have been sent into the subnet but its acknowledgment from the remote Vc has not yet been received. This is a 8 bit sequence number.This number is useful in detecting whether the Vc is sending any packet into the subnet.')
gvcIfLcnVcWindowClosuresFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcWindowClosuresFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcWindowClosuresFromSubnet.setDescription('This attribute counts the number of window closures from subnet. This attribute is useful in detecting whether the Vc is receiving any packet from the subnet.')
gvcIfLcnVcWrTriggers = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 4, 2, 12, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfLcnVcWrTriggers.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfLcnVcWrTriggers.setDescription('This attribute displays the number of times the Vc stays within the W-R region. The W-R region is a value used to determined the timing of credit transmission. Should the current window size be beneath this value, the credits will be transmitted immediately. Otherwise, they will be transmitted later with actual data. The wrTriggers statistic is therefore used to analyze the flow control and credit mechanism.')
gvcIfDna = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5))
gvcIfDnaRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 1), )
if mibBuilder.loadTexts: gvcIfDnaRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDna components.')
gvcIfDnaRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"))
if mibBuilder.loadTexts: gvcIfDnaRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDna component.')
gvcIfDnaRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDna components. These components can be added and deleted.')
gvcIfDnaComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDnaStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaStorageType.setDescription('This variable represents the storage type value for the gvcIfDna tables.')
gvcIfDnaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99)))
if mibBuilder.loadTexts: gvcIfDnaIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIndex.setDescription('This variable represents the index for the gvcIfDna tables.')
gvcIfDnaAddrTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 11), )
if mibBuilder.loadTexts: gvcIfDnaAddrTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaAddrTable.setDescription('This group contains attributes common to all DNAs. Every DNA used in the network is defined with this group of 2 attributes, a string of address digits and a NPI.')
gvcIfDnaAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"))
if mibBuilder.loadTexts: gvcIfDnaAddrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaAddrEntry.setDescription('An entry in the gvcIfDnaAddrTable.')
gvcIfDnaNumberingPlanIndicator = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1))).clone('x121')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaNumberingPlanIndicator.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaNumberingPlanIndicator.setDescription('This attribute indicates the Numbering Plan Indicator (NPI) of the Dna that is entered. Address may belong to X.121 or E.164 plans.')
gvcIfDnaDataNetworkAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 11, 1, 2), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDataNetworkAddress.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDataNetworkAddress.setDescription('This attribute contains digits which form the unique identifier of the customer interface. It can be compared (approximation only) to telephone number where the telephone number identifies a unique telephone set. Dna digits are selected and assigned by network operators.')
gvcIfDnaOutgoingOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12), )
if mibBuilder.loadTexts: gvcIfDnaOutgoingOptionsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaOutgoingOptionsTable.setDescription('This group defines call options of a Dna for calls which are made out of the interface represented by Dna.')
gvcIfDnaOutgoingOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"))
if mibBuilder.loadTexts: gvcIfDnaOutgoingOptionsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaOutgoingOptionsEntry.setDescription('An entry in the gvcIfDnaOutgoingOptionsTable.')
gvcIfDnaOutDefaultPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("normal", 0), ("high", 1))).clone('normal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaOutDefaultPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaOutDefaultPriority.setDescription('This attribute, if set to normal indicates that the default priority for outgoing calls (from the DTE to the network) for this particular Dna is normal priority - if the priority is not specified by the DTE. If this attribute is set to high then the default priority for outgoing calls using this particular Dna is high priority. This option can also be included in X.25 signalling, in which case it will be overruled.')
gvcIfDnaOutDefaultPathSensitivity = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("throughput", 0), ("delay", 1))).clone('throughput')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaOutDefaultPathSensitivity.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaOutDefaultPathSensitivity.setDescription('This attribute specifies the default class of routing for delay/ throughput sensitive routing for all outgoing calls (from the DTE to the network)for this particular Dna. The chosen default class of routing applies to all outgoing calls established using this Dna, and applies to the packets travelling in both directions on all outgoing calls (local to remote, and remote to local). For incoming calls, the default class of routing is chosen by the calling party (as opposed to DPN, where either end of the call can choose the default routing class). This attribute, if set to a value of throughput, indicates that the default class of routing is throughput sensitive routing. If set to a value of delay, then the default class of routing is delay sensitive routing. In the future, the class of routing sensitivity may be overridden at the calling end of the call as follows: The default class of routing sensitivity can be overridden by the DTE in the call request packet through the TDS&I (Transit Delay Selection & Indication) if the DTE supports this facility. Whether or not the DTE is permitted to signal the TDS&I facility will depend on the DTE (i.e.: TDS&I is supported in X.25 only), and will depend on whether the port is configured to permit the TDS&I facility. In Passport, the treatment of DTE facilities (for example, NUI, RPOA, and TDS&I) not fully defined yet since it is not required. At the point in time when it is required, the parameter to control whether or not the DTE is permitted to signal the TDS&I will be in a Facility Treatment component. Currently, the default is to disallow the TDS&I facility from the DTE.')
gvcIfDnaOutDefaultPathReliability = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("high", 0), ("normal", 1))).clone('high')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaOutDefaultPathReliability.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaOutDefaultPathReliability.setDescription('This attribute specifies the default class of routing for reliability routing for all outgoing calls (from the DTE to the network) this particular Dna. The chosen default class of routing applies to all outgoing calls established using this Dna, and applies to the packets travelling in both directions on all outgoing calls (local to remote, and remote to local). For incoming calls, the default class of routing is chosen by the calling party (as opposed to DPN, where either end of the call can choose the default routing class). This attribute, if set to a value of normal, indicates that the default class of routing is normal reliability routing. If set to a value of high, then the default class of routing is high reliability routing. High reliability is the standard choice for most DPN and Passport services. It usually indicates that packets are overflowed or retransmitted at various routing levels. Typically high reliability results in duplication and disordering of packets in the network when errors are detected or during link congestion. However, the Vc handles the duplication and disordering to ensure that packets are delivered to the DTE properly. For the Frame Relay service, duplication of packets is not desired, in which case, normal reliability may be chosen as the preferred class of routing.')
gvcIfDnaOutAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaOutAccess.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaOutAccess.setDescription("This attribute is an extension of the Closed User Group (CUG), as follows: This attribute, if set to a value of allowed indicates that outgoing calls (from the DTE to the network) the open (non-CUG) of the network are permitted. It also permits outgoing calls to DTEs that have Incoming Access capabilities. If set to a value of disallowed, then such calls cannot be made using this Dna - such calls will be cleared by the local DCE. This attribute corresponds to the CCITT 'Closed User Group with Outgoing Access' feature for Dnas in that outgoing access is granted if this attribute is set to a value of allowed.")
gvcIfDnaDefaultTransferPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 9))).clone(namedValues=NamedValues(("normal", 0), ("high", 9))).clone('normal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultTransferPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultTransferPriority.setDescription('This attribute specifies the default transfer priority to network for all outgoing calls using this particular Dna. It can be overRide by the transferPriority provisioned in the DLCI Direct Call sub- component. The transfer priority is a preference specified by an application according to its time-sensitivity requirement. Frames with high transfer priority are served by the network before the frames with normal priority. The transfer priority in Passport determines two things in use: trunk queue (among interrupting, delay, throughput), and routing metric (between delay and throughput). The following table descibes the details of each transfer priority: The default of outDefaultTransferPriority is normal.')
gvcIfDnaTransferPriorityOverRide = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 12, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('yes')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaTransferPriorityOverRide.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaTransferPriorityOverRide.setDescription('When this attribute is set to yes in the call request, the called end will use the calling end provisioning data on transfer priority to override its own provisioning data. If it is set no, the called end will use its own provisioning data on transfer priority. The default of outTransferPriorityOverRide is yes.')
gvcIfDnaIncomingOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13), )
if mibBuilder.loadTexts: gvcIfDnaIncomingOptionsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncomingOptionsTable.setDescription('IncomingOptions defines set of options for incoming calls. These options are used for calls arriving to the interface represented by Dna. For calls originated from the interface, IncomingOptions attributes are not used.')
gvcIfDnaIncomingOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"))
if mibBuilder.loadTexts: gvcIfDnaIncomingOptionsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncomingOptionsEntry.setDescription('An entry in the gvcIfDnaIncomingOptionsTable.')
gvcIfDnaIncCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaIncCalls.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncCalls.setDescription("This attribute, if set to a value of allowed indicates that incoming calls (from the network to the DTE) be made to this Dna. If set to a value of disallowed, then incoming calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute corresponds to the CCITT 'Incoming Calls Barred' feature for Dnas in that incoming calls are barred if this attribute is set to a value of disallowed. Either outCalls, or incCalls (or both) be set to a value of allowed for this Dna to be usable.")
gvcIfDnaIncHighPriorityReverseCharge = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaIncHighPriorityReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncHighPriorityReverseCharge.setDescription("This attribute, if set to a value of allowed indicates that incoming high priority, reverse charged calls (from the network to the DTE) be made to this Dna. If set to a value of disallowed, then such calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute, together with the incNormalPriorityReverseChargeCalls attribute corresponds to the CCITT 'Reverse Charging Acceptance' feature for Dnas in that reverse charged calls are accepted if both attributes are set to a value of allowed. This attribute is ignored if the corresponding attribute, incCalls is set to a value of disallowed.")
gvcIfDnaIncNormalPriorityReverseCharge = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaIncNormalPriorityReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncNormalPriorityReverseCharge.setDescription("This attribute, if set to a value of allowed indicates that incoming normal priority, reverse charged calls (from the network to the DTE) be made to this Dna. If set to a value of disallowed, then such calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute, together with the incHighPriorityReverseChargeCalls attribute corresponds to the CCITT 'Reverse Charging Acceptance' feature for Dnas in that reverse charged calls are accepted if both attributes are set to a value of allowed. This attribute is ignored if the corresponding attribute, incCalls is set to a value of disallowed.")
gvcIfDnaIncIntlNormalCharge = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaIncIntlNormalCharge.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncIntlNormalCharge.setDescription('This attribute, if set to a value of allowed indicates that incoming international normal charged calls (from the network to the DTE) be made to this Dna. If set to a value of disallowed, then such calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute also currently controls access to/from the E.164 numbering plan, and if set to a value of allowed, then cross- numbering plan calls (also normal charged) allowed. This attribute is ignored if the corresponding attribute, incCalls is set to a value of disallowed.')
gvcIfDnaIncIntlReverseCharge = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaIncIntlReverseCharge.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncIntlReverseCharge.setDescription('This attribute, if set to a value of allowed indicates that incoming international reverse charged calls (from the network to the DTE) be made to this Dna. If set to a value of disallowed, then such calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute also currently controls access to/from the E.164 numbering plan, and if set to a value of allowed, then cross- numbering plan calls (also normal charged) allowed. This attribute is ignored if the corresponding attribute, incCalls is set to a value of disallowed.')
gvcIfDnaIncSameService = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaIncSameService.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncSameService.setDescription('This attribute, if set to a value of allowed indicates that incoming calls from the same service type (e.g.: X.25, ITI, SNA) (from the network to the DTE) be made to this Dna. If set to a value of disallowed, then such calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute is ignored if the corresponding attribute, incCalls is set to a value of disallowed.')
gvcIfDnaIncAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 13, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaIncAccess.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaIncAccess.setDescription("This attribute is an extension of the Closed User Group (CUG), as follows: This attribute, if set to a value of allowed indicates that incoming calls (from the network to the DTE) the open (non-CUG) of the network are permitted. It also permits incoming calls from DTEs that have Outgoing Access capabilities. If set to a value of disallowed, then such calls cannot be made to this Dna - such calls will be cleared by the local DCE. This attribute corresponds to the CCITT 'Closed User Group with Incoming Access' feature for Dnas in that incoming access is granted if this attribute is set to a value of allowed.")
gvcIfDnaCallOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14), )
if mibBuilder.loadTexts: gvcIfDnaCallOptionsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCallOptionsTable.setDescription('CallOptions group defines additional options for calls not related directly to direction of a call.')
gvcIfDnaCallOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"))
if mibBuilder.loadTexts: gvcIfDnaCallOptionsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCallOptionsEntry.setDescription('An entry in the gvcIfDnaCallOptionsTable.')
gvcIfDnaServiceCategory = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 13, 14, 15, 16, 20, 21, 22, 23, 24, 25, 26, 28, 29, 30, 31, 32))).clone(namedValues=NamedValues(("gsp", 0), ("x25", 1), ("enhancedIti", 2), ("ncs", 3), ("mlti", 4), ("sm", 5), ("ici", 6), ("dsp3270", 7), ("iam", 8), ("mlhi", 9), ("term3270", 10), ("iti", 11), ("bsi", 13), ("hostIti", 14), ("x75", 15), ("hdsp3270", 16), ("api3201", 20), ("sdlc", 21), ("snaMultiHost", 22), ("redirectionServ", 23), ("trSnaTpad", 24), ("offnetNui", 25), ("gasServer", 26), ("vapServer", 28), ("vapAgent", 29), ("frameRelay", 30), ("ipiVc", 31), ("gvcIf", 32))).clone('gvcIf')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaServiceCategory.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaServiceCategory.setDescription('This attribute is assigned for each different type of service within which this Dna is configured. It is placed into the Service Category attribute in the accounting record by both ends of the Vc.')
gvcIfDnaPacketSizes = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2).clone(hexValue="ff80")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaPacketSizes.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaPacketSizes.setDescription('This attribute indicates the allowable packet sizes supported for call setup using this Dna. CCITT recommends that packet size 128 always be supported. Description of bits: n16(0) n32(1) n64(2) n128(3) n256(4) n512(5) n1024(6) n2048(7) n4096(8)')
gvcIfDnaDefaultRecvFrmNetworkPacketSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("n16", 4), ("n32", 5), ("n64", 6), ("n128", 7), ("n256", 8), ("n512", 9), ("n1024", 10), ("n2048", 11), ("n4096", 12))).clone('n4096')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultRecvFrmNetworkPacketSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultRecvFrmNetworkPacketSize.setDescription('This attribute indicates the default local receive packet size from network to DTE for all calls using this particular Dna.')
gvcIfDnaDefaultSendToNetworkPacketSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("n16", 4), ("n32", 5), ("n64", 6), ("n128", 7), ("n256", 8), ("n512", 9), ("n1024", 10), ("n2048", 11), ("n4096", 12))).clone('n4096')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultSendToNetworkPacketSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultSendToNetworkPacketSize.setDescription('This attribute indicates the default local send packet size from DTE to network for all calls using this particular Dna.')
gvcIfDnaDefaultRecvFrmNetworkThruputClass = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 15)).clone(13)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultRecvFrmNetworkThruputClass.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultRecvFrmNetworkThruputClass.setDescription('This attribute indicates the default receive throughput class for all calls using this particular Dna.')
gvcIfDnaDefaultSendToNetworkThruputClass = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 15)).clone(13)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultSendToNetworkThruputClass.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultSendToNetworkThruputClass.setDescription('This attribute indicates the default send throughput class for all calls using this particular Dna.')
gvcIfDnaDefaultRecvFrmNetworkWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 7)).clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultRecvFrmNetworkWindowSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultRecvFrmNetworkWindowSize.setDescription('This attribute indicates the default number of data packets that can be received by the DTE from the DCE before more packets can be received. This view is oriented with respect to the DTE.')
gvcIfDnaDefaultSendToNetworkWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 7)).clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDefaultSendToNetworkWindowSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDefaultSendToNetworkWindowSize.setDescription('This attribute indicates the number of data packets that can be transmitted from the DTE to the DCE and must be acknowledged before more packets can be transmitted.')
gvcIfDnaPacketSizeNegotiation = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("endToEnd", 0), ("local", 1))).clone('local')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaPacketSizeNegotiation.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaPacketSizeNegotiation.setDescription('This attribute, if set to local indicates that packet sizes can be negotiated locally at the interface irrespective of the remote interface. If set to endtoEnd, then local negotiation is not permitted and packet sizes are negotiated between 2 ends of Vc.')
gvcIfDnaCugFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("basic", 0), ("extended", 1))).clone('basic')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugFormat.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugFormat.setDescription('This attribute specifies which Cug format is used when DTE signals CUG indices, basic or extended. This attribute, if set to extended indicates that the DTE signals and receives CUG indices in extended CUG format. If set to a value of basic, then the DTE signals and receives CUG indices in the basic CUG format.')
gvcIfDnaAccountClass = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaAccountClass.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaAccountClass.setDescription('This attribute specifies the accounting class which is reserved for network operations usage. Its value is returned in the accounting record in the local and remote service type attributes. Use of this attribute is decided by network operator and it is an arbitrary number.')
gvcIfDnaAccountCollection = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 17), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1).clone(hexValue="80")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaAccountCollection.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaAccountCollection.setDescription('This attribute indicates that accounting records are to be collected by the network for the various reasons: billing, test, study, auditing. The last of the parameters, force, indicates that accounting records are to be collected irrespective of other collection reasons. If none of these reasons are set, then accounting will be suppressed. Description of bits: bill(0) test(1) study(2) audit(3) force(4)')
gvcIfDnaServiceExchange = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 14, 1, 18), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaServiceExchange.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaServiceExchange.setDescription('This attribute is an arbitrary number, entered by the network operator. The value of serviceExchange is included in the accounting record generated by Vc.')
gvcIfDnaCug = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2))
gvcIfDnaCugRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 1), )
if mibBuilder.loadTexts: gvcIfDnaCugRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDnaCug components.')
gvcIfDnaCugRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaCugIndex"))
if mibBuilder.loadTexts: gvcIfDnaCugRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDnaCug component.')
gvcIfDnaCugRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDnaCug components. These components can be added and deleted.')
gvcIfDnaCugComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaCugComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDnaCugStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaCugStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugStorageType.setDescription('This variable represents the storage type value for the gvcIfDnaCug tables.')
gvcIfDnaCugIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)))
if mibBuilder.loadTexts: gvcIfDnaCugIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugIndex.setDescription('This variable represents the index for the gvcIfDnaCug tables.')
gvcIfDnaCugCugOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10), )
if mibBuilder.loadTexts: gvcIfDnaCugCugOptionsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugCugOptionsTable.setDescription('Attributes in this group defines ClosedUserGroup options associated with interlockCode. Dnas with the same Cug (interlockCode) make calls within this group. Various combinations which permit or prevent calls in the same Cug group are defined here.')
gvcIfDnaCugCugOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaCugIndex"))
if mibBuilder.loadTexts: gvcIfDnaCugCugOptionsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugCugOptionsEntry.setDescription('An entry in the gvcIfDnaCugCugOptionsTable.')
gvcIfDnaCugType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("national", 0), ("international", 1))).clone('national')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugType.setDescription('This attribute specifies the Cug type - the Cug is either a national Cug, or an international Cug. International closed user groups are usually established between DTEs for which there is an X.75 Gateway between; whereas national closed user groups are usually established between DTEs for which there is no X.75 Gateway between. (National Cugs cannot normally traverse an X.75 Gateway). If this attribute is set to national, then the Cug is a national Cug, in which case, the dnic should be left at its default value since it is not part of a national Cug. If this attribute is set to international, then the Cug is an international Cug, in which case, the dnic should be set appropriately as part of the Cug interlockCode.')
gvcIfDnaCugDnic = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 2), DigitString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4).clone(hexValue="30303030")).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugDnic.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugDnic.setDescription('This attribute specifies the dnic (Data Network ID Code) the Cug by which packet networks are identified. This attribute is not applicable if the Cug is a national Cug, as specified by the Cug type attribute. There are usually 1 or 2 dnics assigned per country, for public networks. The U.S. is an exception where each BOC has a dnic. Also, a group of private networks can have its own dnic. dnic value is not an arbitrary number. It is assigned by international agreement and controlled by CCITT.')
gvcIfDnaCugInterlockCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugInterlockCode.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugInterlockCode.setDescription('This attribute specifies the Cug identifier of a national or international Cug call. It is an arbitrary number and it also can be called Cug in some descriptions. Interfaces (Dnas) with this number can make calls to Dnas with the same interlockCode.')
gvcIfDnaCugPreferential = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('no')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugPreferential.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugPreferential.setDescription('This attribute, if set to yes indicates that this Cug is the preferential Cug, in which case it will be used during the call establishment phase if the DTE has not explicitly specified a Cug index in the call request packet. If set to no, then this Cug is not the preferential Cug. Only one of the Cugs associated with a particular Dna can be the preferential Cug - only one Cug can have this attribute set to yes.')
gvcIfDnaCugOutCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugOutCalls.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugOutCalls.setDescription("This attribute, if set to allowed indicates that outgoing calls (from the DTE into the network) be made using this particular Cug. If set to a value of disallowed, then outgoing calls cannot be made using this Cug - such calls will be cleared by the local DCE. This attribute corresponds to the CCITT 'Outgoing Calls Barred' feature for Cugs in that outgoing calls are barred if this attribute is set to a value of disallowed.")
gvcIfDnaCugIncCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugIncCalls.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugIncCalls.setDescription("This attribute, if set to allowed indicates that incoming calls (from the network to the DTE) be made using this particular Cug. If set to disallowed, then incoming calls cannot be made using this Cug - such calls will be cleared by the local DCE. This attribute corresponds to the CCITT 'Incoming Calls Barred' feature for Cugs in that incoming calls are barred if this attribute is set to a value of disallowed.")
gvcIfDnaCugPrivileged = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 2, 10, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('yes')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaCugPrivileged.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaCugPrivileged.setDescription('This attribute, if set to yes indicates that this Cug is a privileged Cug. In DPN, at least one side of a call setup within a Cug must have the Cug as a privileged Cug. If set to no, then the Cug is not privileged. If both the local DTE and the remote DTE subscribe to the Cug, but it is not privileged, then the call will be cleared. This attribute is typically used for a host DTE which must accept calls from many other DTEs in which case the other DTEs cannot call one another, but can call the host. In this example, the host would have the privileged Cug, and the other DTEs would belong to the same Cug, but it would not be privileged.')
gvcIfDnaHgM = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3))
gvcIfDnaHgMRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 1), )
if mibBuilder.loadTexts: gvcIfDnaHgMRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDnaHgM components.')
gvcIfDnaHgMRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMIndex"))
if mibBuilder.loadTexts: gvcIfDnaHgMRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDnaHgM component.')
gvcIfDnaHgMRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaHgMRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDnaHgM components. These components can be added and deleted.')
gvcIfDnaHgMComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDnaHgMStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMStorageType.setDescription('This variable represents the storage type value for the gvcIfDnaHgM tables.')
gvcIfDnaHgMIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDnaHgMIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMIndex.setDescription('This variable represents the index for the gvcIfDnaHgM tables.')
gvcIfDnaHgMIfTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 10), )
if mibBuilder.loadTexts: gvcIfDnaHgMIfTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMIfTable.setDescription('This group contains the interface parameters between the HuntGroupMember and the Hunt Group server.')
gvcIfDnaHgMIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMIndex"))
if mibBuilder.loadTexts: gvcIfDnaHgMIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMIfEntry.setDescription('An entry in the gvcIfDnaHgMIfTable.')
gvcIfDnaHgMAvailabilityUpdateThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 10, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaHgMAvailabilityUpdateThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMAvailabilityUpdateThreshold.setDescription('This attribute indicates the number of channels that have to be freed or occupied before the Availability Message Packet (AMP) is sent to the Hunt Group Server informing it of the status of this interface.')
gvcIfDnaHgMOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 11), )
if mibBuilder.loadTexts: gvcIfDnaHgMOpTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMOpTable.setDescription('This group contains the operational attributes of the HuntGroupMember component.')
gvcIfDnaHgMOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMIndex"))
if mibBuilder.loadTexts: gvcIfDnaHgMOpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMOpEntry.setDescription('An entry in the gvcIfDnaHgMOpTable.')
gvcIfDnaHgMAvailabilityDelta = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 11, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-4096, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMAvailabilityDelta.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMAvailabilityDelta.setDescription('This attribute indicates the net change in the available link station connections since the last Availability Message Packet (AMP) was sent to the Hunt Group. Once the absolute value of this attribute reaches the availabilityUpdateThreshold an AMP is sent to the host and the availabilityDelta is reset to 0. If this attribute is positive it means an increase of the number of available link station connections. If it is negative it means a decrease in the number of available link station connections.')
gvcIfDnaHgMMaxAvailableLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMMaxAvailableLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMMaxAvailableLinkStations.setDescription('This attribute indicates the maximum number of available link station connections that can be established by this HuntGroupMember.')
gvcIfDnaHgMAvailableLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 11, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMAvailableLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMAvailableLinkStations.setDescription('This attribute indicates the number of available link station connections reported to the hunt group in the Availability Message Packet (AMP). It is incremented by the application when a link station connection is freed and decremented when a link station connection is occupied.')
gvcIfDnaHgMHgAddr = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2))
gvcIfDnaHgMHgAddrRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 1), )
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDnaHgMHgAddr components.')
gvcIfDnaHgMHgAddrRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMHgAddrIndex"))
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDnaHgMHgAddr component.')
gvcIfDnaHgMHgAddrRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDnaHgMHgAddr components. These components can be added and deleted.')
gvcIfDnaHgMHgAddrComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDnaHgMHgAddrStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrStorageType.setDescription('This variable represents the storage type value for the gvcIfDnaHgMHgAddr tables.')
gvcIfDnaHgMHgAddrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1)))
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrIndex.setDescription('This variable represents the index for the gvcIfDnaHgMHgAddr tables.')
gvcIfDnaHgMHgAddrAddrTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 10), )
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrAddrTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrAddrTable.setDescription('This group contains attributes common to all DNAs. Every DNA used in the network is defined with this group of 2 attributes. String of address digits complemented by the NPI.')
gvcIfDnaHgMHgAddrAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaHgMHgAddrIndex"))
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrAddrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrAddrEntry.setDescription('An entry in the gvcIfDnaHgMHgAddrAddrTable.')
gvcIfDnaHgMHgAddrNumberingPlanIndicator = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1))).clone('x121')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrNumberingPlanIndicator.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrNumberingPlanIndicator.setDescription('This attribute indicates the Numbering Plan Indicator (NPI) the Dna that is entered. Address may belong to X.121 or E.164 plans.')
gvcIfDnaHgMHgAddrDataNetworkAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 3, 2, 10, 1, 2), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrDataNetworkAddress.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaHgMHgAddrDataNetworkAddress.setDescription('This attribute contains digits which form unique identifier of the customer interface. It can be compared (approximation only) telephone number where phone number identifies unique telephone set. Dna digits are selected and assigned by network operators.')
gvcIfDnaDdm = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4))
gvcIfDnaDdmRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 1), )
if mibBuilder.loadTexts: gvcIfDnaDdmRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDnaDdm components.')
gvcIfDnaDdmRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaDdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaDdmRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDnaDdm component.')
gvcIfDnaDdmRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDnaDdm components. These components can be added and deleted.')
gvcIfDnaDdmComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDnaDdmStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmStorageType.setDescription('This variable represents the storage type value for the gvcIfDnaDdm tables.')
gvcIfDnaDdmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDnaDdmIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmIndex.setDescription('This variable represents the index for the gvcIfDnaDdm tables.')
gvcIfDnaDdmLanAdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 10), )
if mibBuilder.loadTexts: gvcIfDnaDdmLanAdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmLanAdTable.setDescription('This group defines the LAN MAC and SAP address for a given WAN NPI and DNA address.')
gvcIfDnaDdmLanAdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaDdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaDdmLanAdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmLanAdEntry.setDescription('An entry in the gvcIfDnaDdmLanAdTable.')
gvcIfDnaDdmMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 10, 1, 2), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmMac.setDescription('This attribute specifies a locally or globally administered MAC address of a LAN device.')
gvcIfDnaDdmSap = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 10, 1, 3), Hex().subtype(subtypeSpec=ValueRangeConstraint(2, 254)).clone(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmSap.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmSap.setDescription('This attribute specifies a SAP identifier on the LAN device identified by the mac.')
gvcIfDnaDdmDmoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11), )
if mibBuilder.loadTexts: gvcIfDnaDdmDmoTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDmoTable.setDescription('This group defines the device monitoring options.')
gvcIfDnaDdmDmoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaDdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaDdmDmoEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDmoEntry.setDescription('An entry in the gvcIfDnaDdmDmoTable.')
gvcIfDnaDdmDeviceMonitoring = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceMonitoring.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceMonitoring.setDescription('This attribute specifies wether device monitoring for the device specified in mac is enabled or disabled.')
gvcIfDnaDdmClearVcsWhenUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmClearVcsWhenUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmClearVcsWhenUnreachable.setDescription('This attribute specifies wether to clear or not existing VCs when deviceStatus changes from reachable to unreachable.')
gvcIfDnaDdmDeviceMonitoringTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(15)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceMonitoringTimer.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceMonitoringTimer.setDescription('This attribute specifies the wait period between 2 consecutive device monitoring sequences. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDnaDdmTestResponseTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmTestResponseTimer.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmTestResponseTimer.setDescription('This attribute specifies the wait period between 2 consecutive TEST commands sent during one device monitoring sequence. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDnaDdmMaximumTestRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaDdmMaximumTestRetry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmMaximumTestRetry.setDescription('This attribute specifies the maximum number of TEST commands sent during one device monitoring sequence. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDnaDdmDevOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12), )
if mibBuilder.loadTexts: gvcIfDnaDdmDevOpTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDevOpTable.setDescription('This group specifies the operational attributes for devices that are potentially reachable by the SNA DLR service.')
gvcIfDnaDdmDevOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaDdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaDdmDevOpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDevOpEntry.setDescription('An entry in the gvcIfDnaDdmDevOpTable.')
gvcIfDnaDdmDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("unreachable", 0), ("reachable", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceStatus.setDescription('This attribute indicates whether the local device specified by mac is reachable or unreachable from this SNA DLR interface. The device status is determined by the SNA DLR service by sending a TEST frame with the Poll bit set to the device periodically. If a TEST frame with the Final bit set is received from the device then the device status becomes reachable; otherwise the device status is unreachable. When the device status is reachable, connections to this device are accepted. When the device status is unreachable, existing connections to the device are cleared and new connections are cleared to hunt or redirection services.')
gvcIfDnaDdmActiveLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmActiveLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmActiveLinkStations.setDescription('This attribute indicates the number of active link station connections using this device mapping component. It includes the link stations using the Qllc and the Frame-Relay connections.')
gvcIfDnaDdmLastTimeUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1, 3), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmLastTimeUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmLastTimeUnreachable.setDescription('This attribute indicates the last time the deviceStatus changed from reachable to unreachable.')
gvcIfDnaDdmLastTimeReachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1, 4), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmLastTimeReachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmLastTimeReachable.setDescription('This attribute indicates the last time the deviceStatus changed from unreachable to reachable.')
gvcIfDnaDdmDeviceUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmDeviceUnreachable.setDescription('This attribute counts the number of times the deviceStatus changed from reachable to unreachable. When the maximum count is exceeded the count wraps to zero.')
gvcIfDnaDdmMonitoringLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 4, 12, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaDdmMonitoringLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaDdmMonitoringLcn.setDescription('This attribute indicates the instance of the GvcIf/n Lcn that is reserved for monitoring the device indicated by the mac.')
gvcIfDnaSdm = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5))
gvcIfDnaSdmRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 1), )
if mibBuilder.loadTexts: gvcIfDnaSdmRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDnaSdm components.')
gvcIfDnaSdmRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaSdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaSdmRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDnaSdm component.')
gvcIfDnaSdmRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDnaSdm components. These components can be added and deleted.')
gvcIfDnaSdmComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDnaSdmStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmStorageType.setDescription('This variable represents the storage type value for the gvcIfDnaSdm tables.')
gvcIfDnaSdmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 1, 1, 10), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15)))
if mibBuilder.loadTexts: gvcIfDnaSdmIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmIndex.setDescription('This variable represents the index for the gvcIfDnaSdm tables.')
gvcIfDnaSdmLanAdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 10), )
if mibBuilder.loadTexts: gvcIfDnaSdmLanAdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmLanAdTable.setDescription('This group defines the LAN MAC and SAP address for a given WAN NPI and DNA address.')
gvcIfDnaSdmLanAdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaSdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaSdmLanAdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmLanAdEntry.setDescription('An entry in the gvcIfDnaSdmLanAdTable.')
gvcIfDnaSdmMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 10, 1, 2), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmMac.setDescription('This attribute specifies a locally or globally administered MAC address of a LAN device.')
gvcIfDnaSdmSap = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 10, 1, 3), Hex().subtype(subtypeSpec=ValueRangeConstraint(2, 254)).clone(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmSap.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmSap.setDescription('This attribute specifies a SAP identifier on the LAN device identified by the mac.')
gvcIfDnaSdmDmoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11), )
if mibBuilder.loadTexts: gvcIfDnaSdmDmoTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDmoTable.setDescription('This group defines the device monitoring options.')
gvcIfDnaSdmDmoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaSdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaSdmDmoEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDmoEntry.setDescription('An entry in the gvcIfDnaSdmDmoTable.')
gvcIfDnaSdmDeviceMonitoring = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceMonitoring.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceMonitoring.setDescription('This attribute specifies wether device monitoring for the device specified in mac is enabled or disabled.')
gvcIfDnaSdmClearVcsWhenUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmClearVcsWhenUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmClearVcsWhenUnreachable.setDescription('This attribute specifies wether to clear or not existing VCs when deviceStatus changes from reachable to unreachable.')
gvcIfDnaSdmDeviceMonitoringTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(15)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceMonitoringTimer.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceMonitoringTimer.setDescription('This attribute specifies the wait period between 2 consecutive device monitoring sequences. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDnaSdmTestResponseTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmTestResponseTimer.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmTestResponseTimer.setDescription('This attribute specifies the wait period between 2 consecutive TEST commands sent during one device monitoring sequence. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDnaSdmMaximumTestRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDnaSdmMaximumTestRetry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmMaximumTestRetry.setDescription('This attribute specifies the maximum number of TEST commands sent during one device monitoring sequence. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDnaSdmDevOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12), )
if mibBuilder.loadTexts: gvcIfDnaSdmDevOpTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDevOpTable.setDescription('This group specifies the operational attributes for devices that are potentially reachable by the SNA DLR service.')
gvcIfDnaSdmDevOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDnaSdmIndex"))
if mibBuilder.loadTexts: gvcIfDnaSdmDevOpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDevOpEntry.setDescription('An entry in the gvcIfDnaSdmDevOpTable.')
gvcIfDnaSdmDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("unreachable", 0), ("reachable", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceStatus.setDescription('This attribute indicates whether the local device specified by mac is reachable or unreachable from this SNA DLR interface. The device status is determined by the SNA DLR service by sending a TEST frame with the Poll bit set to the device periodically. If a TEST frame with the Final bit set is received from the device then the device status becomes reachable; otherwise the device status is unreachable. When the device status is reachable, connections to this device are accepted. When the device status is unreachable, existing connections to the device are cleared and new connections are cleared to hunt or redirection services.')
gvcIfDnaSdmActiveLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmActiveLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmActiveLinkStations.setDescription('This attribute indicates the number of active link station connections using this device mapping component. It includes the link stations using the Qllc and the Frame-Relay connections.')
gvcIfDnaSdmLastTimeUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1, 3), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmLastTimeUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmLastTimeUnreachable.setDescription('This attribute indicates the last time the deviceStatus changed from reachable to unreachable.')
gvcIfDnaSdmLastTimeReachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1, 4), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmLastTimeReachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmLastTimeReachable.setDescription('This attribute indicates the last time the deviceStatus changed from unreachable to reachable.')
gvcIfDnaSdmDeviceUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmDeviceUnreachable.setDescription('This attribute counts the number of times the deviceStatus changed from reachable to unreachable. When the maximum count is exceeded the count wraps to zero.')
gvcIfDnaSdmMonitoringLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 5, 5, 12, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDnaSdmMonitoringLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDnaSdmMonitoringLcn.setDescription('This attribute indicates the instance of the GvcIf/n Lcn that is reserved for monitoring the device indicated by the mac.')
gvcIfRg = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6))
gvcIfRgRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 1), )
if mibBuilder.loadTexts: gvcIfRgRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfRg components.')
gvcIfRgRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRgIndex"))
if mibBuilder.loadTexts: gvcIfRgRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfRg component.')
gvcIfRgRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRgRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfRg components. These components can be added and deleted.')
gvcIfRgComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfRgComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfRgStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfRgStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgStorageType.setDescription('This variable represents the storage type value for the gvcIfRg tables.')
gvcIfRgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 0)))
if mibBuilder.loadTexts: gvcIfRgIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgIndex.setDescription('This variable represents the index for the gvcIfRg tables.')
gvcIfRgIfEntryTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 10), )
if mibBuilder.loadTexts: gvcIfRgIfEntryTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgIfEntryTable.setDescription('This group contains the provisionable attributes for the ifEntry.')
gvcIfRgIfEntryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRgIndex"))
if mibBuilder.loadTexts: gvcIfRgIfEntryEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgIfEntryEntry.setDescription('An entry in the gvcIfRgIfEntryTable.')
gvcIfRgIfAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRgIfAdminStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgIfAdminStatus.setDescription('The desired state of the interface. The up state indicates the interface is operational. The down state indicates the interface is not operational. The testing state indicates that no operational packets can be passed.')
gvcIfRgIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 10, 1, 2), InterfaceIndex().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfRgIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgIfIndex.setDescription('This is the index for the IfEntry. Its value is automatically initialized during the provisioning process.')
gvcIfRgProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 11), )
if mibBuilder.loadTexts: gvcIfRgProvTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgProvTable.setDescription('This group contains the provisioned attributes in the remote group component.')
gvcIfRgProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRgIndex"))
if mibBuilder.loadTexts: gvcIfRgProvEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgProvEntry.setDescription('An entry in the gvcIfRgProvTable.')
gvcIfRgLinkToProtocolPort = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 11, 1, 1), Link()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfRgLinkToProtocolPort.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgLinkToProtocolPort.setDescription('This attribute specifies a two way link between this GvcIf RemoteGroup and a VirtualRouter/n ProtocolPort/name component which enables the communication between WAN addressable devices and LAN addressable devices.')
gvcIfRgOperStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 12), )
if mibBuilder.loadTexts: gvcIfRgOperStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgOperStatusTable.setDescription('This group includes the Operational Status attribute. This attribute defines the current operational state of this component.')
gvcIfRgOperStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfRgIndex"))
if mibBuilder.loadTexts: gvcIfRgOperStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgOperStatusEntry.setDescription('An entry in the gvcIfRgOperStatusTable.')
gvcIfRgSnmpOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 6, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3))).clone('up')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfRgSnmpOperStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfRgSnmpOperStatus.setDescription('The current state of the interface. The up state indicates the interface is operational and capable of forwarding packets. The down state indicates the interface is not operational, thus unable to forward packets. testing state indicates that no operational packets can be passed.')
gvcIfDlci = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7))
gvcIfDlciRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 1), )
if mibBuilder.loadTexts: gvcIfDlciRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlci components.')
gvcIfDlciRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"))
if mibBuilder.loadTexts: gvcIfDlciRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlci component.')
gvcIfDlciRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlci components. These components can be added and deleted.')
gvcIfDlciComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciStorageType.setDescription('This variable represents the storage type value for the gvcIfDlci tables.')
gvcIfDlciIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(16, 4095)))
if mibBuilder.loadTexts: gvcIfDlciIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciIndex.setDescription('This variable represents the index for the gvcIfDlci tables.')
gvcIfDlciStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 10), )
if mibBuilder.loadTexts: gvcIfDlciStateTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciStateTable.setDescription('This group contains the three OSI State attributes. The descriptions generically indicate what each state attribute implies about the component. Note that not all the values and state combinations described here are supported by every component which uses this group. For component-specific information and the valid state combinations, refer to NTP 241-7001-150, Passport Operations and Maintenance Guide.')
gvcIfDlciStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"))
if mibBuilder.loadTexts: gvcIfDlciStateEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciStateEntry.setDescription('An entry in the gvcIfDlciStateTable.')
gvcIfDlciAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciAdminState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciAdminState.setDescription('This attribute indicates the OSI Administrative State of the component. The value locked indicates that the component is administratively prohibited from providing services for its users. A Lock or Lock - force command has been previously issued for this component. When the value is locked, the value of usageState must be idle. The value shuttingDown indicates that the component is administratively permitted to provide service to its existing users only. A Lock command was issued against the component and it is in the process of shutting down. The value unlocked indicates that the component is administratively permitted to provide services for its users. To enter this state, issue an Unlock command to this component.')
gvcIfDlciOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciOperationalState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciOperationalState.setDescription('This attribute indicates the OSI Operational State of the component. The value enabled indicates that the component is available for operation. Note that if adminState is locked, it would still not be providing service. The value disabled indicates that the component is not available for operation. For example, something is wrong with the component itself, or with another component on which this one depends. If the value is disabled, the usageState must be idle.')
gvcIfDlciUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciUsageState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciUsageState.setDescription('This attribute indicates the OSI Usage State of the component. The value idle indicates that the component is not currently in use. The value active indicates that the component is in use and has spare capacity to provide for additional users. The value busy indicates that the component is in use and has no spare operating capacity for additional users at this time.')
gvcIfDlciAbitTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 11), )
if mibBuilder.loadTexts: gvcIfDlciAbitTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciAbitTable.setDescription('This group contains the A-Bit status information for this Data Link Connection Identifier. A-Bit status information is only applicable for PVCs. For SVCs, the values of attributes under this group are all notApplicable.')
gvcIfDlciAbitEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"))
if mibBuilder.loadTexts: gvcIfDlciAbitEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciAbitEntry.setDescription('An entry in the gvcIfDlciAbitTable.')
gvcIfDlciABitStatusFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("inactive", 0), ("active", 1), ("notApplicable", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciABitStatusFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciABitStatusFromNetwork.setDescription('This attribute indicates the most recent A-bit status received from the subnet. The A-bit status is part of the LMI protocol. It indicates willingness to accept data from the Protocol Port associated with this GvcIf. When an inactive status is sent out, the Frame Relay service discards any data offered from the Protocol Port. When an active status is sent out, the Frame Relay service tries to process all data offered from the Protocol Port.')
gvcIfDlciABitReasonFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("notApplicable", 0), ("remoteUserSignaled", 1), ("localLmiError", 2), ("remoteLmiError", 3), ("localLinkDown", 4), ("remoteLinkDown", 5), ("pvcDown", 6)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciABitReasonFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciABitReasonFromNetwork.setDescription('This attribute indicates the reason (if any) for an inactive status to be sent to the Protocol Port associated with this GvcIf. This reason is notapplicable for an active status.')
gvcIfDlciABitStatusToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 11, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("inactive", 0), ("active", 1), ("notApplicable", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciABitStatusToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciABitStatusToNetwork.setDescription('This attribute indicates the most recent A-Bit status sent from this GvcIf to the subnet.')
gvcIfDlciABitReasonToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 11, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 4, 7))).clone(namedValues=NamedValues(("notApplicable", 0), ("remoteUserSignaled", 1), ("localLmiError", 2), ("localLinkDown", 4), ("missingFromLmiReport", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciABitReasonToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciABitReasonToNetwork.setDescription('This attribute indicates the reason (if any) for an inactive status to be sent to the subnet from this GvcIf. This reason is not applicable for an active status.')
gvcIfDlciStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 12), )
if mibBuilder.loadTexts: gvcIfDlciStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciStatsTable.setDescription('This group contains the operational statistics for the DLCI.')
gvcIfDlciStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"))
if mibBuilder.loadTexts: gvcIfDlciStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciStatsEntry.setDescription('An entry in the gvcIfDlciStatsTable.')
gvcIfDlciFrmFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 12, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciFrmFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciFrmFromNetwork.setDescription('This attribute counts the frames received from the subnet and sent to the Protocol Port associated with this GvcIf. When the maximum count is exceeded the count wraps to zero.')
gvcIfDlciFrmToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 12, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciFrmToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciFrmToNetwork.setDescription('This attribute counts the frames sent to the subnet. When the maximum count is exceeded the count wraps to zero.')
gvcIfDlciFrmDiscardToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 12, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciFrmDiscardToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciFrmDiscardToNetwork.setDescription('This attribute counts the frames which were received from the Protocol Port and discarded due to the aBitStatusFromNetwork being in an inactive state. When this count exceeds the maximum, it wraps to zero.')
gvcIfDlciFramesWithUnknownSaps = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 12, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciFramesWithUnknownSaps.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciFramesWithUnknownSaps.setDescription('This attribute counts the number of frames received from the subnet on a BNN DLCI VC containing an (lSap,rSap) pair that does not match any SapMapping component index.')
gvcIfDlciOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 13), )
if mibBuilder.loadTexts: gvcIfDlciOperTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciOperTable.setDescription('This group contains the Dlci operational attributes.')
gvcIfDlciOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 13, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"))
if mibBuilder.loadTexts: gvcIfDlciOperEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciOperEntry.setDescription('An entry in the gvcIfDlciOperTable.')
gvcIfDlciEncapsulationType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 13, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("ban", 0), ("bnn", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciEncapsulationType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciEncapsulationType.setDescription('This attribute indicates the encapsulation type used on this Dlci. ban indicates that SNA frames exchanged on the VC are encapsulated in RFC 1490 BAN format. ban indicates that SNA frames exchanged on the VC are encapsulated in RFC 1490 BNN format.')
gvcIfDlciLocalDeviceMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 13, 1, 2), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLocalDeviceMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLocalDeviceMac.setDescription('This attribute indicates the MAC of the device located on this side of the VC, normally the host device. This address is inserted in the Destination Address (DA) field of the 802.5 frames sent, typically to a Token Ring interface. This address is expected in the SA field of the frames received from the local LAN. When this attribute is not empty All Route Explorer (ARE) and Single Route Explorer (SRE) frames received from the local LAN must have the SA field matching it, otherwise they are discarded.')
gvcIfDlciRemoteDeviceMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 13, 1, 3), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciRemoteDeviceMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRemoteDeviceMac.setDescription('This attribute indicates the MAC of the device located at the far end of the VC. This is normally the host device. This address is inserted in the source address (SA) field of the 802.5 frames sent typically on a token ring interface. This address is expected in the destination address (DA) field of the 802.5 frames received, typically from a token ring interface. When this attribute is defined All Route Explorer (ARE) and Single Route Explorer (SRE) frames received from the local LAN must have the DA field matching it, otherwise they are discarded.')
gvcIfDlciSpOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14), )
if mibBuilder.loadTexts: gvcIfDlciSpOpTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpOpTable.setDescription('This group contains the actual service parameters in use for this instance of Dlci.')
gvcIfDlciSpOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"))
if mibBuilder.loadTexts: gvcIfDlciSpOpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpOpEntry.setDescription('An entry in the gvcIfDlciSpOpTable.')
gvcIfDlciRateEnforcement = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('off')).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciRateEnforcement.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRateEnforcement.setDescription('This attribute indicates whether rate enforcement is in use for this Dlci.')
gvcIfDlciCommittedInformationRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1, 2), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciCommittedInformationRate.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciCommittedInformationRate.setDescription('This attribute indicates the current effective committed information rate (cir) in bits per second (bit/s). cir is the rate at which the network agrees to transfer data with Discard Eligiblity indication DE=0 under normal conditions. This attribute should be ignored when rateEnforcement is off.')
gvcIfDlciCommittedBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1, 3), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciCommittedBurstSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciCommittedBurstSize.setDescription('This attribute indicates the committed burst size (bc) in bits. bc is the amount of data that the network agrees to transfer under normal conditions over a measurement interval (t). bc is used for data with Discard Eligibility indication DE=0. DE=1 data does not use bc at all, excessBurstSize if is used instead. This attribute should be ignored when rateEnforcement is off.')
gvcIfDlciExcessInformationRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1, 4), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciExcessInformationRate.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciExcessInformationRate.setDescription('This attribute indicates the current effective excess information rate (eir) in bits per second (bit/s). eir is the rate at which the network agrees to transfer data with Discard Eligibility indication DE=1 under normal conditions. DE can be set by the user or the network. DE indication of a data frame is set to 1 by the network after cir has been exceeded while eir is still available for data transfer.')
gvcIfDlciExcessBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1, 5), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 2048000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciExcessBurstSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciExcessBurstSize.setDescription('This attribute indicates the excess burst size (be) in bits. be is the amount of uncommitted data that the network will attempt to deliver over measurement interval (t). Data marked DE=1 by the user or by the network is accounted for here. This attribute should be ignored when rateEnforcement is off.')
gvcIfDlciMeasurementInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 14, 1, 6), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 25500))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciMeasurementInterval.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciMeasurementInterval.setDescription('This attribute indicates the time interval (in milliseconds) over which rates and burst sizes are measured. This attribute should be ignored when rateEnforcement is off.')
gvcIfDlciDc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2))
gvcIfDlciDcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 1), )
if mibBuilder.loadTexts: gvcIfDlciDcRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlciDc components.')
gvcIfDlciDcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciDcIndex"))
if mibBuilder.loadTexts: gvcIfDlciDcRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciDc component.')
gvcIfDlciDcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciDcRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciDc components. These components cannot be added nor deleted.')
gvcIfDlciDcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciDcComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciDcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciDcStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciDc tables.')
gvcIfDlciDcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDlciDcIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcIndex.setDescription('This variable represents the index for the gvcIfDlciDc tables.')
gvcIfDlciDcOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10), )
if mibBuilder.loadTexts: gvcIfDlciDcOptionsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcOptionsTable.setDescription('Options group defines attributes associated with direct call. It defines complete connection in terms of path and call options. This connection can be permanent (PVC).')
gvcIfDlciDcOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciDcIndex"))
if mibBuilder.loadTexts: gvcIfDlciDcOptionsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcOptionsEntry.setDescription('An entry in the gvcIfDlciDcOptionsTable.')
gvcIfDlciDcRemoteNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1))).clone('x121')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcRemoteNpi.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcRemoteNpi.setDescription('This attribute specifies the numbering plan used in the remoteDna.')
gvcIfDlciDcRemoteDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1, 4), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcRemoteDna.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcRemoteDna.setDescription('This attribute specifies the Data Network Address (Dna) of the remote. This is the called (destination) DTE address (Dna) to which this direct call will be sent.')
gvcIfDlciDcRemoteDlci = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcRemoteDlci.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcRemoteDlci.setDescription('This attribute specifies the remote DLCI (Logical Channel Number) - it is used only for PVCs, where attribute type is set to permanentMaster or permanentSlave or permanentBackupSlave.')
gvcIfDlciDcType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("permanentMaster", 1), ("permanentSlave", 2), ("permanentBackupSlave", 3), ("permanentSlaveWithBackup", 4))).clone('permanentMaster')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcType.setDescription('This attribute specifies the type of Vc call: permanentMaster, permanentSlave, permanentSlaveWithBackup, permanentBackupSlave. If the value is set to permanentMaster, then a permanent connection will be established between 2 ends. The remote end must be defined as a permanentSlave, permanentBackupSlave or permanentSlaveWithBackup. The connection cannot be established if the remote end is defined as anything else. The end defined as permanentMaster always initiates the calls. It will attempt to call once per minute. If the value is set to permanentSlave then a permanent connection will be established between 2 ends. The remote end must be defined as a permanentMaster. The connection cannot be established if the remote end is defined as anything else. The permanentSlave end will attempt to call once per minute. If the value is set to permanentSlaveWithBackup then a permanent connection will be established between the 2 ends . The remote end must be defined as a permanentMaster. The Connection cannot be established if the remote end is defined as anything else. The permanentSlaveWithBackup end will attempt to call once per minute. If the value is set to permanentBackupSlave then a permanent connection will be established between the 2 ends only if the permanentMaster end is disconnected from the permanentSlaveWithBackup end and a backup call is established by the redirection system. If the permanentSlaveWithBackup interface becomes visible again, the permanentBackupSlave end is disconnected and the permanentSlaveWithBackup end is reconnected to the permanentMaster end. The permanentBackupSlave end does not try to establish pvc call.')
gvcIfDlciDcTransferPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 9, 255))).clone(namedValues=NamedValues(("normal", 0), ("high", 9), ("useDnaDefTP", 255))).clone('useDnaDefTP')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcTransferPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcTransferPriority.setDescription('This attribute specifies the transfer priority to network for the outgoing calls using this particular DLCI. It overRides the defaultTransferPriority provisioned in its associated Dna component. The transfer priority is a preference specified by an application according to its delay-sensitivity requirement. Frames with high transfer priority are served by the network before the frames with normal priority. Each transfer priority contains a predetermined setting for trunk queue (interrupting, delay or throughput), and routing metric (delay or throughput). When the transfer priority is set at high, the trunk queue is set to high, the routing metric is set to delay. When the transfer priority is set at normal, the trunk queue is set to normal, the routing metric is set to throughput. The default of transferPriority is useDnaDefTP. It means using the provisioning value under defaultTransferPriority of its associated Dna for this DLCI.')
gvcIfDlciDcDiscardPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 10, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 3))).clone(namedValues=NamedValues(("normal", 0), ("high", 1), ("useDnaDefPriority", 3))).clone('useDnaDefPriority')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcDiscardPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciDcDiscardPriority.setDescription('This attribute specifies the discard priority for outgoing call using this DLCI. The discard priority has three provisioning values: normal, high, and useDnaDefPriority. Traffic with normal priority is discarded first than the traffic with high priority. The Dna default value (provisioned by outDefaultPriority) is taken if this attribute is set to the value useDnaDefPriority. The default of discardPriority is useDnaDefPriority.')
gvcIfDlciDcNfaTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 482), )
if mibBuilder.loadTexts: gvcIfDlciDcNfaTable.setStatus('obsolete')
if mibBuilder.loadTexts: gvcIfDlciDcNfaTable.setDescription('Two explicit attributes discardPriority and transferPriority are created to replace H.01 and H.30 in the group VcsDirectCallOptionsProv of this file. The migrate escape here (DcComponent::migrateFaxEscape) propagates the old provisioning data under H.01 and H.30 into discardPriority and transferPriority. The rule of the above propagation are: 0 in H.01 is equivalent to discardPriority 0; 1 in H.01 is equivalent to discardPriority 1. And 0 in H.30 is equivalent to transferPriority normal; 1 in H.30 is equivalent to transferPriority high. Please refer to discardPriority and transferPriority for more information on how to use them.')
gvcIfDlciDcNfaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 482, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciDcIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciDcNfaIndex"))
if mibBuilder.loadTexts: gvcIfDlciDcNfaEntry.setStatus('obsolete')
if mibBuilder.loadTexts: gvcIfDlciDcNfaEntry.setDescription('An entry in the gvcIfDlciDcNfaTable.')
gvcIfDlciDcNfaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 482, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(1, 1), ValueRangeConstraint(48, 48), )))
if mibBuilder.loadTexts: gvcIfDlciDcNfaIndex.setStatus('obsolete')
if mibBuilder.loadTexts: gvcIfDlciDcNfaIndex.setDescription('This variable represents the index for the gvcIfDlciDcNfaTable.')
gvcIfDlciDcNfaValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 482, 1, 2), HexString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciDcNfaValue.setStatus('obsolete')
if mibBuilder.loadTexts: gvcIfDlciDcNfaValue.setDescription('This variable represents an individual value for the gvcIfDlciDcNfaTable.')
gvcIfDlciDcNfaRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 2, 482, 1, 3), RowStatus()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: gvcIfDlciDcNfaRowStatus.setStatus('obsolete')
if mibBuilder.loadTexts: gvcIfDlciDcNfaRowStatus.setDescription('This variable is used to control the addition and deletion of individual values of the gvcIfDlciDcNfaTable.')
gvcIfDlciVc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3))
gvcIfDlciVcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 1), )
if mibBuilder.loadTexts: gvcIfDlciVcRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlciVc components.')
gvcIfDlciVcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciVcIndex"))
if mibBuilder.loadTexts: gvcIfDlciVcRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciVc component.')
gvcIfDlciVcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciVc components. These components cannot be added nor deleted.')
gvcIfDlciVcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciVcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciVc tables.')
gvcIfDlciVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDlciVcIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcIndex.setDescription('This variable represents the index for the gvcIfDlciVc tables.')
gvcIfDlciVcCadTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10), )
if mibBuilder.loadTexts: gvcIfDlciVcCadTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCadTable.setDescription('This group represents operational call data related to Frame Relay Vc. It can be displayed only for Frame Relay Vc which is created by application.')
gvcIfDlciVcCadEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciVcIndex"))
if mibBuilder.loadTexts: gvcIfDlciVcCadEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCadEntry.setDescription('An entry in the gvcIfDlciVcCadTable.')
gvcIfDlciVcType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("svc", 0), ("pvc", 1), ("spvc", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcType.setDescription('This attribute displays the type of call, pvc,svc or spvc.')
gvcIfDlciVcState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("creating", 0), ("readyP1", 1), ("dteWaitingP2", 2), ("dceWaitingP3", 3), ("dataTransferP4", 4), ("unsupportedP5", 5), ("dteClearRequestP6", 6), ("dceClearIndicationP7", 7), ("termination", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcState.setDescription('This attribute displays the state of call control. P5 state is not supported but is listed for completness. Transitions from one state to another take very short time. state most often displayed is dataTransferP4.')
gvcIfDlciVcPreviousState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("creating", 0), ("readyP1", 1), ("dteWaitingP2", 2), ("dceWaitingP3", 3), ("dataTransferP4", 4), ("unsupportedP5", 5), ("dteClearRequestP6", 6), ("dceClearIndicationP7", 7), ("termination", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPreviousState.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPreviousState.setDescription('This attribute displays the previous state of call control. This is a valuable field to determine how the processing is progressing.')
gvcIfDlciVcDiagnosticCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcDiagnosticCode.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcDiagnosticCode.setDescription('This attribute displays the internal substate of call control. It is used to further refine state of call processing.')
gvcIfDlciVcPreviousDiagnosticCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPreviousDiagnosticCode.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPreviousDiagnosticCode.setDescription('This attribute displays the internal substate of call control. It is used to further refine state of call processing.')
gvcIfDlciVcCalledNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCalledNpi.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCalledNpi.setDescription('This attribute displays the Numbering Plan Indicator (NPI) of the called end.')
gvcIfDlciVcCalledDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 7), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCalledDna.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCalledDna.setDescription('This attribute displays the Data Network Address (Dna) of the called (destination) DTE to which this call is sent. This address if defined at recieving end will complete Vc connection.')
gvcIfDlciVcCalledLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCalledLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCalledLcn.setDescription('This attribute displays the Logical Channel Number of the called end. It is valid only after both ends of Vc exchanged relevant information.')
gvcIfDlciVcCallingNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCallingNpi.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCallingNpi.setDescription('This attribute displays the Numbering Plan Indicator (NPI) of the calling end.')
gvcIfDlciVcCallingDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 10), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCallingDna.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCallingDna.setDescription('This attribute displays the Data Network Address (Dna) of the calling end.')
gvcIfDlciVcCallingLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCallingLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCallingLcn.setDescription('This attribute displays the Logical Channel Number of the calling end.')
gvcIfDlciVcAccountingEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("yes", 0), ("no", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcAccountingEnabled.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcAccountingEnabled.setDescription('This attribute indicates that this optional section of accounting record is suppressed or permitted. If accountingEnabled is yes, conditions for generation of accounting record were met. These conditions include billing options, vc recovery conditions and Module wide accounting data options.')
gvcIfDlciVcFastSelectCall = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcFastSelectCall.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcFastSelectCall.setDescription('This attribute displays that this is a fast select call.')
gvcIfDlciVcPathReliability = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("high", 0), ("normal", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPathReliability.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPathReliability.setDescription('This attribute displays the path reliability.')
gvcIfDlciVcAccountingEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("callingEnd", 0), ("calledEnd", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcAccountingEnd.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcAccountingEnd.setDescription('This attribute indicates if this end should generate an accounting record. Normally, callingEnd is the end to generate an accounting record.')
gvcIfDlciVcPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("normal", 0), ("high", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPriority.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPriority.setDescription('This attribute displays whether the call is a normal or a high priority call.')
gvcIfDlciVcSegmentSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcSegmentSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcSegmentSize.setDescription('This attribute displays the segment size (in bytes) used on the call. It is used to calculate the number of segments transmitted and received.')
gvcIfDlciVcMaxSubnetPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 27), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcMaxSubnetPktSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcMaxSubnetPktSize.setDescription('This attribute indicates the maximum packet size allowed on the Vc.')
gvcIfDlciVcRcosToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("throughput", 0), ("delay", 1), ("multimedia", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcRcosToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcRcosToNetwork.setDescription('This attribute indicates the routing metric routing class of service to the network.')
gvcIfDlciVcRcosFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("throughput", 0), ("delay", 1), ("multimedia", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcRcosFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcRcosFromNetwork.setDescription('This attribute displays the routing metric Routing Class of Service from the Network.')
gvcIfDlciVcEmissionPriorityToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("normal", 0), ("high", 1), ("interrupting", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcEmissionPriorityToNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcEmissionPriorityToNetwork.setDescription('This attribute displays the network internal emission priotity to the network.')
gvcIfDlciVcEmissionPriorityFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("normal", 0), ("high", 1), ("interrupting", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcEmissionPriorityFromNetwork.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcEmissionPriorityFromNetwork.setDescription('This attribute displays the network internal emission priotity from the network.')
gvcIfDlciVcDataPath = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 10, 1, 32), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcDataPath.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcDataPath.setDescription('This attribute indicates the data path used by the connection. The data path is provisioned in Dna and DirectCall components. The displayed value of this attribute can be different from the provisioned value. If the connection is using dprsOnly data path, the string dprsOnly is displayed. (dynamic packet routing system) If the connection is using dprsMcsOnly data path, the string dprsMcsOnly is displayed. If the connection is using dprsMcsFirst data path, the string dprsMcsFirst is displayed.')
gvcIfDlciVcIntdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11), )
if mibBuilder.loadTexts: gvcIfDlciVcIntdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcIntdTable.setDescription('This group defines display of interval data collected by Vc. Data in this group is variable and may depend on time when this display command is issued.')
gvcIfDlciVcIntdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciVcIndex"))
if mibBuilder.loadTexts: gvcIfDlciVcIntdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcIntdEntry.setDescription('An entry in the gvcIfDlciVcIntdTable.')
gvcIfDlciVcCallReferenceNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11, 1, 1), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCallReferenceNumber.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCallReferenceNumber.setDescription('This attribute displays the call reference number which is a unique number generated by the switch.The same Call Reference Number is stored in the interval data (accounting record) at both ends of the call. It can be used as one of the attributes in matching duplicate records generated at each end of the call.')
gvcIfDlciVcElapsedTimeTillNow = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcElapsedTimeTillNow.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcElapsedTimeTillNow.setDescription('This attribute displays the elapsed time representing the period of this interval data. It is elapsed time in 0.1 second increments since Vc started.')
gvcIfDlciVcSegmentsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcSegmentsRx.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcSegmentsRx.setDescription('This attribute displays the number of segments received at the time command was issued. This is the segment received count maintained by accounting at each end of the Vc. This counter is updated only when the packet cannot be successfully delivered out of the sink Vc and to the sink AP Conditions in which packets may be discarded by the sink Vc include: missing packets due to subnet discards, segmentation protocol violations due to subnet discard, duplicated and out-of-ranged packets and packets that arrive while Vc is in path recovery state.')
gvcIfDlciVcSegmentsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcSegmentsSent.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcSegmentsSent.setDescription('This attribute displays the number of segments sent at the time command was issued. This is the segment sent count maintained by accounting at the source Vc. Vc only counts packets that Vc thinks can be delivered successfully into the subnet. In reality, these packets may be dropped by trunking, for instance. This counter is not updated when splitting fails, when Vc is in a path recovery state, when packet forwarding fails to forward this packet and when subsequent packets have to be discarded as we want to minimize the chance of out-of-sequence and do not intentionally send out-of- sequenced packets into the subnet.')
gvcIfDlciVcStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 11, 1, 5), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcStartTime.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcStartTime.setDescription('This attribute displays the start time of this interval period. If Vc spans 12 hour time or time of day change startTime reflects new time as recorded at 12 hour periods or time of day changes.')
gvcIfDlciVcFrdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12), )
if mibBuilder.loadTexts: gvcIfDlciVcFrdTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcFrdTable.setDescription('This group defines Frame Relay attributes collected by Frame Relay Vc. The purpose of Vc attributes is to aid end users and verification people to understand the Vc internal behavior. This is particularly useful when the network has experienced abnormality and we want to isolate problems and pinpoint trouble spots. Attributes are collected on a per Vc basis. Until a need is identified, statistics are not collected at a processor level. Each attribute is stored in a 32 bit field and is initialized to zero when a Vc enters into the data transfer state. When a PVC is disconnected and then connected again, the attributes will be reset. Attributes cannot be reset through other methods. Frame Relay Vc uses a best effort data packet delivery protocol and a different packet segmentation and combination methods from the General Vc. The Frame Relay Vc uses the same call setup and control mechanism (e.g. the support of non-flow control data packets) as in a General Vc. Most General Vc statistics and internal variables are used in a Frame Relay Vc and are displayed by software developers')
gvcIfDlciVcFrdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciVcIndex"))
if mibBuilder.loadTexts: gvcIfDlciVcFrdEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcFrdEntry.setDescription('An entry in the gvcIfDlciVcFrdTable.')
gvcIfDlciVcFrmCongestedToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcFrmCongestedToSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcFrmCongestedToSubnet.setDescription('This attribute displays the number of frames from link discarded due to lack of resources. It keeps track of the number of frames from link that have to be discarded. The discard reasons include insufficient memory for splitting the frame into smaller subnet packet size.')
gvcIfDlciVcCannotForwardToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCannotForwardToSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCannotForwardToSubnet.setDescription('This attribute displays the number of discarded packets that can not be forwarded into the subnet because of subnet congestion. Number of frames from link discarded due to failure in forwarding a packet from Vc into the subnet.- This attribute is increased when packet forwarding fails to forward a packet into the subnet. If a frame is split into multiple subnet packets and a partial packet has to be discarded, all subsequent partial packets that have not yet been delivered to the subnet will be discarded as well.')
gvcIfDlciVcNotDataXferToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcNotDataXferToSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcNotDataXferToSubnet.setDescription('This attribute records the number of frames from link discarded when the Vc tries to recover from internal path failure.')
gvcIfDlciVcOutOfRangeFrmFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcOutOfRangeFrmFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcOutOfRangeFrmFromSubnet.setDescription('This attribute displays the number of frames from subnet discarded due to out of sequence range for arriving too late.')
gvcIfDlciVcCombErrorsFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcCombErrorsFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcCombErrorsFromSubnet.setDescription('This attribute records the number of subnet packets discarded at the sink Vc due to the Vc segmentation and combination protocol error. Usually, this occurs when the subnet discards packets and thus this statistics can be used to guest the number of subnet packets that are not delivered to the Vc. It cannot be used as an actual measure because some subnet packets may have been delivered to Vc but have to be discarded because these are partial packets to a frame in which some other partial packets have not been properly delivered to Vc')
gvcIfDlciVcDuplicatesFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcDuplicatesFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcDuplicatesFromSubnet.setDescription('This attribute displays the number of subnet packets discarded due to duplication. Although packets are not retransmitted by the Frame Relay Vc, it is possible for the subnet to retransmit packets. When packets are out-of-sequenced and copies of the same packets arrive, then this attribute is increased.')
gvcIfDlciVcNotDataXferFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcNotDataXferFromSubnet.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcNotDataXferFromSubnet.setDescription('This attribute displays the number of subnet packets discarded when data transfer is suspended in Vc recovery.')
gvcIfDlciVcFrmLossTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcFrmLossTimeouts.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcFrmLossTimeouts.setDescription('This attribute displays the number of lost frame timer expiries. When this count is excessive, the network is very congested and packets have been discarded in the subnet.')
gvcIfDlciVcOoSeqByteCntExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcOoSeqByteCntExceeded.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcOoSeqByteCntExceeded.setDescription('This attribute displays the number times that the out of sequence byte threshold is exceeded. When the threshold is exceeded, this condition is treated as if the loss frame timer has expired and all frames queued at the sink Vc are delivered to the AP. We need to keep this count to examine if the threshold is engineered properly. This should be used in conjunction with the peak value of out-of- sequenced queue and the number of times the loss frame timer has expired. This count should be relatively small when compared with loss frame timer expiry count.')
gvcIfDlciVcPeakOoSeqPktCount = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPeakOoSeqPktCount.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPeakOoSeqPktCount.setDescription('This attribute displays the frame relay peak packet count of the out of sequence queue. This attribute records the maximum queue length of the out-of-sequenced queue. The counter can be used to deduce the message buffer requirement on a Vc.')
gvcIfDlciVcPeakOoSeqFrmForwarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPeakOoSeqFrmForwarded.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPeakOoSeqFrmForwarded.setDescription('This attribute displays the frame relay peak size of the sequence packet queue. The subnet may deliver packets out-of- sequenced. These packets are then queued in an out-of-sequenced queue, waiting for a packet with the expected sequence number to come. When that packet arrives, this attribute records the maximum number of packets that were out-of-sequenced, but now have become in-sequenced. The statistics is used to measure expected queue size due to normal subnet packet disorder (not due to subnet packet discard). Current implementation also uses this statistics to set a maximum size for the out-of-sequenced queue.')
gvcIfDlciVcSendSequenceNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcSendSequenceNumber.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcSendSequenceNumber.setDescription("This attribute displays the Vc internal packet's send sequence number. Note that a 'packet' in this context, may be either a user data packet, or an OAM frame.")
gvcIfDlciVcPktRetryTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPktRetryTimeouts.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPktRetryTimeouts.setDescription('This attribute displays the number of packets which have retransmission time-outs. When this count is excessive, the network is very congested and packets have been discarded in the subnet.')
gvcIfDlciVcPeakRetryQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPeakRetryQueueSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPeakRetryQueueSize.setDescription('This attribute displays the peak size of retransmission queue. This attribute is used as an indicator of the acknowledgment behavior across the subnet. Records the largest body of unacknowledged packets.')
gvcIfDlciVcSubnetRecoveries = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcSubnetRecoveries.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcSubnetRecoveries.setDescription('This attribute displays the number of successful Vc recovery attempts.')
gvcIfDlciVcOoSeqPktCntExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 19), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcOoSeqPktCntExceeded.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcOoSeqPktCntExceeded.setDescription('This attribute displays the number times that the out of sequence packet threshold is exceeded. When the threshold is exceeded, this condition is treated as if the loss frame timer has expired and all frames queued at the sink Vc are delivered to the AP. We need to keep this count to examine if the threshold is engineered properly. This should be used in conjunction with the peak value of out-of- sequenced queue and the number of times the loss frame timer has expired. This count should be relatively small when compared with loss frame timer expiry count.')
gvcIfDlciVcPeakOoSeqByteCount = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 12, 1, 20), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 50000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcPeakOoSeqByteCount.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcPeakOoSeqByteCount.setDescription('This attribute displays the frame relay peak byte count of the out of sequence queue. This attribute records the maximum queue length of the out-of-sequenced queue. The counter can be used to deduce the message buffer requirement on a Vc.')
gvcIfDlciVcDmepTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 417), )
if mibBuilder.loadTexts: gvcIfDlciVcDmepTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcDmepTable.setDescription('This attribute displays the data path used by the connection. Data path is provisioned in Dna and DirectCall components. If the connection is using dprsOnly data path, this attribute is empty. If the connection is using dprsMcsOnly or dprsMcsFirst data path, this attribute displays component name of the dprsMcsEndPoint.')
gvcIfDlciVcDmepEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 417, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciVcIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciVcDmepValue"))
if mibBuilder.loadTexts: gvcIfDlciVcDmepEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcDmepEntry.setDescription('An entry in the gvcIfDlciVcDmepTable.')
gvcIfDlciVcDmepValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 3, 417, 1, 1), RowPointer()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciVcDmepValue.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciVcDmepValue.setDescription('This variable represents both the value and the index for the gvcIfDlciVcDmepTable.')
gvcIfDlciSp = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4))
gvcIfDlciSpRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 1), )
if mibBuilder.loadTexts: gvcIfDlciSpRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlciSp components.')
gvcIfDlciSpRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSpIndex"))
if mibBuilder.loadTexts: gvcIfDlciSpRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciSp component.')
gvcIfDlciSpRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciSpRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciSp components. These components can be added and deleted.')
gvcIfDlciSpComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSpComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciSpStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSpStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciSp tables.')
gvcIfDlciSpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDlciSpIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpIndex.setDescription('This variable represents the index for the gvcIfDlciSp tables.')
gvcIfDlciSpParmsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11), )
if mibBuilder.loadTexts: gvcIfDlciSpParmsTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpParmsTable.setDescription('This group contains the provisionable attributes for the Data Link Connection Identifier. These attributes reflect the service parameters specific to this instance of Dlci.')
gvcIfDlciSpParmsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSpIndex"))
if mibBuilder.loadTexts: gvcIfDlciSpParmsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpParmsEntry.setDescription('An entry in the gvcIfDlciSpParmsTable.')
gvcIfDlciSpRateEnforcement = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('on')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciSpRateEnforcement.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpRateEnforcement.setDescription('This attribute specifies whether rate enforcement is to be used on this DLCI. Turning on rate enforcement means that the data sent from the service to the virtual circuit is subjected to rate control.')
gvcIfDlciSpCommittedInformationRate = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 50000000)).clone(64000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciSpCommittedInformationRate.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpCommittedInformationRate.setDescription('This attribute specifies the committed information rate (cir) in bits per second (bit/s). When rateEnforcement is set to on, cir is the rate at which the network agrees to transfer information under normal conditions. This rate is measured over a measurement interval (t) that is determined internally based on cir and the committed burst size (bc). An exception to this occurs when cir is provisioned to be zero, in which case the measurement interval (t) must be provisioned explicitly. This attribute is ignored when rateEnforcement is off. If rateEnforcement is on and this attribute is 0, bc must also be 0.')
gvcIfDlciSpCommittedBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 50000000)).clone(64000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciSpCommittedBurstSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpCommittedBurstSize.setDescription('This attribute specifies the committed burst size (bc) in bits. bc is the amount of data that a network agrees to transfer under normal conditions over a measurement interval (t). Data marked DE=1 is not accounted for in bc. This attribute is ignored when rateEnforcement is off. If rateEnforcement is on and this attribute is 0, cir must also be 0.')
gvcIfDlciSpExcessBurstSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 50000000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciSpExcessBurstSize.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpExcessBurstSize.setDescription('This attribute specifies the excess burst size (be) in bits. be is the amount of uncommitted data that the network will attempt to deliver over measurement interval (t). Data marked DE=1 by the user or by the network is accounted for here. cir, bc, and be cannot all be 0 when rateEnforcement is on.')
gvcIfDlciSpMeasurementInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 4, 11, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 25500))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciSpMeasurementInterval.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSpMeasurementInterval.setDescription('This attribute specifies the time interval (in milliseconds) over which rates and burst sizes are measured. When cir and bc are 0 and rateEnforcement is on, this attribute must be provisioned. When cir and bc are non-zero, the time interval is internally calculated. In that situation, this attribute is ignored, and is not representative of the time interval. This attribute is also ignored when rateEnforcement is off. If rateEnforcement is on and both cir and bc are 0, this field must be non-zero.')
gvcIfDlciBnn = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5))
gvcIfDlciBnnRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5, 1), )
if mibBuilder.loadTexts: gvcIfDlciBnnRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciBnnRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlciBnn components.')
gvcIfDlciBnnRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciBnnIndex"))
if mibBuilder.loadTexts: gvcIfDlciBnnRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciBnnRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciBnn component.')
gvcIfDlciBnnRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciBnnRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciBnnRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciBnn components. These components can be added and deleted.')
gvcIfDlciBnnComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciBnnComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciBnnComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciBnnStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciBnnStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciBnnStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciBnn tables.')
gvcIfDlciBnnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 5, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDlciBnnIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciBnnIndex.setDescription('This variable represents the index for the gvcIfDlciBnn tables.')
gvcIfDlciLdev = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6))
gvcIfDlciLdevRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 1), )
if mibBuilder.loadTexts: gvcIfDlciLdevRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlciLdev components.')
gvcIfDlciLdevRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciLdevIndex"))
if mibBuilder.loadTexts: gvcIfDlciLdevRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciLdev component.')
gvcIfDlciLdevRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciLdev components. These components can be added and deleted.')
gvcIfDlciLdevComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciLdevStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciLdev tables.')
gvcIfDlciLdevIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDlciLdevIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevIndex.setDescription('This variable represents the index for the gvcIfDlciLdev tables.')
gvcIfDlciLdevAddrTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 10), )
if mibBuilder.loadTexts: gvcIfDlciLdevAddrTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevAddrTable.setDescription('This group defines the LAN MAC address.')
gvcIfDlciLdevAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciLdevIndex"))
if mibBuilder.loadTexts: gvcIfDlciLdevAddrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevAddrEntry.setDescription('An entry in the gvcIfDlciLdevAddrTable.')
gvcIfDlciLdevMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 10, 1, 1), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevMac.setDescription('This attribute specifies the MAC of the device located on this side of the PVC, normally the host device. This address is inserted in the Destination Address (DA) field of the 802.5 frames sent typically to a Token Ring interface.')
gvcIfDlciLdevDevOpTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11), )
if mibBuilder.loadTexts: gvcIfDlciLdevDevOpTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDevOpTable.setDescription('This group specifies the operational attributes for devices that are potentially reachable by the SNA DLR service.')
gvcIfDlciLdevDevOpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciLdevIndex"))
if mibBuilder.loadTexts: gvcIfDlciLdevDevOpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDevOpEntry.setDescription('An entry in the gvcIfDlciLdevDevOpTable.')
gvcIfDlciLdevDeviceStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("unreachable", 0), ("reachable", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceStatus.setDescription('This attribute indicates whether the local device specified by mac is reachable or unreachable from this SNA DLR interface. The device status is determined by the SNA DLR service by sending a TEST frame with the Poll bit set to the device periodically. If a TEST frame with the Final bit set is received from the device then the device status becomes reachable; otherwise the device status is unreachable. When the device status is reachable, connections to this device are accepted. When the device status is unreachable, existing connections to the device are cleared and new connections are cleared to hunt or redirection services.')
gvcIfDlciLdevActiveLinkStations = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevActiveLinkStations.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevActiveLinkStations.setDescription('This attribute indicates the number of active link station connections using this device mapping component. It includes the link stations using the Qllc and the Frame-Relay connections.')
gvcIfDlciLdevLastTimeUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1, 3), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevLastTimeUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevLastTimeUnreachable.setDescription('This attribute indicates the last time the deviceStatus changed from reachable to unreachable.')
gvcIfDlciLdevLastTimeReachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1, 4), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevLastTimeReachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevLastTimeReachable.setDescription('This attribute indicates the last time the deviceStatus changed from unreachable to reachable.')
gvcIfDlciLdevDeviceUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceUnreachable.setDescription('This attribute counts the number of times the deviceStatus changed from reachable to unreachable. When the maximum count is exceeded the count wraps to zero.')
gvcIfDlciLdevMonitoringLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 11, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4095))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciLdevMonitoringLcn.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevMonitoringLcn.setDescription('This attribute indicates the instance of the GvcIf/n Lcn that is reserved for monitoring the device indicated by the mac.')
gvcIfDlciLdevDmoTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12), )
if mibBuilder.loadTexts: gvcIfDlciLdevDmoTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDmoTable.setDescription('This group defines the device monitoring options.')
gvcIfDlciLdevDmoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciLdevIndex"))
if mibBuilder.loadTexts: gvcIfDlciLdevDmoEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDmoEntry.setDescription('An entry in the gvcIfDlciLdevDmoTable.')
gvcIfDlciLdevDeviceMonitoring = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceMonitoring.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceMonitoring.setDescription('This attribute specifies wether device monitoring for the device specified in mac is enabled or disabled.')
gvcIfDlciLdevClearVcsWhenUnreachable = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevClearVcsWhenUnreachable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevClearVcsWhenUnreachable.setDescription('This attribute specifies wether to clear or not existing VCs when deviceStatus changes from reachable to unreachable.')
gvcIfDlciLdevDeviceMonitoringTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(15)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceMonitoringTimer.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevDeviceMonitoringTimer.setDescription('This attribute specifies the wait period between 2 consecutive device monitoring sequences. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDlciLdevTestResponseTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 30)).clone(3)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevTestResponseTimer.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevTestResponseTimer.setDescription('This attribute specifies the wait period between 2 consecutive TEST commands sent during one device monitoring sequence. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDlciLdevMaximumTestRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 6, 12, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(10)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciLdevMaximumTestRetry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciLdevMaximumTestRetry.setDescription('This attribute specifies the maximum number of TEST commands sent during one device monitoring sequence. A device monitoring sequence is characterized by one of the following: up to maxTestRetry TEST commands sent and a TEST response received or up to maxTestRetry of TEST commands sent and no TEST response received.')
gvcIfDlciRdev = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7))
gvcIfDlciRdevRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 1), )
if mibBuilder.loadTexts: gvcIfDlciRdevRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDlciRdev components.')
gvcIfDlciRdevRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciRdevIndex"))
if mibBuilder.loadTexts: gvcIfDlciRdevRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciRdev component.')
gvcIfDlciRdevRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciRdevRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciRdev components. These components can be added and deleted.')
gvcIfDlciRdevComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciRdevComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciRdevStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciRdevStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciRdev tables.')
gvcIfDlciRdevIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfDlciRdevIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevIndex.setDescription('This variable represents the index for the gvcIfDlciRdev tables.')
gvcIfDlciRdevAddrTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 10), )
if mibBuilder.loadTexts: gvcIfDlciRdevAddrTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevAddrTable.setDescription('This group defines the LAN MAC address.')
gvcIfDlciRdevAddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciRdevIndex"))
if mibBuilder.loadTexts: gvcIfDlciRdevAddrEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevAddrEntry.setDescription('An entry in the gvcIfDlciRdevAddrTable.')
gvcIfDlciRdevMac = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 7, 10, 1, 1), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDlciRdevMac.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciRdevMac.setDescription("This attribute specifies the MAC address that must be present in the Destination Address (DA) field of the 802.5 frames received (typically from a Token Ring interface) in order for the SNA DLR interface to copy them across this PVC. The MAC address in the frames is not necessarily the real MAC address of the remote device since it could be re-mapped at the remote end of the PVC using the Ddm or Sdm component or the equivalent mapping on another vendor's equipment.")
gvcIfDlciSap = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8))
gvcIfDlciSapRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1), )
if mibBuilder.loadTexts: gvcIfDlciSapRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapRowStatusTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This entry controls the addition and deletion of gvcIfDlciSap components.')
gvcIfDlciSapRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapLocalSapIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapRemoteSapIndex"))
if mibBuilder.loadTexts: gvcIfDlciSapRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciSap component.')
gvcIfDlciSapRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSapRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciSap components. These components cannot be added nor deleted.')
gvcIfDlciSapComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSapComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciSapStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSapStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciSap tables.')
gvcIfDlciSapLocalSapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(4, 4), ValueRangeConstraint(8, 8), ValueRangeConstraint(12, 12), ValueRangeConstraint(16, 16), ValueRangeConstraint(20, 20), ValueRangeConstraint(24, 24), ValueRangeConstraint(28, 28), ValueRangeConstraint(32, 32), ValueRangeConstraint(36, 36), ValueRangeConstraint(40, 40), ValueRangeConstraint(44, 44), ValueRangeConstraint(48, 48), ValueRangeConstraint(52, 52), ValueRangeConstraint(56, 56), ValueRangeConstraint(60, 60), ValueRangeConstraint(64, 64), ValueRangeConstraint(68, 68), ValueRangeConstraint(72, 72), ValueRangeConstraint(76, 76), ValueRangeConstraint(80, 80), ValueRangeConstraint(84, 84), ValueRangeConstraint(88, 88), ValueRangeConstraint(92, 92), ValueRangeConstraint(96, 96), ValueRangeConstraint(100, 100), ValueRangeConstraint(104, 104), ValueRangeConstraint(108, 108), ValueRangeConstraint(112, 112), ValueRangeConstraint(116, 116), ValueRangeConstraint(120, 120), ValueRangeConstraint(124, 124), ValueRangeConstraint(128, 128), ValueRangeConstraint(132, 132), ValueRangeConstraint(136, 136), ValueRangeConstraint(140, 140), ValueRangeConstraint(144, 144), ValueRangeConstraint(148, 148), ValueRangeConstraint(152, 152), ValueRangeConstraint(156, 156), ValueRangeConstraint(160, 160), ValueRangeConstraint(164, 164), ValueRangeConstraint(168, 168), ValueRangeConstraint(172, 172), ValueRangeConstraint(176, 176), ValueRangeConstraint(180, 180), ValueRangeConstraint(184, 184), ValueRangeConstraint(188, 188), ValueRangeConstraint(192, 192), ValueRangeConstraint(196, 196), ValueRangeConstraint(200, 200), ValueRangeConstraint(204, 204), ValueRangeConstraint(208, 208), ValueRangeConstraint(212, 212), ValueRangeConstraint(216, 216), ValueRangeConstraint(220, 220), ValueRangeConstraint(232, 232), ValueRangeConstraint(236, 236), ValueRangeConstraint(248, 248), ValueRangeConstraint(252, 252), )))
if mibBuilder.loadTexts: gvcIfDlciSapLocalSapIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapLocalSapIndex.setDescription('This variable represents an index for the gvcIfDlciSap tables.')
gvcIfDlciSapRemoteSapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(4, 4), ValueRangeConstraint(8, 8), ValueRangeConstraint(12, 12), ValueRangeConstraint(16, 16), ValueRangeConstraint(20, 20), ValueRangeConstraint(24, 24), ValueRangeConstraint(28, 28), ValueRangeConstraint(32, 32), ValueRangeConstraint(36, 36), ValueRangeConstraint(40, 40), ValueRangeConstraint(44, 44), ValueRangeConstraint(48, 48), ValueRangeConstraint(52, 52), ValueRangeConstraint(56, 56), ValueRangeConstraint(60, 60), ValueRangeConstraint(64, 64), ValueRangeConstraint(68, 68), ValueRangeConstraint(72, 72), ValueRangeConstraint(76, 76), ValueRangeConstraint(80, 80), ValueRangeConstraint(84, 84), ValueRangeConstraint(88, 88), ValueRangeConstraint(92, 92), ValueRangeConstraint(96, 96), ValueRangeConstraint(100, 100), ValueRangeConstraint(104, 104), ValueRangeConstraint(108, 108), ValueRangeConstraint(112, 112), ValueRangeConstraint(116, 116), ValueRangeConstraint(120, 120), ValueRangeConstraint(124, 124), ValueRangeConstraint(128, 128), ValueRangeConstraint(132, 132), ValueRangeConstraint(136, 136), ValueRangeConstraint(140, 140), ValueRangeConstraint(144, 144), ValueRangeConstraint(148, 148), ValueRangeConstraint(152, 152), ValueRangeConstraint(156, 156), ValueRangeConstraint(160, 160), ValueRangeConstraint(164, 164), ValueRangeConstraint(168, 168), ValueRangeConstraint(172, 172), ValueRangeConstraint(176, 176), ValueRangeConstraint(180, 180), ValueRangeConstraint(184, 184), ValueRangeConstraint(188, 188), ValueRangeConstraint(192, 192), ValueRangeConstraint(196, 196), ValueRangeConstraint(200, 200), ValueRangeConstraint(204, 204), ValueRangeConstraint(208, 208), ValueRangeConstraint(212, 212), ValueRangeConstraint(216, 216), ValueRangeConstraint(220, 220), ValueRangeConstraint(232, 232), ValueRangeConstraint(236, 236), ValueRangeConstraint(248, 248), ValueRangeConstraint(252, 252), )))
if mibBuilder.loadTexts: gvcIfDlciSapRemoteSapIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapRemoteSapIndex.setDescription('This variable represents an index for the gvcIfDlciSap tables.')
gvcIfDlciSapCircuit = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2))
gvcIfDlciSapCircuitRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1), )
if mibBuilder.loadTexts: gvcIfDlciSapCircuitRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitRowStatusTable.setDescription('*** THIS TABLE CURRENTLY NOT IMPLEMENTED *** This entry controls the addition and deletion of gvcIfDlciSapCircuit components.')
gvcIfDlciSapCircuitRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapLocalSapIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapRemoteSapIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapCircuitS1MacIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapCircuitS1SapIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapCircuitS2MacIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDlciSapCircuitS2SapIndex"))
if mibBuilder.loadTexts: gvcIfDlciSapCircuitRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDlciSapCircuit component.')
gvcIfDlciSapCircuitRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSapCircuitRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDlciSapCircuit components. These components cannot be added nor deleted.')
gvcIfDlciSapCircuitComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSapCircuitComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDlciSapCircuitStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDlciSapCircuitStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitStorageType.setDescription('This variable represents the storage type value for the gvcIfDlciSapCircuit tables.')
gvcIfDlciSapCircuitS1MacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 10), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6))
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS1MacIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS1MacIndex.setDescription('This variable represents an index for the gvcIfDlciSapCircuit tables.')
gvcIfDlciSapCircuitS1SapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 254)))
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS1SapIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS1SapIndex.setDescription('This variable represents an index for the gvcIfDlciSapCircuit tables.')
gvcIfDlciSapCircuitS2MacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 12), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6))
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS2MacIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS2MacIndex.setDescription('This variable represents an index for the gvcIfDlciSapCircuit tables.')
gvcIfDlciSapCircuitS2SapIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 7, 8, 2, 1, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 254)))
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS2SapIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDlciSapCircuitS2SapIndex.setDescription('This variable represents an index for the gvcIfDlciSapCircuit tables.')
gvcIfFrSvc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8))
gvcIfFrSvcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 1), )
if mibBuilder.loadTexts: gvcIfFrSvcRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfFrSvc components.')
gvcIfFrSvcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfFrSvcIndex"))
if mibBuilder.loadTexts: gvcIfFrSvcRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfFrSvc component.')
gvcIfFrSvcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfFrSvcRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfFrSvc components. These components can be added and deleted.')
gvcIfFrSvcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfFrSvcComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfFrSvcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfFrSvcStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcStorageType.setDescription('This variable represents the storage type value for the gvcIfFrSvc tables.')
gvcIfFrSvcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: gvcIfFrSvcIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcIndex.setDescription('This variable represents the index for the gvcIfFrSvc tables.')
gvcIfFrSvcProvisionedTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 11), )
if mibBuilder.loadTexts: gvcIfFrSvcProvisionedTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcProvisionedTable.setDescription('This group contains the provisonable parameters for the APPN service Frame Relay SVC calls.')
gvcIfFrSvcProvisionedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfFrSvcIndex"))
if mibBuilder.loadTexts: gvcIfFrSvcProvisionedEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcProvisionedEntry.setDescription('An entry in the gvcIfFrSvcProvisionedTable.')
gvcIfFrSvcMaximumFrameRelaySvcs = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 11, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 3072)).clone(1000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfFrSvcMaximumFrameRelaySvcs.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcMaximumFrameRelaySvcs.setDescription('This attribute specifies the maximum number of concurrently active Frame Relay SVC calls that are allowed for this service. This attribute does not include the general switched virtual circuits (GSVC).')
gvcIfFrSvcRateEnforcement = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1))).clone('on')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfFrSvcRateEnforcement.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcRateEnforcement.setDescription('This attribute specifies whether rate enforcement is to be used for new Frame Relay SVCs on this service. When rate enforcement is on the rate of data sent by the service to individual Frame Relay SVCs is controlled.')
gvcIfFrSvcMaximumCir = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 52000000)).clone(2048000)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfFrSvcMaximumCir.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcMaximumCir.setDescription('This attribute specifies the maximum rate enforcement CIR (Committed Information Rate) that is allowed for use with the Frame Relay SVCs on this service. During call setup negotiation, if the caller to this service requests a higher CIR value be used, the CIR used is reduced to the value of maximumCir.')
gvcIfFrSvcOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 12), )
if mibBuilder.loadTexts: gvcIfFrSvcOperationalTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcOperationalTable.setDescription('This group contains the operational attributes for the APPN Frame Relay SVC calls.')
gvcIfFrSvcOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 12, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfFrSvcIndex"))
if mibBuilder.loadTexts: gvcIfFrSvcOperationalEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcOperationalEntry.setDescription('An entry in the gvcIfFrSvcOperationalTable.')
gvcIfFrSvcCurrentNumberOfSvcCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 8, 12, 1, 1), Gauge32().subtype(subtypeSpec=ValueRangeConstraint(0, 3072))).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfFrSvcCurrentNumberOfSvcCalls.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfFrSvcCurrentNumberOfSvcCalls.setDescription('This attribute indicates the number of Frame Relay SVCs currently existing on this service. This attribute does not include the general switched virtual circuits (GSVC).')
gvcIfSMacF = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9))
gvcIfSMacFRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 1), )
if mibBuilder.loadTexts: gvcIfSMacFRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfSMacF components.')
gvcIfSMacFRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfSMacFIndex"))
if mibBuilder.loadTexts: gvcIfSMacFRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfSMacF component.')
gvcIfSMacFRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfSMacFRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfSMacF components. These components can be added and deleted.')
gvcIfSMacFComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfSMacFComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfSMacFStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfSMacFStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFStorageType.setDescription('This variable represents the storage type value for the gvcIfSMacF tables.')
gvcIfSMacFIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 1, 1, 10), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6))
if mibBuilder.loadTexts: gvcIfSMacFIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFIndex.setDescription('This variable represents the index for the gvcIfSMacF tables.')
gvcIfSMacFOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 11), )
if mibBuilder.loadTexts: gvcIfSMacFOperTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFOperTable.setDescription('This group provides the administrative set of parameters for the GvcIf component.')
gvcIfSMacFOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfSMacFIndex"))
if mibBuilder.loadTexts: gvcIfSMacFOperEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFOperEntry.setDescription('An entry in the gvcIfSMacFOperTable.')
gvcIfSMacFFramesMatchingFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 9, 11, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfSMacFFramesMatchingFilter.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfSMacFFramesMatchingFilter.setDescription('This attribute counts the number of frames containing a MAC address matching the instance of this component. When the maximum count is exceeded the count wraps to zero.')
gvcIfDMacF = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10))
gvcIfDMacFRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 1), )
if mibBuilder.loadTexts: gvcIfDMacFRowStatusTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFRowStatusTable.setDescription('This entry controls the addition and deletion of gvcIfDMacF components.')
gvcIfDMacFRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDMacFIndex"))
if mibBuilder.loadTexts: gvcIfDMacFRowStatusEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFRowStatusEntry.setDescription('A single entry in the table represents a single gvcIfDMacF component.')
gvcIfDMacFRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: gvcIfDMacFRowStatus.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFRowStatus.setDescription('This variable is used as the basis for SNMP naming of gvcIfDMacF components. These components can be added and deleted.')
gvcIfDMacFComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDMacFComponentName.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFComponentName.setDescription("This variable provides the component's string name for use with the ASCII Console Interface")
gvcIfDMacFStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDMacFStorageType.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFStorageType.setDescription('This variable represents the storage type value for the gvcIfDMacF tables.')
gvcIfDMacFIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 1, 1, 10), DashedHexString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6))
if mibBuilder.loadTexts: gvcIfDMacFIndex.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFIndex.setDescription('This variable represents the index for the gvcIfDMacF tables.')
gvcIfDMacFOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 11), )
if mibBuilder.loadTexts: gvcIfDMacFOperTable.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFOperTable.setDescription('This group provides the administrative set of parameters for the GvcIf component.')
gvcIfDMacFOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfIndex"), (0, "Nortel-Magellan-Passport-GeneralVcInterfaceMIB", "gvcIfDMacFIndex"))
if mibBuilder.loadTexts: gvcIfDMacFOperEntry.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFOperEntry.setDescription('An entry in the gvcIfDMacFOperTable.')
gvcIfDMacFFramesMatchingFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 107, 10, 11, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: gvcIfDMacFFramesMatchingFilter.setStatus('mandatory')
if mibBuilder.loadTexts: gvcIfDMacFFramesMatchingFilter.setDescription('This attribute counts the number of frames containing a MAC address matching the instance of this component. When the maximum count is exceeded the count wraps to zero.')
generalVcInterfaceGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 1))
generalVcInterfaceGroupBE = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 1, 5))
generalVcInterfaceGroupBE01 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 1, 5, 2))
generalVcInterfaceGroupBE01A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 1, 5, 2, 2))
generalVcInterfaceCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 3))
generalVcInterfaceCapabilitiesBE = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 3, 5))
generalVcInterfaceCapabilitiesBE01 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 3, 5, 2))
generalVcInterfaceCapabilitiesBE01A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 58, 3, 5, 2, 2))
mibBuilder.exportSymbols("Nortel-Magellan-Passport-GeneralVcInterfaceMIB", gvcIfLcnOperTable=gvcIfLcnOperTable, gvcIfDnaDdmDmoEntry=gvcIfDnaDdmDmoEntry, gvcIfDnaHgM=gvcIfDnaHgM, gvcIfLcnVcAckStackingTimeouts=gvcIfLcnVcAckStackingTimeouts, gvcIfDlciLocalDeviceMac=gvcIfDlciLocalDeviceMac, gvcIfDcCfaIndex=gvcIfDcCfaIndex, gvcIfDnaCugInterlockCode=gvcIfDnaCugInterlockCode, gvcIfDlciVc=gvcIfDlciVc, gvcIfDlciABitReasonToNetwork=gvcIfDlciABitReasonToNetwork, gvcIfRgStorageType=gvcIfRgStorageType, gvcIfRgIfEntryTable=gvcIfRgIfEntryTable, gvcIfRDnaMapLanAdEntry=gvcIfRDnaMapLanAdEntry, gvcIfDnaIncCalls=gvcIfDnaIncCalls, gvcIfDnaCugRowStatusTable=gvcIfDnaCugRowStatusTable, gvcIfIssueLcnClearAlarm=gvcIfIssueLcnClearAlarm, gvcIfDlciRdevAddrEntry=gvcIfDlciRdevAddrEntry, gvcIfDlciSpCommittedInformationRate=gvcIfDlciSpCommittedInformationRate, gvcIfDcRowStatus=gvcIfDcRowStatus, gvcIfDlciSapCircuitComponentName=gvcIfDlciSapCircuitComponentName, gvcIfDMacFRowStatusTable=gvcIfDMacFRowStatusTable, gvcIfLcnVcSegmentsSent=gvcIfLcnVcSegmentsSent, gvcIfDlciStateEntry=gvcIfDlciStateEntry, gvcIfDlciStateTable=gvcIfDlciStateTable, gvcIfLcnVcLocalRxPktSize=gvcIfLcnVcLocalRxPktSize, gvcIfLcnVcDuplicatesFromSubnet=gvcIfLcnVcDuplicatesFromSubnet, gvcIfDnaSdmDeviceMonitoring=gvcIfDnaSdmDeviceMonitoring, gvcIfDlciVcSegmentsRx=gvcIfDlciVcSegmentsRx, gvcIfDcOptionsEntry=gvcIfDcOptionsEntry, gvcIfDiscardedQllcCalls=gvcIfDiscardedQllcCalls, gvcIfDlciDcNfaIndex=gvcIfDlciDcNfaIndex, gvcIfDnaHgMAvailabilityUpdateThreshold=gvcIfDnaHgMAvailabilityUpdateThreshold, gvcIfDlciVcFrmLossTimeouts=gvcIfDlciVcFrmLossTimeouts, gvcIfSMacFOperTable=gvcIfSMacFOperTable, gvcIfLcnStateTable=gvcIfLcnStateTable, gvcIfDnaCugComponentName=gvcIfDnaCugComponentName, gvcIfDnaCugPreferential=gvcIfDnaCugPreferential, gvcIfDlciLdevMac=gvcIfDlciLdevMac, gvcIfDlciVcNotDataXferFromSubnet=gvcIfDlciVcNotDataXferFromSubnet, gvcIfDMacFOperEntry=gvcIfDMacFOperEntry, gvcIfDcOptionsTable=gvcIfDcOptionsTable, gvcIfDlciDcRowStatusEntry=gvcIfDlciDcRowStatusEntry, gvcIfRgProvEntry=gvcIfRgProvEntry, gvcIfDlciVcNotDataXferToSubnet=gvcIfDlciVcNotDataXferToSubnet, gvcIfDlciRdevAddrTable=gvcIfDlciRdevAddrTable, gvcIfLcnVcSegmentsRx=gvcIfLcnVcSegmentsRx, gvcIfLcnVcMaxSubnetPktSize=gvcIfLcnVcMaxSubnetPktSize, gvcIfDnaHgMMaxAvailableLinkStations=gvcIfDnaHgMMaxAvailableLinkStations, gvcIfRDnaMapRowStatusEntry=gvcIfRDnaMapRowStatusEntry, gvcIfDlciSpParmsEntry=gvcIfDlciSpParmsEntry, gvcIfFrSvcRowStatusEntry=gvcIfFrSvcRowStatusEntry, gvcIfDnaHgMComponentName=gvcIfDnaHgMComponentName, gvcIfSMacFIndex=gvcIfSMacFIndex, gvcIfDlciVcCadEntry=gvcIfDlciVcCadEntry, gvcIfCallsFromNetwork=gvcIfCallsFromNetwork, gvcIfDnaDdmRowStatusEntry=gvcIfDnaDdmRowStatusEntry, gvcIfDlciLdevDeviceMonitoringTimer=gvcIfDlciLdevDeviceMonitoringTimer, gvcIfDlciBnnStorageType=gvcIfDlciBnnStorageType, gvcIfDlciLdevRowStatusTable=gvcIfDlciLdevRowStatusTable, gvcIfLcnVcSubnetRecoveries=gvcIfLcnVcSubnetRecoveries, gvcIfLcnVcIndex=gvcIfLcnVcIndex, gvcIfRgIfEntryEntry=gvcIfRgIfEntryEntry, gvcIfDlciVcPeakOoSeqFrmForwarded=gvcIfDlciVcPeakOoSeqFrmForwarded, gvcIfLcnVcCalledLcn=gvcIfLcnVcCalledLcn, gvcIfDnaDefaultRecvFrmNetworkPacketSize=gvcIfDnaDefaultRecvFrmNetworkPacketSize, gvcIfLcnRowStatusTable=gvcIfLcnRowStatusTable, gvcIfDlciLdevComponentName=gvcIfDlciLdevComponentName, gvcIfDcCfaEntry=gvcIfDcCfaEntry, gvcIfLcnVcSubnetRxPktSize=gvcIfLcnVcSubnetRxPktSize, gvcIfDnaIncomingOptionsEntry=gvcIfDnaIncomingOptionsEntry, gvcIfDnaComponentName=gvcIfDnaComponentName, gvcIfDlciRowStatus=gvcIfDlciRowStatus, gvcIfDlciComponentName=gvcIfDlciComponentName, gvcIfDlciVcState=gvcIfDlciVcState, gvcIfDlciVcPathReliability=gvcIfDlciVcPathReliability, gvcIfDlciBnn=gvcIfDlciBnn, gvcIfDlciVcEmissionPriorityFromNetwork=gvcIfDlciVcEmissionPriorityFromNetwork, gvcIfLcnVcLocalTxPktSize=gvcIfLcnVcLocalTxPktSize, gvcIfOperationalState=gvcIfOperationalState, gvcIfLcnVcWrTriggers=gvcIfLcnVcWrTriggers, gvcIfRowStatusTable=gvcIfRowStatusTable, gvcIfDlciOperationalState=gvcIfDlciOperationalState, gvcIfDnaSdmDmoEntry=gvcIfDnaSdmDmoEntry, gvcIfDlciSpStorageType=gvcIfDlciSpStorageType, gvcIfDlciLdevAddrTable=gvcIfDlciLdevAddrTable, gvcIfFrSvcMaximumCir=gvcIfFrSvcMaximumCir, gvcIfLcnVcSubnetTxPktSize=gvcIfLcnVcSubnetTxPktSize, gvcIfDlciSpRateEnforcement=gvcIfDlciSpRateEnforcement, gvcIf=gvcIf, generalVcInterfaceGroupBE01=generalVcInterfaceGroupBE01, gvcIfDnaDdm=gvcIfDnaDdm, gvcIfDMacFRowStatusEntry=gvcIfDMacFRowStatusEntry, gvcIfDlciABitReasonFromNetwork=gvcIfDlciABitReasonFromNetwork, gvcIfDlciOperTable=gvcIfDlciOperTable, gvcIfDlciVcCadTable=gvcIfDlciVcCadTable, gvcIfDlciFrmToNetwork=gvcIfDlciFrmToNetwork, generalVcInterfaceCapabilitiesBE=generalVcInterfaceCapabilitiesBE, gvcIfDnaDefaultTransferPriority=gvcIfDnaDefaultTransferPriority, gvcIfDnaHgMHgAddrAddrEntry=gvcIfDnaHgMHgAddrAddrEntry, gvcIfLcnVcPeakRetryQueueSize=gvcIfLcnVcPeakRetryQueueSize, gvcIfDnaOutgoingOptionsTable=gvcIfDnaOutgoingOptionsTable, gvcIfDlciFramesWithUnknownSaps=gvcIfDlciFramesWithUnknownSaps, gvcIfDlciSapCircuitRowStatus=gvcIfDlciSapCircuitRowStatus, gvcIfDlciUsageState=gvcIfDlciUsageState, gvcIfDcSapIndex=gvcIfDcSapIndex, gvcIfComponentName=gvcIfComponentName, gvcIfSMacFComponentName=gvcIfSMacFComponentName, gvcIfDnaSdmStorageType=gvcIfDnaSdmStorageType, gvcIfDcCfaTable=gvcIfDcCfaTable, gvcIfDlciLdevMaximumTestRetry=gvcIfDlciLdevMaximumTestRetry, gvcIfProvEntry=gvcIfProvEntry, gvcIfLcnVcFastSelectCall=gvcIfLcnVcFastSelectCall, gvcIfDlciDcRowStatusTable=gvcIfDlciDcRowStatusTable, gvcIfDnaTransferPriorityOverRide=gvcIfDnaTransferPriorityOverRide, gvcIfDlciRdevComponentName=gvcIfDlciRdevComponentName, gvcIfDlciVcPeakRetryQueueSize=gvcIfDlciVcPeakRetryQueueSize, gvcIfDlciDcDiscardPriority=gvcIfDlciDcDiscardPriority, gvcIfLcnRowStatus=gvcIfLcnRowStatus, gvcIfLcnVcIntdEntry=gvcIfLcnVcIntdEntry, gvcIfDnaIncNormalPriorityReverseCharge=gvcIfDnaIncNormalPriorityReverseCharge, gvcIfLcnVcWindowClosuresFromSubnet=gvcIfLcnVcWindowClosuresFromSubnet, generalVcInterfaceCapabilities=generalVcInterfaceCapabilities, gvcIfDnaSdmClearVcsWhenUnreachable=gvcIfDnaSdmClearVcsWhenUnreachable, gvcIfDlciExcessInformationRate=gvcIfDlciExcessInformationRate, gvcIfDnaHgMHgAddrRowStatus=gvcIfDnaHgMHgAddrRowStatus, gvcIfLcnVcCadEntry=gvcIfLcnVcCadEntry, gvcIfDnaDefaultRecvFrmNetworkThruputClass=gvcIfDnaDefaultRecvFrmNetworkThruputClass, gvcIfLcnVcIntdTable=gvcIfLcnVcIntdTable, gvcIfLcnVcRowStatusEntry=gvcIfLcnVcRowStatusEntry, gvcIfDc=gvcIfDc, gvcIfRgLinkToProtocolPort=gvcIfRgLinkToProtocolPort, gvcIfDlciSapCircuit=gvcIfDlciSapCircuit, gvcIfDnaDdmDeviceStatus=gvcIfDnaDdmDeviceStatus, gvcIfDnaDdmLanAdEntry=gvcIfDnaDdmLanAdEntry, gvcIfDMacFIndex=gvcIfDMacFIndex, generalVcInterfaceCapabilitiesBE01=generalVcInterfaceCapabilitiesBE01, gvcIfDlciLdevDmoEntry=gvcIfDlciLdevDmoEntry, gvcIfUsageState=gvcIfUsageState, gvcIfDlciVcFrdTable=gvcIfDlciVcFrdTable, gvcIfDlciStatsEntry=gvcIfDlciStatsEntry, gvcIfDnaIncIntlReverseCharge=gvcIfDnaIncIntlReverseCharge, gvcIfDlciSapCircuitS1SapIndex=gvcIfDlciSapCircuitS1SapIndex, gvcIfLcnDnaMap=gvcIfLcnDnaMap, gvcIfDnaSdmDevOpEntry=gvcIfDnaSdmDevOpEntry, gvcIfDnaHgMHgAddrNumberingPlanIndicator=gvcIfDnaHgMHgAddrNumberingPlanIndicator, gvcIfDlciOperEntry=gvcIfDlciOperEntry, gvcIfDlciVcSendSequenceNumber=gvcIfDlciVcSendSequenceNumber, gvcIfDlciSpMeasurementInterval=gvcIfDlciSpMeasurementInterval, gvcIfDnaDdmRowStatusTable=gvcIfDnaDdmRowStatusTable, gvcIfDlciAbitEntry=gvcIfDlciAbitEntry, gvcIfDnaSdmRowStatusTable=gvcIfDnaSdmRowStatusTable, gvcIfLcnVcPeakOoSeqQueueSize=gvcIfLcnVcPeakOoSeqQueueSize, gvcIfDnaRowStatus=gvcIfDnaRowStatus, gvcIfDnaOutgoingOptionsEntry=gvcIfDnaOutgoingOptionsEntry, gvcIfCallsRefusedByNetwork=gvcIfCallsRefusedByNetwork, gvcIfDlci=gvcIfDlci, gvcIfLcnVcLocalRxWindowSize=gvcIfLcnVcLocalRxWindowSize, gvcIfDlciDcNfaRowStatus=gvcIfDlciDcNfaRowStatus, gvcIfDnaHgMHgAddrRowStatusEntry=gvcIfDnaHgMHgAddrRowStatusEntry, gvcIfAdminState=gvcIfAdminState, gvcIfDnaDdmDevOpTable=gvcIfDnaDdmDevOpTable, gvcIfDnaCugRowStatusEntry=gvcIfDnaCugRowStatusEntry, gvcIfCidDataTable=gvcIfCidDataTable, gvcIfDnaHgMHgAddrAddrTable=gvcIfDnaHgMHgAddrAddrTable, gvcIfDnaDdmIndex=gvcIfDnaDdmIndex, gvcIfLcnVcComponentName=gvcIfLcnVcComponentName, gvcIfDnaDdmSap=gvcIfDnaDdmSap, gvcIfDlciLdevAddrEntry=gvcIfDlciLdevAddrEntry, gvcIfLcnVc=gvcIfLcnVc, gvcIfDlciLdevTestResponseTimer=gvcIfDlciLdevTestResponseTimer, gvcIfDlciRowStatusTable=gvcIfDlciRowStatusTable, gvcIfRgRowStatusTable=gvcIfRgRowStatusTable, gvcIfDlciLdevClearVcsWhenUnreachable=gvcIfDlciLdevClearVcsWhenUnreachable, gvcIfDnaPacketSizeNegotiation=gvcIfDnaPacketSizeNegotiation, gvcIfRgOperStatusTable=gvcIfRgOperStatusTable, gvcIfRgIndex=gvcIfRgIndex, gvcIfDlciDcIndex=gvcIfDlciDcIndex, gvcIfDnaSdmLanAdEntry=gvcIfDnaSdmLanAdEntry, gvcIfDcCfaValue=gvcIfDcCfaValue, gvcIfLcnVcPreviousState=gvcIfLcnVcPreviousState, gvcIfDlciLdevActiveLinkStations=gvcIfDlciLdevActiveLinkStations, gvcIfDlciSpOpEntry=gvcIfDlciSpOpEntry, gvcIfDnaHgMHgAddr=gvcIfDnaHgMHgAddr, gvcIfDMacFFramesMatchingFilter=gvcIfDMacFFramesMatchingFilter, gvcIfDnaDefaultRecvFrmNetworkWindowSize=gvcIfDnaDefaultRecvFrmNetworkWindowSize, gvcIfDlciAdminState=gvcIfDlciAdminState, gvcIfDnaSdmLastTimeUnreachable=gvcIfDnaSdmLastTimeUnreachable, gvcIfSMacFOperEntry=gvcIfSMacFOperEntry, gvcIfDlciSapLocalSapIndex=gvcIfDlciSapLocalSapIndex, gvcIfRDnaMap=gvcIfRDnaMap, gvcIfDlciVcRcosToNetwork=gvcIfDlciVcRcosToNetwork, gvcIfDlciLdevDeviceUnreachable=gvcIfDlciLdevDeviceUnreachable, gvcIfDcRowStatusEntry=gvcIfDcRowStatusEntry, gvcIfRgSnmpOperStatus=gvcIfRgSnmpOperStatus, gvcIfDMacFOperTable=gvcIfDMacFOperTable, gvcIfDlciSapCircuitStorageType=gvcIfDlciSapCircuitStorageType, gvcIfDlciVcCallReferenceNumber=gvcIfDlciVcCallReferenceNumber, gvcIfDnaSdmLanAdTable=gvcIfDnaSdmLanAdTable, gvcIfDnaCugIncCalls=gvcIfDnaCugIncCalls, gvcIfDlciVcOoSeqPktCntExceeded=gvcIfDlciVcOoSeqPktCntExceeded, gvcIfDlciVcElapsedTimeTillNow=gvcIfDlciVcElapsedTimeTillNow, gvcIfDlciVcSubnetRecoveries=gvcIfDlciVcSubnetRecoveries, gvcIfFrSvcOperationalTable=gvcIfFrSvcOperationalTable, gvcIfCallsRefusedByInterface=gvcIfCallsRefusedByInterface, gvcIfDlciStatsTable=gvcIfDlciStatsTable, gvcIfDlciDcRemoteDlci=gvcIfDlciDcRemoteDlci, gvcIfIndex=gvcIfIndex, gvcIfLcnUsageState=gvcIfLcnUsageState, gvcIfDlciVcPeakOoSeqPktCount=gvcIfDlciVcPeakOoSeqPktCount, gvcIfDnaSdmDmoTable=gvcIfDnaSdmDmoTable, gvcIfDlciSp=gvcIfDlciSp, gvcIfDlciRdevIndex=gvcIfDlciRdevIndex, gvcIfDlciVcIntdTable=gvcIfDlciVcIntdTable, gvcIfLcnVcCallingLcn=gvcIfLcnVcCallingLcn, gvcIfDnaDdmDeviceUnreachable=gvcIfDnaDdmDeviceUnreachable, gvcIfDnaDdmClearVcsWhenUnreachable=gvcIfDnaDdmClearVcsWhenUnreachable, gvcIfFrSvcRateEnforcement=gvcIfFrSvcRateEnforcement, gvcIfLcnVcTransferPriorityToNetwork=gvcIfLcnVcTransferPriorityToNetwork, gvcIfDnaDdmActiveLinkStations=gvcIfDnaDdmActiveLinkStations, gvcIfDlciVcOutOfRangeFrmFromSubnet=gvcIfDlciVcOutOfRangeFrmFromSubnet, gvcIfDlciDcOptionsTable=gvcIfDlciDcOptionsTable, gvcIfDlciStorageType=gvcIfDlciStorageType, gvcIfRDnaMapComponentName=gvcIfRDnaMapComponentName, gvcIfLcnVcFrmRetryTimeouts=gvcIfLcnVcFrmRetryTimeouts, gvcIfDcDiscardPriority=gvcIfDcDiscardPriority, gvcIfDlciBnnRowStatusEntry=gvcIfDlciBnnRowStatusEntry, gvcIfFrSvcRowStatusTable=gvcIfFrSvcRowStatusTable, gvcIfLcn=gvcIfLcn, gvcIfRDnaMapMac=gvcIfRDnaMapMac, gvcIfDnaDataNetworkAddress=gvcIfDnaDataNetworkAddress, gvcIfDnaCugCugOptionsTable=gvcIfDnaCugCugOptionsTable, gvcIfDlciVcDmepValue=gvcIfDlciVcDmepValue, gvcIfDlciRemoteDeviceMac=gvcIfDlciRemoteDeviceMac, gvcIfDnaHgMHgAddrComponentName=gvcIfDnaHgMHgAddrComponentName, gvcIfDcMacIndex=gvcIfDcMacIndex, gvcIfDnaCugCugOptionsEntry=gvcIfDnaCugCugOptionsEntry, gvcIfDlciRdevMac=gvcIfDlciRdevMac, gvcIfDnaRowStatusTable=gvcIfDnaRowStatusTable, gvcIfDlciSpRowStatus=gvcIfDlciSpRowStatus, gvcIfDnaIncHighPriorityReverseCharge=gvcIfDnaIncHighPriorityReverseCharge, gvcIfDnaCugOutCalls=gvcIfDnaCugOutCalls, gvcIfPeakActiveLinkStations=gvcIfPeakActiveLinkStations, gvcIfDnaCugRowStatus=gvcIfDnaCugRowStatus, gvcIfLcnVcElapsedTimeTillNow=gvcIfLcnVcElapsedTimeTillNow, gvcIfLcnLcnCIdTable=gvcIfLcnLcnCIdTable, gvcIfBcastFramesDiscarded=gvcIfBcastFramesDiscarded, gvcIfDnaDdmDevOpEntry=gvcIfDnaDdmDevOpEntry, gvcIfActiveQllcCalls=gvcIfActiveQllcCalls, gvcIfDnaDdmLastTimeReachable=gvcIfDnaDdmLastTimeReachable, gvcIfFrSvcProvisionedTable=gvcIfFrSvcProvisionedTable, gvcIfLcnVcOutOfRangeFrmFromSubnet=gvcIfLcnVcOutOfRangeFrmFromSubnet, gvcIfDlciABitStatusFromNetwork=gvcIfDlciABitStatusFromNetwork, gvcIfRDnaMapRowStatusTable=gvcIfRDnaMapRowStatusTable, gvcIfDnaCugDnic=gvcIfDnaCugDnic, gvcIfLcnVcPeakOoSeqFrmForwarded=gvcIfLcnVcPeakOoSeqFrmForwarded)
mibBuilder.exportSymbols("Nortel-Magellan-Passport-GeneralVcInterfaceMIB", gvcIfDlciSpCommittedBurstSize=gvcIfDlciSpCommittedBurstSize, gvcIfLcnVcCalledDna=gvcIfLcnVcCalledDna, gvcIfDnaHgMHgAddrStorageType=gvcIfDnaHgMHgAddrStorageType, generalVcInterfaceGroup=generalVcInterfaceGroup, gvcIfLcnVcCallingDna=gvcIfLcnVcCallingDna, gvcIfDnaOutAccess=gvcIfDnaOutAccess, gvcIfDlciVcStartTime=gvcIfDlciVcStartTime, gvcIfLcnAdminState=gvcIfLcnAdminState, gvcIfRg=gvcIfRg, gvcIfDlciCommittedInformationRate=gvcIfDlciCommittedInformationRate, gvcIfLcnVcDiagnosticCode=gvcIfLcnVcDiagnosticCode, gvcIfDnaRowStatusEntry=gvcIfDnaRowStatusEntry, gvcIfLogicalProcessor=gvcIfLogicalProcessor, gvcIfDlciVcCombErrorsFromSubnet=gvcIfDlciVcCombErrorsFromSubnet, gvcIfDlciDcRowStatus=gvcIfDlciDcRowStatus, gvcIfLcnVcSubnetRxWindowSize=gvcIfLcnVcSubnetRxWindowSize, gvcIfDlciBnnRowStatusTable=gvcIfDlciBnnRowStatusTable, gvcIfDcRowStatusTable=gvcIfDcRowStatusTable, gvcIfLcnVcAccountingEnd=gvcIfLcnVcAccountingEnd, gvcIfDMacFStorageType=gvcIfDMacFStorageType, gvcIfDlciSapRowStatusTable=gvcIfDlciSapRowStatusTable, gvcIfLcnVcPriority=gvcIfLcnVcPriority, gvcIfFrSvcStorageType=gvcIfFrSvcStorageType, gvcIfDcComponentName=gvcIfDcComponentName, gvcIfDnaSdmDevOpTable=gvcIfDnaSdmDevOpTable, gvcIfDlciAbitTable=gvcIfDlciAbitTable, gvcIfFrSvc=gvcIfFrSvc, gvcIfDnaDdmLanAdTable=gvcIfDnaDdmLanAdTable, gvcIfSMacFRowStatus=gvcIfSMacFRowStatus, gvcIfDlciLdevDeviceStatus=gvcIfDlciLdevDeviceStatus, gvcIfFrSvcRowStatus=gvcIfFrSvcRowStatus, gvcIfDlciVcDiagnosticCode=gvcIfDlciVcDiagnosticCode, gvcIfDnaDdmTestResponseTimer=gvcIfDnaDdmTestResponseTimer, gvcIfDMacF=gvcIfDMacF, gvcIfDnaCallOptionsEntry=gvcIfDnaCallOptionsEntry, gvcIfDnaSdmMonitoringLcn=gvcIfDnaSdmMonitoringLcn, gvcIfDnaServiceExchange=gvcIfDnaServiceExchange, gvcIfRDnaMapSap=gvcIfRDnaMapSap, gvcIfDlciLdevRowStatusEntry=gvcIfDlciLdevRowStatusEntry, gvcIfDnaNumberingPlanIndicator=gvcIfDnaNumberingPlanIndicator, gvcIfOpEntry=gvcIfOpEntry, gvcIfRowStatus=gvcIfRowStatus, gvcIfLcnLcnCIdEntry=gvcIfLcnLcnCIdEntry, gvcIfDnaAccountClass=gvcIfDnaAccountClass, gvcIfDlciDcRemoteDna=gvcIfDlciDcRemoteDna, gvcIfDlciRdevRowStatusTable=gvcIfDlciRdevRowStatusTable, gvcIfLcnVcStatsEntry=gvcIfLcnVcStatsEntry, gvcIfStateEntry=gvcIfStateEntry, gvcIfLcnVcStartTime=gvcIfLcnVcStartTime, gvcIfDlciVcCallingNpi=gvcIfDlciVcCallingNpi, gvcIfDnaOutDefaultPathReliability=gvcIfDnaOutDefaultPathReliability, gvcIfStateTable=gvcIfStateTable, gvcIfDlciLdevIndex=gvcIfDlciLdevIndex, gvcIfRDnaMapDnaIndex=gvcIfRDnaMapDnaIndex, gvcIfDlciVcType=gvcIfDlciVcType, gvcIfLcnCircuitId=gvcIfLcnCircuitId, gvcIfDlciVcFastSelectCall=gvcIfDlciVcFastSelectCall, gvcIfDnaSdmDeviceMonitoringTimer=gvcIfDnaSdmDeviceMonitoringTimer, gvcIfDnaDdmMac=gvcIfDnaDdmMac, gvcIfDnaDdmDmoTable=gvcIfDnaDdmDmoTable, gvcIfDlciDcType=gvcIfDlciDcType, gvcIfDlciBnnRowStatus=gvcIfDlciBnnRowStatus, gvcIfStatsEntry=gvcIfStatsEntry, gvcIfDnaHgMHgAddrDataNetworkAddress=gvcIfDnaHgMHgAddrDataNetworkAddress, gvcIfDnaIncSameService=gvcIfDnaIncSameService, gvcIfDnaOutDefaultPathSensitivity=gvcIfDnaOutDefaultPathSensitivity, gvcIfDlciVcMaxSubnetPktSize=gvcIfDlciVcMaxSubnetPktSize, gvcIfDcUserData=gvcIfDcUserData, gvcIfDcTransferPriority=gvcIfDcTransferPriority, gvcIfDnaDefaultSendToNetworkThruputClass=gvcIfDnaDefaultSendToNetworkThruputClass, gvcIfDnaHgMHgAddrRowStatusTable=gvcIfDnaHgMHgAddrRowStatusTable, gvcIfDcRemoteNpi=gvcIfDcRemoteNpi, gvcIfDnaDdmDeviceMonitoringTimer=gvcIfDnaDdmDeviceMonitoringTimer, gvcIfDlciVcPreviousDiagnosticCode=gvcIfDlciVcPreviousDiagnosticCode, gvcIfDlciVcFrmCongestedToSubnet=gvcIfDlciVcFrmCongestedToSubnet, gvcIfDlciSpParmsTable=gvcIfDlciSpParmsTable, gvcIfDlciVcAccountingEnabled=gvcIfDlciVcAccountingEnabled, gvcIfDlciVcAccountingEnd=gvcIfDlciVcAccountingEnd, gvcIfCallsToNetwork=gvcIfCallsToNetwork, gvcIfDlciExcessBurstSize=gvcIfDlciExcessBurstSize, gvcIfDlciVcEmissionPriorityToNetwork=gvcIfDlciVcEmissionPriorityToNetwork, gvcIfDna=gvcIfDna, gvcIfRDnaMapLanAdTable=gvcIfRDnaMapLanAdTable, gvcIfDnaAccountCollection=gvcIfDnaAccountCollection, gvcIfLcnVcSegmentSize=gvcIfLcnVcSegmentSize, gvcIfRgIfAdminStatus=gvcIfRgIfAdminStatus, gvcIfDlciVcPktRetryTimeouts=gvcIfDlciVcPktRetryTimeouts, gvcIfDlciVcFrdEntry=gvcIfDlciVcFrdEntry, gvcIfDlciLdevMonitoringLcn=gvcIfDlciLdevMonitoringLcn, gvcIfDnaIndex=gvcIfDnaIndex, gvcIfDnaCugStorageType=gvcIfDnaCugStorageType, gvcIfSMacFRowStatusTable=gvcIfSMacFRowStatusTable, gvcIfLcnOperationalState=gvcIfLcnOperationalState, gvcIfDlciSapRemoteSapIndex=gvcIfDlciSapRemoteSapIndex, gvcIfLcnRowStatusEntry=gvcIfLcnRowStatusEntry, gvcIfDlciSapRowStatusEntry=gvcIfDlciSapRowStatusEntry, gvcIfRDnaMapNpiIndex=gvcIfRDnaMapNpiIndex, gvcIfDlciRateEnforcement=gvcIfDlciRateEnforcement, gvcIfDlciSapComponentName=gvcIfDlciSapComponentName, gvcIfLcnVcWindowClosuresToSubnet=gvcIfLcnVcWindowClosuresToSubnet, gvcIfLcnVcState=gvcIfLcnVcState, gvcIfDlciVcComponentName=gvcIfDlciVcComponentName, gvcIfDlciLdevDmoTable=gvcIfDlciLdevDmoTable, gvcIfDlciVcPeakOoSeqByteCount=gvcIfDlciVcPeakOoSeqByteCount, generalVcInterfaceCapabilitiesBE01A=generalVcInterfaceCapabilitiesBE01A, gvcIfDnaCugIndex=gvcIfDnaCugIndex, gvcIfFrSvcIndex=gvcIfFrSvcIndex, gvcIfSMacFRowStatusEntry=gvcIfSMacFRowStatusEntry, gvcIfDlciRowStatusEntry=gvcIfDlciRowStatusEntry, gvcIfDnaDefaultSendToNetworkWindowSize=gvcIfDnaDefaultSendToNetworkWindowSize, gvcIfDlciDcOptionsEntry=gvcIfDlciDcOptionsEntry, gvcIfDlciVcStorageType=gvcIfDlciVcStorageType, gvcIfDnaSdmRowStatus=gvcIfDnaSdmRowStatus, gvcIfDnaIncAccess=gvcIfDnaIncAccess, gvcIfDlciVcDmepTable=gvcIfDlciVcDmepTable, gvcIfDlciLdevDevOpTable=gvcIfDlciLdevDevOpTable, gvcIfDlciLdevLastTimeReachable=gvcIfDlciLdevLastTimeReachable, gvcIfDnaCallOptionsTable=gvcIfDnaCallOptionsTable, gvcIfDnaDdmDeviceMonitoring=gvcIfDnaDdmDeviceMonitoring, gvcIfDnaCugFormat=gvcIfDnaCugFormat, gvcIfRgComponentName=gvcIfRgComponentName, gvcIfDlciBnnComponentName=gvcIfDlciBnnComponentName, gvcIfDnaOutDefaultPriority=gvcIfDnaOutDefaultPriority, gvcIfDnaSdmActiveLinkStations=gvcIfDnaSdmActiveLinkStations, generalVcInterfaceGroupBE=generalVcInterfaceGroupBE, gvcIfDlciDcTransferPriority=gvcIfDlciDcTransferPriority, gvcIfDnaSdmMaximumTestRetry=gvcIfDnaSdmMaximumTestRetry, generalVcInterfaceMIB=generalVcInterfaceMIB, gvcIfDnaHgMRowStatusEntry=gvcIfDnaHgMRowStatusEntry, gvcIfDnaSdmMac=gvcIfDnaSdmMac, gvcIfDnaIncIntlNormalCharge=gvcIfDnaIncIntlNormalCharge, gvcIfDlciEncapsulationType=gvcIfDlciEncapsulationType, gvcIfDlciDcNfaTable=gvcIfDlciDcNfaTable, gvcIfLcnStateEntry=gvcIfLcnStateEntry, gvcIfDlciRdevStorageType=gvcIfDlciRdevStorageType, gvcIfLcnVcCalledNpi=gvcIfLcnVcCalledNpi, gvcIfDnaSdmIndex=gvcIfDnaSdmIndex, gvcIfLcnVcTransferPriorityFromNetwork=gvcIfLcnVcTransferPriorityFromNetwork, gvcIfLcnState=gvcIfLcnState, gvcIfLcnVcPeakStackedAcksRx=gvcIfLcnVcPeakStackedAcksRx, gvcIfDlciSapCircuitS1MacIndex=gvcIfDlciSapCircuitS1MacIndex, gvcIfLcnSourceMac=gvcIfLcnSourceMac, gvcIfDnaServiceCategory=gvcIfDnaServiceCategory, gvcIfOpTable=gvcIfOpTable, gvcIfRgRowStatus=gvcIfRgRowStatus, gvcIfDlciBnnIndex=gvcIfDlciBnnIndex, gvcIfDnaDdmRowStatus=gvcIfDnaDdmRowStatus, gvcIfDlciLdev=gvcIfDlciLdev, gvcIfProvTable=gvcIfProvTable, gvcIfDnaSdmSap=gvcIfDnaSdmSap, gvcIfLcnVcCadTable=gvcIfLcnVcCadTable, gvcIfSMacF=gvcIfSMacF, gvcIfStatsTable=gvcIfStatsTable, gvcIfDlciVcOoSeqByteCntExceeded=gvcIfDlciVcOoSeqByteCntExceeded, gvcIfDlciVcSegmentsSent=gvcIfDlciVcSegmentsSent, gvcIfDnaDdmMaximumTestRetry=gvcIfDnaDdmMaximumTestRetry, gvcIfLcnComponentName=gvcIfLcnComponentName, gvcIfDlciVcCallingLcn=gvcIfDlciVcCallingLcn, gvcIfDlciDcComponentName=gvcIfDlciDcComponentName, gvcIfDnaSdmTestResponseTimer=gvcIfDnaSdmTestResponseTimer, gvcIfDlciVcRcosFromNetwork=gvcIfDlciVcRcosFromNetwork, gvcIfDlciVcIntdEntry=gvcIfDlciVcIntdEntry, gvcIfDlciDc=gvcIfDlciDc, gvcIfDnaSdm=gvcIfDnaSdm, gvcIfDlciVcPriority=gvcIfDlciVcPriority, gvcIfLcnIndex=gvcIfLcnIndex, gvcIfLcnVcRowStatusTable=gvcIfLcnVcRowStatusTable, gvcIfDlciSpExcessBurstSize=gvcIfDlciSpExcessBurstSize, gvcIfLcnVcStatsTable=gvcIfLcnVcStatsTable, gvcIfDlciVcDataPath=gvcIfDlciVcDataPath, gvcIfLcnStorageType=gvcIfLcnStorageType, gvcIfRgIfIndex=gvcIfRgIfIndex, gvcIfActiveLinkStations=gvcIfActiveLinkStations, gvcIfDlciVcRowStatusEntry=gvcIfDlciVcRowStatusEntry, gvcIfDlciSapRowStatus=gvcIfDlciSapRowStatus, gvcIfDnaHgMRowStatus=gvcIfDnaHgMRowStatus, gvcIfDlciSapCircuitRowStatusTable=gvcIfDlciSapCircuitRowStatusTable, gvcIfDlciDcNfaEntry=gvcIfDlciDcNfaEntry, gvcIfDlciVcDuplicatesFromSubnet=gvcIfDlciVcDuplicatesFromSubnet, gvcIfRDnaMapStorageType=gvcIfRDnaMapStorageType, gvcIfDlciSpRowStatusTable=gvcIfDlciSpRowStatusTable, gvcIfDnaSdmRowStatusEntry=gvcIfDnaSdmRowStatusEntry, gvcIfDlciVcIndex=gvcIfDlciVcIndex, gvcIfDMacFComponentName=gvcIfDMacFComponentName, gvcIfDlciABitStatusToNetwork=gvcIfDlciABitStatusToNetwork, gvcIfDlciRdevRowStatusEntry=gvcIfDlciRdevRowStatusEntry, gvcIfDlciLdevLastTimeUnreachable=gvcIfDlciLdevLastTimeUnreachable, gvcIfRgOperStatusEntry=gvcIfRgOperStatusEntry, gvcIfLcnOperEntry=gvcIfLcnOperEntry, gvcIfDlciFrmDiscardToNetwork=gvcIfDlciFrmDiscardToNetwork, gvcIfDnaHgMHgAddrIndex=gvcIfDnaHgMHgAddrIndex, gvcIfDnaDdmMonitoringLcn=gvcIfDnaDdmMonitoringLcn, gvcIfDlciDcStorageType=gvcIfDlciDcStorageType, gvcIfDMacFRowStatus=gvcIfDMacFRowStatus, gvcIfLcnVcCallReferenceNumber=gvcIfLcnVcCallReferenceNumber, gvcIfDlciSpIndex=gvcIfDlciSpIndex, gvcIfDlciSpRowStatusEntry=gvcIfDlciSpRowStatusEntry, gvcIfLcnVcSubnetTxWindowSize=gvcIfLcnVcSubnetTxWindowSize, gvcIfDlciVcCalledNpi=gvcIfDlciVcCalledNpi, gvcIfDnaHgMRowStatusTable=gvcIfDnaHgMRowStatusTable, gvcIfDlciSapCircuitS2SapIndex=gvcIfDlciSapCircuitS2SapIndex, gvcIfMaxActiveLinkStation=gvcIfMaxActiveLinkStation, gvcIfDlciSpOpTable=gvcIfDlciSpOpTable, gvcIfDnaHgMAvailableLinkStations=gvcIfDnaHgMAvailableLinkStations, gvcIfDcStorageType=gvcIfDcStorageType, gvcIfLcnVcAccountingEnabled=gvcIfLcnVcAccountingEnabled, gvcIfDlciSapCircuitRowStatusEntry=gvcIfDlciSapCircuitRowStatusEntry, gvcIfFrSvcOperationalEntry=gvcIfFrSvcOperationalEntry, gvcIfDlciDcRemoteNpi=gvcIfDlciDcRemoteNpi, gvcIfLcnVcType=gvcIfLcnVcType, gvcIfDnaSdmDeviceStatus=gvcIfDnaSdmDeviceStatus, gvcIfDnaCugType=gvcIfDnaCugType, gvcIfDlciSapStorageType=gvcIfDlciSapStorageType, gvcIfDnaHgMIfTable=gvcIfDnaHgMIfTable, gvcIfDlciVcRowStatusTable=gvcIfDlciVcRowStatusTable, gvcIfDnaCugPrivileged=gvcIfDnaCugPrivileged, gvcIfDnaDdmComponentName=gvcIfDnaDdmComponentName, gvcIfDlciRdevRowStatus=gvcIfDlciRdevRowStatus, gvcIfDnaHgMStorageType=gvcIfDnaHgMStorageType, gvcIfDnaAddrEntry=gvcIfDnaAddrEntry, gvcIfDlciVcSegmentSize=gvcIfDlciVcSegmentSize, gvcIfDlciLdevStorageType=gvcIfDlciLdevStorageType, gvcIfDlciCommittedBurstSize=gvcIfDlciCommittedBurstSize, gvcIfDlciVcPreviousState=gvcIfDlciVcPreviousState, gvcIfFrSvcProvisionedEntry=gvcIfFrSvcProvisionedEntry, gvcIfDlciSap=gvcIfDlciSap, gvcIfDlciFrmFromNetwork=gvcIfDlciFrmFromNetwork, gvcIfDlciLdevDevOpEntry=gvcIfDlciLdevDevOpEntry, gvcIfDlciVcCannotForwardToSubnet=gvcIfDlciVcCannotForwardToSubnet, gvcIfDnaIncomingOptionsTable=gvcIfDnaIncomingOptionsTable, gvcIfDnaHgMIndex=gvcIfDnaHgMIndex, gvcIfRgProvTable=gvcIfRgProvTable, gvcIfDnaStorageType=gvcIfDnaStorageType, gvcIfRgRowStatusEntry=gvcIfRgRowStatusEntry, gvcIfDnaHgMIfEntry=gvcIfDnaHgMIfEntry, gvcIfDlciLdevDeviceMonitoring=gvcIfDlciLdevDeviceMonitoring, gvcIfSMacFStorageType=gvcIfSMacFStorageType, gvcIfLcnVcStorageType=gvcIfLcnVcStorageType, gvcIfDlciDcNfaValue=gvcIfDlciDcNfaValue, gvcIfRowStatusEntry=gvcIfRowStatusEntry, gvcIfRDnaMapRowStatus=gvcIfRDnaMapRowStatus, gvcIfDlciSpComponentName=gvcIfDlciSpComponentName, gvcIfFrSvcMaximumFrameRelaySvcs=gvcIfFrSvcMaximumFrameRelaySvcs, gvcIfStorageType=gvcIfStorageType, gvcIfCustomerIdentifier=gvcIfCustomerIdentifier, gvcIfDcCfaRowStatus=gvcIfDcCfaRowStatus, gvcIfDlciMeasurementInterval=gvcIfDlciMeasurementInterval, gvcIfDnaHgMOpEntry=gvcIfDnaHgMOpEntry, gvcIfDlciVcDmepEntry=gvcIfDlciVcDmepEntry, gvcIfDlciRdev=gvcIfDlciRdev, gvcIfDnaAddrTable=gvcIfDnaAddrTable, gvcIfDcRemoteDna=gvcIfDcRemoteDna, gvcIfCidDataEntry=gvcIfCidDataEntry, gvcIfLcnVcLocalTxWindowSize=gvcIfLcnVcLocalTxWindowSize)
mibBuilder.exportSymbols("Nortel-Magellan-Passport-GeneralVcInterfaceMIB", gvcIfDnaSdmLastTimeReachable=gvcIfDnaSdmLastTimeReachable, gvcIfDlciVcRowStatus=gvcIfDlciVcRowStatus, gvcIfDlciVcCalledLcn=gvcIfDlciVcCalledLcn, gvcIfDlciVcCalledDna=gvcIfDlciVcCalledDna, gvcIfDlciIndex=gvcIfDlciIndex, gvcIfDnaSdmComponentName=gvcIfDnaSdmComponentName, gvcIfDnaSdmDeviceUnreachable=gvcIfDnaSdmDeviceUnreachable, gvcIfLcnVcRowStatus=gvcIfLcnVcRowStatus, gvcIfSMacFFramesMatchingFilter=gvcIfSMacFFramesMatchingFilter, gvcIfLcnVcPreviousDiagnosticCode=gvcIfLcnVcPreviousDiagnosticCode, gvcIfFrSvcCurrentNumberOfSvcCalls=gvcIfFrSvcCurrentNumberOfSvcCalls, gvcIfDnaHgMAvailabilityDelta=gvcIfDnaHgMAvailabilityDelta, gvcIfLcnVcPathReliability=gvcIfLcnVcPathReliability, gvcIfDnaDdmLastTimeUnreachable=gvcIfDnaDdmLastTimeUnreachable, gvcIfFrSvcComponentName=gvcIfFrSvcComponentName, gvcIfDlciVcCallingDna=gvcIfDlciVcCallingDna, gvcIfDnaCug=gvcIfDnaCug, gvcIfDnaDefaultSendToNetworkPacketSize=gvcIfDnaDefaultSendToNetworkPacketSize, gvcIfDlciSapCircuitS2MacIndex=gvcIfDlciSapCircuitS2MacIndex, gvcIfLcnVcCallingNpi=gvcIfLcnVcCallingNpi, generalVcInterfaceGroupBE01A=generalVcInterfaceGroupBE01A, gvcIfDnaPacketSizes=gvcIfDnaPacketSizes, gvcIfDnaHgMOpTable=gvcIfDnaHgMOpTable, gvcIfDlciLdevRowStatus=gvcIfDlciLdevRowStatus, gvcIfDnaDdmStorageType=gvcIfDnaDdmStorageType)
|
# If the universe is 15 billions years old, how many seconds is it?
# Var declarations
number = 15000000000
# Assuming that
yearinseconds = 1*12*31*24*60*60
# Code
total = number * yearinseconds
print (total)
# Result
|
# https://leetcode.com/problems/pascals-triangle-ii/
class Solution:
def getRow(self, rowIndex: int) -> List[int]:
return self.getRowRecur([1], rowIndex)
def getRowRecur(self, prevRow, rowIndex):
if rowIndex == 0:
return prevRow
curRow = [prevRow[0]]
for i in range(1, len(prevRow)):
curRow.append(prevRow[i - 1] + prevRow[i])
curRow.append(1)
return self.getRowRecur(curRow, rowIndex - 1)
|
# Season 16 rank information
# Assumes rank 18-11 give a free star same as season 15 https://worldofwarships.com/en/news/general-news/ranked-15/
# TODO: Fix rank 17 logic since stars can't be lost (see https://worldofwarships.com/en/news/general-news/ranked-15/).
regular_ranks = {
18: {
'stars': 1,
'irrevocable': True,
'free-star': False
},
17: {
'stars': 2,
'irrevocable': True,
'free-star': True
},
16: {
'stars': 2,
'irrevocable': True,
'free-star': True
},
15: {
'stars': 2,
'irrevocable': True,
'free-star': True
},
14: {
'stars': 2,
'irrevocable': False,
'free-star': True
},
13: {
'stars': 2,
'irrevocable': False,
'free-star': True
},
12: {
'stars': 2,
'irrevocable': True,
'free-star': True
},
11: {
'stars': 2,
'irrevocable': False,
'free-star': True
},
10: {
'stars': 4,
'irrevocable': False,
'free-star': False
},
9: {
'stars': 4,
'irrevocable': False,
'free-star': False
},
8: {
'stars': 4,
'irrevocable': False,
'free-star': False
},
7: {
'stars': 4,
'irrevocable': False,
'free-star': False
},
6: {
'stars': 4,
'irrevocable': False,
'free-star': False
},
5: {
'stars': 5,
'irrevocable': False,
'free-star': False
},
4: {
'stars': 5,
'irrevocable': False,
'free-star': False
},
3: {
'stars': 5,
'irrevocable': False,
'free-star': False
},
2: {
'stars': 5,
'irrevocable': False,
'free-star': False
},
1: {
'stars': 1,
'irrevocable': True,
'free-star': True
}
}
# Ranked sprint. Based on season 5.
# See https://worldofwarships.com/en/news/general-news/ranked-sprint-5/
sprint_ranks = {
10: {
'stars': 1,
'irrevocable': True,
'free-star': False
},
9: {
'stars': 2,
'irrevocable': True,
'free-star': True
},
8: {
'stars': 2,
'irrevocable': True,
'free-star': True
},
7: {
'stars': 2,
'irrevocable': False,
'free-star': True
},
6: {
'stars': 2,
'irrevocable': False,
'free-star': True
},
5: {
'stars': 3,
'irrevocable': True,
'free-star': True
},
4: {
'stars': 3,
'irrevocable': False,
'free-star': True
},
3: {
'stars': 3,
'irrevocable': True,
'free-star': True
},
2: {
'stars': 3,
'irrevocable': False,
'free-star': True
},
1: {
'stars': 1,
'irrevocable': True,
'free-star': True
}
}
|
# http://stackoverflow.com/questions/312443/how-do-you-split-a-list-into-evenly-sized-chunks-in-python/312464#312464
def chunks(l, n):
""" Yield successive n-sized chunks from l.
"""
for i in xrange(0, len(l), n):
yield l[i:i+n]
|
class Instruction:
def __init__(self, direction, distance):
self.direction = direction
self.distance = distance
|
##The program will recieve 3 English words inputs from STDIN
##
##These three words will be read one at a time, in three separate line
##The first word should be changed like all vowels should be replaced by *
##The second word should be changed like all consonants should be replaced by @
##The third word should be changed like all char should be converted to upper case
##Then concatenate the three words and print them
##Other than these concatenated word, no other characters/string should or message should be written to STDOUT
##
##For example if you print how are you then output should be h*wa@eYOU.
##
##You can assume that input of each word will not exceed more than 5 chars
a = str(input())
b = str(input())
c = str(input())
v = ['a','e','i','o','u']
con = ['b','c','d','f','g','h','j','k','l','m','n','p','q','r','s','t','v','w','x','y','z']
for i in a:
if i in v:
x = a.replace(i,'*')
for i in b:
if i in con:
y = b.replace(i,'@')
else:
y = b
z = c.upper()
print(x+y+z)
|
class Coordinate:
#Built this structure only to make the code more readable
def __init__(self, x, y):
self.x = x
self.y = y
class Atom:
#This structure represents a molecule
def __init__(self, start_coordinate):
self.coordinate = start_coordinate
self.is_alive = False
'''
Function used the determine if a molecule will survive or not
@param: self is the molecule that is being tested
@param: grid is the collections of molecules that compose the grid(both dead and alive)
@return: returns True if the molecule will survive the iteration or if it dies
The rules are easy to deduce from the code or they can be found on the internet
'''
def is_surviving(self, grid):
return self.get_neighbours(grid) in [2, 3]
'''
Function determines if a set of coordinates belong to the grid
@param: x is the first coordinate(x-axis)
@param: y is the second coordinate(y-axis)
@param: grid is the collection of molecules that compose the grid(both dead and alive)
@return: <type: bool> True if the coordinates belong to the grid, False otherwise
'''
def test_coordinates(self, x, y, grid):
if x >= len(grid) - 1 or x < 0:
return False
elif y >= len(grid[0]) - 1 or y < 0:
return False
return True
'''
Function used to revive a dead molecule
@param: self is the molecule that will be removed
@return: void
'''
def revive(self):
self.is_alive = True
'''
Function returns the living molecules that surround the molecule sent as parameter
@param: self is the molecule in question
@param: grid is the collection of molecules that compose the grid(both dead and aive)
@return: <type: list> a list of all the living molecules surrounding the molecule referenced
'''
def get_neighbours(self, grid):
ret = []
initial_x = self.coordinate.x
initial_y = self.coordinate.y
tx = [0, 0, -1, 1, -1, -1, 1, 1]
ty = [-1, 1, 0, 0, -1, 1, -1, 1]
for i in range(len(tx)):
new_x = initial_x + tx[i]
new_y = initial_y + ty[i]
if not self.test_coordinates(new_x, new_y, grid):
continue
try:
if grid[new_x][new_y].is_alive:
ret.append(grid[new_x][new_y])
except IndexError:
print("{{ Checking molecule x: {}; y: {}; }}".format(new_x, new_y))
return ret
'''
Function that determines if a molecule will be revived
@param: self is the molecule in question
@param: grid is the collection of molecules that compose the grid(both dead and alive)
@return: void
'''
def reproduce(self, grid):
initial_x = self.coordinate.x
initial_y = self.coordinate.y
tx = [0, 0, -1, 1, -1, -1, 1, 1]
ty = [-1, 1, 0, 0, -1, 1, -1, 1]
for i in range(len(tx)):
new_x = initial_x + tx[i]
new_y = initial_y + ty[i]
if not self.test_coordinates(new_x, new_y, grid):
continue
number_of_neighbours = len(grid[new_x][new_y].get_neighbours(grid))
if number_of_neighbours == 3:
self.revive()
|
"""
Finds the sum of all the numbers that can be written as the sum of fifth power of their digits
Author: Juan Rios
"""
def sum_power(power,maximum_limit):
sum_of_numbers = 0
for i in range(maximum_limit,10,-1):
total = 0
for d in str(i):
total += int(d)**power
if total> i:
break
if total==i:
sum_of_numbers += i
return sum_of_numbers
if __name__ == "__main__":
maximum_limit = 350000
power = 5
print('The sum of all numbers that can be written as sum of the {0}th power of its digits is {1}'.format(power,sum_power(power,maximum_limit)))
|
def fibonacci_recursive(n):
# Base case
if n == 0:
return 0
elif n == 1:
return 1
# Recursive case
else:
return fibonacci_recursive(n-1) + fibonacci_recursive(n-2)
def main():
x = 10 # compute the x-th Fibonacci number
for i in range(x):
result = fibonacci_recursive(i)
print(result,end=", ")
# run main()
main()
|
test2()
test()
def foo():
pass
test1()
|
#61: Average
count=0
a=1
summ=0
while a!=0:
a=float(input("Enter the number:"))
summ+=a
count+=1
print("Average:",(summ)/(count-1))
|
def cul_a1(N, n):
first_value = (2 * N - n * (n - 1)) // (2 * n)
flag = (2 * N - n * (n - 1)) / (2 * n) == first_value
return flag, first_value
def print_sequence(a1, n):
for a in range(a1, a1 + n-1):
print(a, end=" ")
print(a1 + n-1, end="")
class Sum:
def sum_sequence(self, N, L):
flag = True
for i in range(L, N//2):
if i <= 100:
t = cul_a1(N, i)
if t[0]:
flag = False
print_sequence(t[1], i)
break
else:
flag = False
print("No")
break
if flag:
print("No")
N, L = map(int, input().split())
s = Sum()
s.sum_sequence(N, L)
|
print('-=-=-=-= DESAFIO 48 -=-=-=-=')
print()
print('='*46)
print(' SOMA ENTRE ÍMPARES MÚLTIPLOS DE 3 ENTRE 1-500')
print('='*46)
s = 0
cont = 0
for c in range(1, 501, 2):
if c % 3 == 0:
s += c # ACUMULADOR
cont += 1 # CONTADOR
print('Essa soma de todos os {} valores é {}'.format(cont, s))
|
# Любимый вариант очереди Тимофея — очередь, написанная с использованием
# связного списка. Помогите ему с реализацией. Очередь должна поддерживать
# выполнение трёх команд:
#
# get() — вывести элемент, находящийся в голове очереди, и удалить его.
# Если очередь пуста, то вывести «error».
# put(x) — добавить число x в очередь
# size() — вывести текущий размер очереди
# Формат ввода
# В первой строке записано количество команд n — целое число,
# не превосходящее 1000.
# В каждой из следующих n строк записаны команды по одной строке.
class Node:
def __init__(self, val=None, next=None, prev=None):
self.val = val
self.next = next
self.prev = prev
self.head = None # Голова
self.current_node = None # Хвост
self.current_size = 0
def get(self):
if self.current_size == 0:
print("error")
return
next_value = self.head.next
print(self.head.val)
self.head.next = None
self.head = next_value
self.current_size -= 1
return
def put(self, x):
if self.current_size == 0:
node = Node(x, None, None)
self.head = node
self.current_node = node
self.current_size += 1
else:
node = Node(x, None, self.current_node)
self.current_node.next = node
self.current_node = node
self.current_size += 1
return
def size(self):
print(self.current_size)
return
def read_input():
n = int(input())
stack = Node()
for _ in range(n):
commands = list(input().strip().split(" "))
com = commands[0]
f = getattr(stack, com)
if len(commands) > 1:
val = commands[1]
f(val)
else:
f()
def main():
read_input()
if __name__ == "__main__":
main()
|
def count_unsorted(s: str) -> dict:
result = {}
for c in s:
# 利用错误处理机制,效率可能会更快
try:
result[c] += 1
except KeyError:
result[c] = 1
return result
def count(s: str) -> list:
# XXX: optimization
result = count_unsorted(s)
result = list(map(lambda x: (x, result[x]), result))
# 直接在 result 上操作,节省内存占用
result.sort(key=lambda x: x[1], reverse=True)
return result
def frequency(s: str) -> dict:
result = count(s)
length = len(s)
result = dict(map(lambda x: (x / length, result[x]), result))
return result
|
"""
File: anagram.py
Name: Marco
----------------------------------
This program recursively finds all the anagram(s)
for the word input by user and terminates when the
input string matches the EXIT constant defined
at line 19
If you correctly implement this program, you should see the
number of anagrams for each word listed below:
* arm -> 3 anagrams
* contains -> 5 anagrams
* stop -> 6 anagrams
* tesla -> 10 anagrams
* spear -> 12 anagrams
"""
# Constants
FILE = 'dictionary.txt' # This is the filename of an English dictionary
EXIT = '-1' # Controls when to stop the loop
dict_list = []
possible_list = []
counts = 0
def main():
global possible_list
global counts
print('Welcome to stanCode "Anagram Generator" (or -1 to quit)')
input_s = input('Find anagrams for : ')
read_dictionary() # 讀字典
while input_s != EXIT:
ans_list = find_anagrams(input_s)
print(str(counts) + ' anagrams: ', end='')
print(ans_list)
possible_list = []
input_s = input('Find anagrams for : ')
counts = 0
def read_dictionary(): # read the dictionary
global dict_list
with open(FILE, 'r') as f:
for line in f:
line = string_up(line)
dict_list.append(line)
def find_anagrams(s):
"""
:param s: input string
:return: return the anagrams list
"""
global dict_list
global possible_list
global counts
ans_list = []
possible_list = finding_non_repetitive(s) # 得到不重複的排列組合
print("possible_list = " + str(possible_list))
print('Searching...')
for i in range(len(possible_list)): # finding anagrams
if possible_list[i] in dict_list:
print('find : '+str(possible_list[i]))
counts += 1
ans_list.append(possible_list[i])
print('Searching...')
return ans_list
def finding_non_repetitive(s): # 這邊是回傳 輸入單字的所有"不重複的排列組合"
out = []
len_s = len(s)
helper([], s, len_s, out)
return out
def helper(current_s, s, len_s, out):
if len(current_s) == len_s:
temp = ''.join(current_s) # 把它變回一個字串,而不是分開來的
if temp not in out: # 避免重複加入
out.append(temp)
for i in range(len(s)):
current_s.append(s[i]) # choose
helper(current_s, s[:i] + s[(i + 1):], len_s, out) # explore ...精華的一行程式....
current_s.pop() # un choose
def has_prefix(sub_s): # 我發現我不太知道要把他加在哪... 而且感覺加了速度還會變慢
"""
:param sub_s: (str) A substring that is constructed by neighboring letters on a 4x4 square grid
:return: (bool) If there is any words with prefix stored in sub_s
"""
for word in dict_list:
if word.startswith(sub_s):
# sub_s in dict
return True
else:
# sub_s not in dict
pass
return False
def string_up(s): # 重新串字典的字串,把\n趕走
ans = ''
for ch in s:
if ch != '\n':
ans += ch
return ans
if __name__ == '__main__':
main()
|
"""Configurations and Constants."""
COMBINATION_SIZE = 2
|
# -*- coding: utf-8 -*-
"""
Collect all the constants required by the module in one place
"""
# Settings that are required for the library to perform correctly
REQUIRED_SETTINGS = (
'GOOGLE_APPLICATION_CREDENTIALS',
'GCLOUD_PROJECT_NAME',
# default bucket that should be used to store assets
'GCLOUD_DEFAULT_BUCKET_NAME',
)
|
''' From Page 11 '''
# Yes or No values 9 and 696969
sheet.cell(row=row, column=col).value = 'Yes / No'
sheet.cell(row=row, column=col).font = Font(size = 9, color='696969')
# ✓ X values 8 and DCDCDC
sheet.cell(row=row, column=col).value = '✓ X'
sheet.cell(row=row, column=col).font = Font(size=8, color='DCDCDC')
# RH% 8 and 696969
sheet.cell(row=row, column=col).value = '%RH'
sheet.cell(row=row, column=col).font = Font(size=8, color='696969')
# Hz 8 and 696969
sheet.cell(row=row, column=col).value = 'Hz'
sheet.cell(row=row, column=col).font = Font(size=8, color='696969')
# D/P 8 and 696969
sheet.cell(row=row, column=col).value = 'D/P'
sheet.cell(row=row, column=col).font = Font(size=8, color='696969')
# Colored Cells
# Dark Grey
sheet.cell(row=row, column=col).fill = PatternFill(fgColor='C0C0C0', fill_type = 'solid')
# Light Grey
sheet.cell(row=row, column=col).fill = PatternFill(fgColor='C0C0C0', fill_type = 'solid')
|
#There's a reduced form of range() - range(max_value), in which case min_value is implicitly set to zero:
for i in range(3):
print(i)
|
def unique(s):
seen = set()
seen_add = seen.add
return [x for x in s if not (x in seen or seen_add(x))]
|
#!/usr/bin/python
# -*- coding: utf-8 -*-
# Copyright (c) 2021, Cisco Systems
# GNU General Public License v3.0+ (see LICENSE or https://www.gnu.org/licenses/gpl-3.0.txt)
DOCUMENTATION = r"""
---
module: trusted_certificate_info
short_description: Information module for Trusted Certificate
description:
- Get all Trusted Certificate.
- Get Trusted Certificate by id.
version_added: '1.0.0'
author: Rafael Campos (@racampos)
options:
page:
description:
- Page query parameter. Page number.
type: int
size:
description:
- Size query parameter. Number of objects returned per page.
type: int
sort:
description:
- Sort query parameter. Sort type - asc or desc.
type: str
sortBy:
description:
- SortBy query parameter. Sort column by which objects needs to be sorted.
type: str
filter:
description:
- >
Filter query parameter. <div> <style type="text/css" scoped> .apiServiceTable td, .apiServiceTable th {
padding 5px 10px !important; text-align left; } </style> <span> <b>Simple filtering</b> should be available
through the filter query string parameter. The structure of a filter is a triplet of field operator and
value separated with dots. More than one filter can be sent. The logical operator common to ALL filter
criteria will be by default AND, and can be changed by using the <i>"filterType=or"</i> query string
parameter. Each resource Data model description should specify if an attribute is a filtered field. </span>
<br /> <table class="apiServiceTable"> <thead> <tr> <th>OPERATOR</th> <th>DESCRIPTION</th> </tr> </thead>
<tbody> <tr> <td>EQ</td> <td>Equals</td> </tr> <tr> <td>NEQ</td> <td>Not Equals</td> </tr> <tr> <td>GT</td>
<td>Greater Than</td> </tr> <tr> <td>LT</td> <td>Less Then</td> </tr> <tr> <td>STARTSW</td> <td>Starts
With</td> </tr> <tr> <td>NSTARTSW</td> <td>Not Starts With</td> </tr> <tr> <td>ENDSW</td> <td>Ends With</td>
</tr> <tr> <td>NENDSW</td> <td>Not Ends With</td> </tr> <tr> <td>CONTAINS</td> <td>Contains</td> </tr> <tr>
<td>NCONTAINS</td> <td>Not Contains</td> </tr> </tbody> </table> </div>.
type: list
filterType:
description:
- >
FilterType query parameter. The logical operator common to ALL filter criteria will be by default AND, and
can be changed by using the parameter.
type: str
id:
description:
- Id path parameter. The id of the trust certificate.
type: str
requirements:
- ciscoisesdk
seealso:
# Reference by Internet resource
- name: Trusted Certificate reference
description: Complete reference of the Trusted Certificate object model.
link: https://ciscoisesdk.readthedocs.io/en/latest/api/api.html#v3-0-0-summary
"""
EXAMPLES = r"""
- name: Get all Trusted Certificate
cisco.ise.trusted_certificate_info:
ise_hostname: "{{ise_hostname}}"
ise_username: "{{ise_username}}"
ise_password: "{{ise_password}}"
ise_verify: "{{ise_verify}}"
page: 1
size: 20
sort: asc
sortBy: string
filter: []
filterType: AND
register: result
- name: Get Trusted Certificate by id
cisco.ise.trusted_certificate_info:
ise_hostname: "{{ise_hostname}}"
ise_username: "{{ise_username}}"
ise_password: "{{ise_password}}"
ise_verify: "{{ise_verify}}"
id: string
register: result
"""
RETURN = r"""
ise_response:
description: A dictionary or list with the response returned by the Cisco ISE Python SDK
returned: always
type: dict
sample: >
{
"response": {
"authenticateBeforeCRLReceived": "string",
"automaticCRLUpdate": "string",
"automaticCRLUpdatePeriod": "string",
"automaticCRLUpdateUnits": "string",
"crlDistributionUrl": "string",
"crlDownloadFailureRetries": "string",
"crlDownloadFailureRetriesUnits": "string",
"description": "string",
"downloadCRL": "string",
"enableOCSPValidation": "string",
"enableServerIdentityCheck": "string",
"expirationDate": "string",
"friendlyName": "string",
"id": "string",
"ignoreCRLExpiration": "string",
"internalCA": true,
"isReferredInPolicy": true,
"issuedBy": "string",
"issuedTo": "string",
"keySize": "string",
"link": {
"href": "string",
"rel": "string",
"type": "string"
},
"nonAutomaticCRLUpdatePeriod": "string",
"nonAutomaticCRLUpdateUnits": "string",
"rejectIfNoStatusFromOCSP": "string",
"rejectIfUnreachableFromOCSP": "string",
"selectedOCSPService": "string",
"serialNumberDecimalFormat": "string",
"sha256Fingerprint": "string",
"signatureAlgorithm": "string",
"status": "string",
"subject": "string",
"trustedFor": "string",
"validFrom": "string"
},
"version": "string"
}
"""
|
class InvalidColorMapException(Exception):
def __init__(self, *args):
if len(args)==1 and isinstance(args[0], str):
self.message = args[0]
else:
self.message = "Invalid colormap."
class InvalidFileFormatException(Exception):
def __init__(self, *args):
if len(args)==1 and isinstance(args[0], str):
self.message = args[0]
else:
self.message = "Invalid fileformat for this type of diagram."
|
"""
Naive approaches:
Using two loops:
for each node in list:
from start to curr each node:
check curr node is its next node
using modified Node structure using visited field in each node
traverse list and mark each curr node as visited
while traversing check if curr node is already visited
then return True
else return False
Using dummy node and changing links to point dummy node
dummy_node = Node()
traverse list
for each node point its next node to new dummy node
if curr.next is None:
return False
check if curr next is already pointing to this dummy node curr.next == dummy_node:
return True
next_ = curr.next # hold curr next before pointing it to dummy node
curr.next = dummy_node
curr = next_ # update to next node in list
Using hashing: TC O(n)
traverse list from start
check if curr node's next is present in hash
loop is detected
else:
add curr node to hash map
move to next node
Better approach:
Using floyd's algorithm
-use two ptrs to traverse
-initialize slow = fast = head
-idea is to move fast ptr by two positions and slow by one position
-this algorithm proves that slow and fast ptrs meets at second last node of loop if exists
while fast and fast.next:
slow = slow.next
fast = fast.next.next
if slow == fast:
return True
return False
"""
def detect_loop(head):
slow = fast = head
while fast and fast.next:
slow = slow.next
fast = fast.next.next
if slow == fast:
return True
return False
def find_len_of_loop(head):
if head == head.next:
return True, 1
slow = fast = head
counter = 0
while fast and fast.next:
slow = slow.next
fast = fast.next.next
if slow == fast:
slow = slow.next
while slow != fast:
counter += 1
slow = slow.next
return True, counter
return False, counter
|
line = input().split(', ')
my_dict = {}
counter = 1
country = []
while counter <= 2:
for n in range(len(line)):
if counter ==1:
country.append(line[n])
else:
my_dict[country[n]] = line[n]
counter+=1
if counter >2:
break
line = input(). split(', ')
for key, value in my_dict.items():
print(f'{key} -> {value}')
|
def is_prime(number):
"""checks if a given number is prime"""
prime = True
for n in range(2, number):
if prime and number % n == 0:
prime = False
print("The number is not prime")
if prime:
print("The number is prime")
return prime
if __name__ == "__main__":
is_prime(19)
is_prime(23)
is_prime(89)
is_prime(97)
is_prime(55)
|
"""
528. Flatten Nested List Iterator
https://www.lintcode.com/problem/flatten-nested-list-iterator/description
九章算法强化班C7
大部分计算得在hasNext里就处理掉。因为万一遇到[[],[]],如果不在hasNext里面处理掉。就会造成外部函数调用
hasNext -> 回答 yes
然后去掉 next -> None 的情况。
所以处理必须得在hasNext里面处理掉。
"""
"""
This is the interface that allows for creating nested lists.
You should not implement it, or speculate about its implementation
class NestedInteger(object):
def isInteger(self):
# @return {boolean} True if this NestedInteger holds a single integer,
# rather than a nested list.
def getInteger(self):
# @return {int} the single integer that this NestedInteger holds,
# if it holds a single integer
# Return None if this NestedInteger holds a nested list
def getList(self):
# @return {NestedInteger[]} the nested list that this NestedInteger holds,
# if it holds a nested list
# Return None if this NestedInteger holds a single integer
"""
class NestedIterator(object):
def __init__(self, nestedList):
# Initialize your data structure here.
# self.stack = []
# if nestedList.isInteger():
# self.stack.append(nestedList.getInteger())
# else:
# self.stack.extend(nestedList.getList()[::-1])
self.stack = nestedList[::-1]
# @return {int} the next element in the iteration
def next(self):
# Write your code here
return self.stack.pop().getInteger()
# @return {boolean} true if the iteration has more element or false
def hasNext(self):
# Write your code here
while self.stack and not self.stack[-1].isInteger():
self.stack.extend(self.stack.pop().getList()[::-1])
return len(self.stack) > 0
# Your NestedIterator object will be instantiated and called as such:
# i, v = NestedIterator(nestedList), []
# while i.hasNext(): v.append(i.next())
|
# NOTE: You need to check directory's permission
MAX_HEIGHT = 1536 # 1536 # 768 # 1280 # 1024 # 2048 # 2688
MAX_WIDTH = 3072 # 3072 # 1536 # 2560 # 2048 # 4096 # 5376
CROP_HEIGHT = 512 # 256, 384, 512
CROP_WIDTH = 512 # 512, 768, 1024
RESIZE_HEIGHT = 1536
RESIZE_WIDTH = 3072
# MNT_PATH = '/nfs/host/PConv-Keras' # For Spacely_Multi_GPU
MNT_PATH = '/nfs/host/PConv-Keras' # For Spacly_Lab
# house-dataset-src dir
ORIGINAL_PATH = ['{}/house-dataset-src/original/'.format(MNT_PATH)] # 9317 images
RESIZED_PATH = ['{}/house-dataset/resize-train-1536x3072/00'.format(MNT_PATH)]
TRAIN_PATH = '{}/house-dataset/resize-train-768x1536'.format(MNT_PATH)
VAL_PATH = '{}/house-dataset/resize-valid-768x1536'.format(MNT_PATH)
TEST_PATH = '{}/house-dataset/test-crop-256-512'.format(MNT_PATH)
# For mix training
TRAIN_SMALL_SIZE = '{}/house-dataset/resize-train-512x1024'.format(MNT_PATH)
TRAIN_MEDIUM_SIZE = '{}/house-dataset/resize-train-768x1536'.format(MNT_PATH)
TRAIN_LARGE_SIZE = '{}/house-dataset/resize-train-1536x3072'.format(MNT_PATH)
VALID_SMALL_SIZE = '{}/house-dataset/resize-valid-512x1024'.format(MNT_PATH)
VALID_MEDIUM_SIZE = '{}/house-dataset/resize-valid-768x1536'.format(MNT_PATH)
VALID_LARGE_SIZE = '{}/house-dataset/resize-valid-1536x3072'.format(MNT_PATH)
# Save dir
WEIGHT_PATH = '{}/data/model/resize-1536x3072/512x512_GPU-4_Batch-4_Remove255/weight/'.format(MNT_PATH)
TFLOG_PATH = '{}/data/model/resize-1536x3072/512x512_GPU-4_Batch-4_Remove255/tflogs'.format(MNT_PATH)
ERRLOG_PATH = '{}/error_log/'.format(MNT_PATH)
|
# O(n+k) time complexity (Worst time complexity - O(2n-1)):
# O(k) (Get Slice 1)
# O(n-k) (Get Slice 2)
# O(k) (Concatenate Slices)
# CPython time-complexity - https://wiki.python.org/moin/TimeComplexity
# O(1) space complexity
# Rotates the characters in a string by a given input and have the overflow appear at the beginning.
def rotated_string(input_string, input_number):
input_number = input_number % len(input_string) # in case input_number > len(input_string)
print(input_string[-input_number:] + input_string[:-input_number])
return input_string[-input_number:] + input_string[:-input_number]
# Tests the 'rotated_string' method.
def test_rotated_string():
assert rotated_string("MyString", 2) == 'ngMyStri', "Should be \"ngMyStri\""
# Corner-case tests
assert rotated_string("MyString", 10) == 'ngMyStri', "Should be \"ngMyStri\""
assert rotated_string("MyString", -6) == 'ngMyStri', "Should be \"ngMyStri\""
assert rotated_string("MyString", -8) == 'MyString', "Should be \"MyString\""
assert rotated_string("MyString", 0) == 'MyString', "Should be \"MyString\""
assert rotated_string("MyString", 8) == 'MyString', "Should be \"MyString\""
if __name__ == '__main__':
test_rotated_string()
print("Everything passed")
|
def main():
print ('Filter data')
input_f = open('../data/result_size_large_files.tsv')
output_f = open('../data/result_size_large.csv', 'w')
lines = input_f.readlines()
distributions = ['Combo', 'Diagonal', 'DiagonalRot', 'Gauss', 'Parcel', 'Uniform']
for line in lines:
print (line)
data = line.strip().split('\t')
filenames = data[0].split('_')
print (filenames)
filenames_array = []
a = []
for s in filenames:
if s in distributions:
filenames_array.append(a)
a = [s]
else:
a.append(s)
filenames_array.append(a)
filenames_array = filenames_array[1:]
datasets = []
for a in filenames_array:
datasets.append('_'.join(a))
print (len(datasets))
output_f.writelines('{}.csv,{}.csv,{}\n'.format(datasets[0], datasets[1], data[1]))
output_f.close()
input_f.close()
if __name__ == '__main__':
main()
|
# Implementation of a Stack.
class Stack:
class Node: # Node class (or pointers that hold a value and direction to next node).
def __init__(self, val=None):
self.val = val
self.nextNode = None
def __init__(self):
self.head = None
# Add new node with value to stack.
def push(self, val):
newNode = self.Node(val) # Create new node with given value.
if self.head is None: # If stack is empty, put node in stack.
self.head = newNode
else: # Else loop through nodes until a given node points to nothing
currNode = self.head
while currNode.nextNode is not None:
currNode = currNode.nextNode
else: # Then set that last node to point to the newly-created node.
currNode.nextNode = newNode
# Remove value from the stack.
def pop(self, val=True):
currNode = self.head
if currNode is not None: # If stack is not empty, loop through nodes.
while currNode.nextNode.nextNode is not None:
currNode = currNode.nextNode
else:
# Save the value to be deleted and set last node to None through
# the previous node.
delVal = currNode.nextNode.val
currNode.nextNode = None
if val:
return delVal # Return deleted value if desired.
# Get value sitting on top of stack.
def peek(self, val=True):
currNode = self.head
if currNode is not None: # Loop through nodes until the last one is reached.
while currNode.nextNode is not None:
currNode = currNode.nextNode
else: # Return last node or its value depending on parameter.
return currNode.val if val else currNode
# Get length of stack.
@property
def length(self):
if self.head is None: # If stack is empty, return 0.
return 0
else:
counter = 1
currNode = self.head # While there is a next node to go to, add to counter.
while currNode.nextNode is not None:
currNode = currNode.nextNode
counter += 1
return counter # Return counter.
# Return string representation of stack.
def __str__(self):
vals = []
if self.head is None: # If stack is empty return pipe.
return "|"
else:
currNode = self.head # Add nodes values to list while iterating through them.
while currNode is not None:
vals.append(str(currNode.val))
currNode = currNode.nextNode
# Return values from list starting with a pipe, separated by a comma.
return f"|{', '.join(vals)}"
# Return canonical string representation of stack.
def __repr__(self):
vals = []
if self.head is None: # If stack is empty return pipe.
return "|"
else:
currNode = self.head
while currNode is not None: # Add nodes values to list while iterating through them.
vals.append(str(currNode.val))
currNode = currNode.nextNode
# Return values from list starting with a pipe, separated by a comma.
return f"|{', '.join(vals)}"
# Unit Tests.
if __name__ == "__main__":
stack = Stack()
print(stack.peek())
print(stack)
print()
stack.push(1)
print(stack.peek())
print(stack)
print()
stack.push(1)
print(stack.peek())
print(stack)
print()
stack.push(2)
print(stack.peek())
print(stack)
print()
stack.push(3)
print(stack.peek())
print(stack)
print()
stack.push(5)
print(stack.peek())
print(stack)
print()
stack.pop()
print(stack.peek())
print(stack)
print()
|
# -*- coding: utf-8 -*-
#
# 全局配置
# Author: __author__
# Email: __email__
# Created Time: __created_time__
# 全局测试状态
DEBUG = False
|
"""
Constants and other config variables used throughout the packagemanager module
Copyright (C) 2017-2022 Intel Corporation
SPDX-License-Identifier: Apache-2.0
"""
# Location of ca certs file on Linux
LINUX_CA_FILE = '/etc/ssl/certs/ca-certificates.crt'
# Buffer size for streaming the downlaod file to check its size
STREAM_BUFFER = 4000 # 4KB to avoid leaving L1 cache
|
j= 7
for i in range(9+1):
if i%2 ==1:
print(f"I={i} J={j}")
print(f"I={i} J={j-1}")
print(f"I={i} J={j-2}")
j =j+2
|
class BearToy:
def __init__(self, name, size, color):
self.name = name
self.size = size
self.color = color
def sing(self):
print('I am %s, lalala...' % self.name)
class NewBear(BearToy):
def __init__(self, name, size, color, material):
# BearToy.__init__(self, name, size, color)
super(NewBear, self).__init__(name, size, color)
self.material = material
def run(self):
print('running...')
if __name__ == '__main__':
b1 = NewBear('big_bear', 'Large', 'Brown', 'cotton')
b1.sing()
b1.run()
|
class DesignerSummary(object):
def __init__(self, designer_name, summary):
self.designer_name = designer_name
self.summary = summary
def print_summary(self):
print("[%s]" % self.designer_name)
print(" %s" % self.max_price())
print(" %s" % self.avg_price())
print(" %s" % self.min_price())
print(" %s" % self.total_items())
print(" %s" % self.avg_age_of_listing())
print(" %s" % self.avg_age_bumped())
print(" %s" % self.items_marked_down())
print(" %s" % self.items_bumped())
if 'num_collabs' in self.summary:
print(" %s\n" % self.num_collabs())
def max_price(self):
return "Max price: $%0.2f" % self.summary['max_price']
def avg_price(self):
return "Avg price: $%0.2f" % self.summary['avg_price']
def min_price(self):
return "Min price: $%0.2f" % self.summary['min_price']
def total_items(self):
return "Total items: %d" % self.summary['num_items']
def avg_age_of_listing(self):
return "Avg age of listing: %0.2f days" % self.summary['avg_age']
def avg_age_bumped(self):
return "Avg age bumped: %0.2f days" % self.summary['avg_age_bumped']
def items_marked_down(self):
return "Items marked down: %d (%0.2f %%)" % (self.summary['num_marked_down'], self.summary['per_marked_down'])
def items_bumped(self):
return "Items bumped: %d (%0.2f %%)" % (self.summary['num_bumped'], self.summary['per_bumped'])
def num_collabs(self):
return "Collaborations: %d" % self.summary['num_collabs']
|
qrel_input = 'data/expert/qrels-covid_d4_j3.5-4.txt'
doc_type = 'expert'
qrel_name = 'baseline_doc'
qrel_path = f'qrels/{doc_type}/{qrel_name}'
with open(qrel_path, 'w') as fo:
with open(qrel_input) as f:
for line in f:
line = line.strip().split()
if line:
query_id, _, doc_id, dq_rank = line
query_id = int(query_id)
dq_rank = int(dq_rank)
if dq_rank > 1:
dq_rank = 1
line = f'{query_id}\tQ0\t{doc_id}\t{dq_rank}\n'
fo.write(line)
|
class BoundingBox:
def __init__(self, x1, y1, x2, y2):
self.x1 = x1
self.y1 = y1
self.x2 = x2
self.y2 = y2
self.k = 2 # scaling factor
def get_x_center(self):
return(self.x1 + self.x2) / 2
def get_y_center(self):
return(self.y1 + self.y2) / 2
def compute_output_height(self):
bbox_height = self.y2 - self.y1
output_height = self.k * bbox_height
return max(1.0, output_height)
def compute_output_width(self):
bbox_width = self.x2 - self.x1
output_width = self.k * bbox_width
return max(1.0, output_width)
def update_coordinates(self, x1, x2, y1, y2):
self.x1 = x1
self.x2 = x2
self.y1 = y1
self.y2 = y2
|
s = 0
for i in range(2,100):
for j in range(2,i):
if i % j == 0:
break
else:
s += i
print(s)
|
n1= input()
n2 = input()
j = 1
for i in range(1,n1+1):
j = i*j
k = j%n2
print(k)
print("\n")
|
# Used to test import statements for the NoopAugmentor plugin.
def noop(x):
return x
|
C = int(input())
if C>=2 and C<=99:
for i in range(C):
x =input()
print("gzuz")
|
def my_bilateral_filter(ImgNoisy, window_size = 3 , sigma_d = 4, sigma_r = 40):
# sigma_d : smoothing weight factor
# sigma_r : range weight factor
height = ImgNoisy.shape[0]
width = ImgNoisy.shape[1]
# Initialize the filtered image:
filtered_image = np.empty([height,width])
# Starting looping and processing the orginal noisy and assigning values to the new filtered image
window_boundary = int(np.ceil(window_size/2))
for i in range(height):
for j in range(width):
normalization_counter = 0
filtered_pixel = 0
for k in range(i - window_boundary, i + window_boundary):
for l in range(j - window_boundary, j + window_boundary):
# Apply window boundary conditions
if (k >= 0 and k < height and l >= 0 and l < width):
# Calculate smoothing weight :
smoothing_weight_dist = math.sqrt(np.power((i - k), 2) + np.power((j - l), 2))
smoothing_weight = math.exp(-smoothing_weight_dist/(2 * (sigma_s ** 2)))
# Calculate range weight :
range_weight_dist = (abs(int(imgNoisy[i][j]) - int(imgNoisy[k][l]))) ** 2
range_weight = math.exp(-range_weight_dist /(2 * (sigma_r ** 2)))
# Calculate combined weight, perform summation and normalization operations
bilateral_weight = smoothing_weight * range_weight
neighbor_pixel = imgNoisy[k, l]
filtered_pixel += neighbor_pixel * bilateral_weight
normalization_counter += bilateral_weight
filtered_pixel = filtered_pixel / normalization_counter
filtered_image[i][j] = int(round(filtered_pixel))
return filtered_image
|
#!/usr/bin/python
#-*- coding:utf-8 -*-
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
try:
s.connect((conn_ip,conn_port))
logging.info('IP:'+str(conn_ip)+',PORT:'+str(conn_port)+',connect successful')
except Exception as e:
logging.warning('IP:'+str(conn_ip)+',PORT:'+str(conn_port)+',connect failed!!check the client!!')
send_msg(conn_ip,conn_port) #发送报警短信
finally:
s.close()
|
# Python - lab 8
# var 7
# Group 2
# 4/11/2019
__doc__ = """
The simplest Python interpreter ever
See more at https://vadimcpp.ru/python/laba8.html
This is Backus–Naur form
Syntax:
<expression> ::= <digit>|<expression><operation><digit>
<operation> ::= +|-
<digit> ::= 1|2|3|4|5|6|7|8|9
"""
class InterpretError(Exception):
def __init__(self, message):
super().__init__(message)
class SimpleInterpreter:
result = 0
program = ""
index = 0
operation = "+"
def __processDigit(self, digit: str) -> None:
if self.operation == "+":
self.result += int(digit)
elif self.operation == "-":
self.result -= int(digit)
def __loadProgram(self, program: str) -> None:
self.result = 0
self.program = program
self.index = 0
self.operation = "+"
self.last_term = ""
def __interpret(self) -> None:
for term in self.program:
if term.isdigit():
if self.last_term.isdigit():
raise InterpretError("Wrong syntax")
self.__processDigit(term)
elif term in ("+", "-"):
if not self.last_term.isdigit():
raise InterpretError("Wrong syntax")
self.operation = term
else:
raise InterpretError(f"Can't interpret that term '{term}'")
self.index += 1
self.last_term = term
else:
self.__printResult()
def __printResult(self) -> None:
print('The result of', self.program, 'is', self.result)
def runProgram(self, program: str) -> None:
self.__loadProgram(program)
self.__interpret()
if __name__ == "__main__":
print(__doc__)
programs = [
"1", # 1
"2+2", # 2
"1+2-3+4", # 3
"1*2-4/2", # 4 wrong syntax
"12-34", # 5 wrong syntax
"-2+7", # 6 wrong syntax
"+2+7", # 7 wrong syntax
]
interpreter = SimpleInterpreter()
for program in programs:
interpreter.runProgram(program)
|
input = """
% This is most similar to nonground.query.3, just without the second
% constraint. We originally failed to process this correctly.
color(red,X) | color(green,X) | color(blue,X) :- node(X).
node("Cosenza").
node("Vienna").
node("Diamante").
redish :- color(red,"Vienna").
dark :- not color(red,"Vienna").
:- redish, not dark.
%:- dark, not redish.
color(X,Y)?
"""
output = """
% This is most similar to nonground.query.3, just without the second
% constraint. We originally failed to process this correctly.
color(red,X) | color(green,X) | color(blue,X) :- node(X).
node("Cosenza").
node("Vienna").
node("Diamante").
redish :- color(red,"Vienna").
dark :- not color(red,"Vienna").
:- redish, not dark.
%:- dark, not redish.
color(X,Y)?
"""
|
class EventTableData:
def __init__(self):
self._header_tag = 'th'
self._dispo_header = False
self._event_row = -1
def store_data(self, case_parser, data):
if self._dispo_header:
self._event_row += 1
case_parser.event_table_data.append([])
case_parser.event_table_data[self._event_row].append(data)
self._dispo_header = False
else:
case_parser.event_table_data[self._event_row].append(data)
def check_tag(self, tag):
if self._header_tag == tag:
self._dispo_header = True
|
"""Ogre Package
@author Michael Reimpell
"""
# epydoc doc format
__docformat__ = "javadoc en"
__all__ = ["base", "gui", "materialexport", "armatureexport", "meshexport"]
|
class IceCreamMachine:
all={}
def __init__(self, ingredients, toppings):
self.ingredients = ingredients
self.toppings = toppings
def scoops(self):
res = []
for i in self.ingredients:
for j in self.toppings:
res.append([i, j])
return res
machine = IceCreamMachine(["vanilla", "chocolate"], ["chocolate sauce"])
print(machine.scoops())
|
class lennox_period(object):
def __init__(self, id):
self.id = id
self.enabled = False
self.startTime = None
self.systemMode = None
self.hsp = None
self.hspC = None
self.csp = None
self.cspC = None
self.sp = None
self.spC = None
self.humidityMode = None
self.husp = None
self.desp = None
self.fanMode = None
def update(self, periods):
if 'enabled' in periods:
self.enabled = periods['enabled']
if 'period' in periods:
period = periods['period']
if 'startTime' in period:
self.startTime = period['startTime']
if 'systemMode' in period:
self.systemMode = period['systemMode']
if 'hsp' in period:
self.hsp = period['hsp']
if 'hspC' in period:
self.hspC = period['hspC']
if 'csp' in period:
self.csp = period['csp']
if 'cspC' in period:
self.cspC = period['cspC']
if 'sp' in period:
self.sp = period['sp']
if 'spC' in period:
self.spC = period['spC']
if 'humidityMode' in period:
self.humidityMode = period['humidityMode']
if 'husp' in period:
self.husp = period['husp']
if 'desp' in period:
self.desp = period['desp']
if 'fanMode' in period:
self.fanMode = period['fanMode']
|
#Write a function that reverses a string. The input string is given as an array of characters char[].
#Do not allocate extra space for another array, you must do this by modifying the input array in-place with O(1) extra memory.
#You may assume all the characters consist of printable ascii characters.
#Runtime: beats 93.21 % of python submissions.
#MEM: memory usage beats 14.92 % of python submissions.
class Solution(object):
def reverseString(self, s):
"""
:type s: List[str]
:rtype: None Do not return anything, modify s in-place instead.
"""
half = (int)(len(s)-1)/2
last = (len(s)-1)
print(len(s))
print(half)
for i in range(0, half+1):
s[i], s[last-i] = s[last-i],s[i]
|
#Inverter valores de 2 variaveis lidas.
a = input("Insira o valor de A: "); b = input("Insira o valor de B: ")
c = a
a = b
b = c
print("O valor de A (invertida): " + str(a) + " e o de B (invertido): " + str(b))
|
### Insert a node at the head of a linked list - Solution
class SinglyLinkedListNode:
def __init__(self, node_data):
self.data = node_data
self.next = None
class SinglyLinkedList:
def __init__(self):
self.head = None
self.tail = None
def print_singly_linked_list(node):
while (node != None):
print(node.data)
node = node.next
# Inserts node at the head of a linked list
def insertNodeAtHead(head, data):
new_node = SinglyLinkedListNode(data)
# Assign data to new_node's data
new_node.data = data
# Make new_node's next as head
new_node.next = head
# Make head point to new_node
head = new_node
return head
llist_size = int(input())
llist = SinglyLinkedList()
for _ in range(llist_size):
llist_item = int(input())
llist_head = insertNodeAtHead(llist.head, llist_item)
llist.head = llist_head
print_singly_linked_list(llist.head)
|
# function to increase the pixel by one inside each box
def add_heat(heatmap, bbox_list):
# Iterate through list of bboxes
for box in bbox_list:
# Add += 1 for all pixels inside each bbox
# Assuming each "box" takes the form ((x1, y1), (x2, y2))
heatmap[box[0][1]:box[1][1], box[0][0]:box[1][0]] += 1
# Return updated heatmap
return heatmap
# applying a threshold value to the image to filter out low pixel cells
def apply_threshold(heatmap, threshold):
# Zero out pixels below the threshold
heatmap[heatmap <= threshold] = 0
# Return thresholded map
return heatmap
|
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def __init__(self, head: ListNode):
"""
@param head The linked list's head.
Note that the head is guaranteed to be not null, so it contains at least one node.
"""
self.range = []
while head:
self.range.append(head.val)
head = head.next
def getRandom(self) -> int:
"""
Returns a random node's value.
"""
pick = int(random.random() * len(self.range))
return self.range[pick]
|
fim = int(input("Digite um numero: "))
x = 0
while x <= fim:
if not x % 2 == 0:
print(x)
x += 1
|
# !/usr/bin/env python
"""
Provides the gcd and s, t of Euclidian algorithim for a given m, n
The algorithim states that the GCD of 2 numbers is equal to a product
of the one of the numbers and a coefficient, s added with the product
of the remaining number and a coefficient, t.
"""
def gcd(m,n,buffer):
"""Returns the GCD through recursion, and the quotient buffer"""
if ((m % n) == 0):
return n
else:
buffer.append(-1*(m // n))
return gcd(n, (m % n), buffer)
def euclid(s,t,buffer):
""" Returns s and t after recursion """
if (len(buffer) == 0):
return s,t
else:
t1 = s + t * buffer[len(buffer)-1]
del buffer[len(buffer)-1]
return euclid(t, t1, buffer)
def fn(m,n):
""" Initilizes, and prints, the GCD and S and T values"""
buffer = []
if (m > n):
large = m
small = n
gcd_ = gcd(m,n,buffer)
else:
large = n
small = m
gcd_ = gcd(n,m,buffer)
s_t = euclid(1, buffer[len(buffer)-1], buffer[:len(buffer)-1])
print("The GCD is {:d}".format(gcd_))
if (s_t[0] > s_t[1]):
print("{:d} = {:d} * {:d} - {:d} * {:d}".format(
gcd_, s_t[0], large, -1*s_t[1], small))
else:
print("{:d} = {:d} * {:d} - {:d} * {:d}".format(
gcd_, s_t[1], small, -1*s_t[0], large))
if (large == m):
print("S is {:d} and T is {:d}".format(s_t[0], s_t[1]))
else:
print("S is {:d} and T is {:d}".format(s_t[1], s_t[0]))
UserInput1 = int(input("Enter a pair of numbers: \n"))
UserInput2 = int(input())
fn(UserInput1,UserInput2)
input("Press enter to quit")
|
class EmployeeApi:
endpoint = 'Employee.json'
def __init__(self, client):
self.client = client
def get_employee(self, employeeId):
return self.client.get(endpoint=self.endpoint, payload={
"employeeID": employeeId,
"load_relations": '["Contact"]'
})
|
# HARD
# Input: "abcd"
# reverse input => as rev = "dcba"
# compare s[:n-i] with rev[i:]
# abcd vs dcba
# abc vs cba
# ab vs ba
# a vs a => i == 3
# the same substring is the overlapped part of the result, thus rev[:i] + s is the result
# Time O(N^2) Space O(n)
# KMP prefix table
# this reduced the substring time to O(1)
# Time O(N) Space O(N)
class Solution:
def shortestPalindrome(self, s: str) -> str:
return self.slow(s)
def slow(self,s):
n = len(s)
rev = ''.join(reversed(list(s)))
for i in range(n):
if s[:n-i] == rev[i:]:
return rev[:i]+ s
return ""
def fast(self,s):
n = len(s)
rev = ''.join(reversed(list(s)))
formed = s+"*"+rev
prefix = self.buildPrefix(formed)
# print([i for i in formed])
# print(prefix)
return rev[0:n-prefix[-1]]+s
def buildPrefix(self,s):
n = len(s)
prefix = [0]*n
length = 0
i = 1
j = 0
while i <n:
if s[i] == s[length]:
length += 1
prefix[i] = length
i += 1
else:
if length> 0:
length = prefix[length-1]
else:
prefix[i] = length
i+=1
return prefix
|
'''
Given a set of distinct integers, nums, return all possible subsets (the power set).
Note: The solution set must not contain duplicate subsets.
Permutation and combination
'''
class Solution:
def dfs(self, result, combination, nums, start_index, depth):
if depth==0:
result.append(combination.copy())
else:
for num in nums[start_index:]:
combination.append(num)
# TODO: Why do I need to reset the start_index here insdead of placing start_index+1
start_index = start_index+1
self.dfs(result, combination, nums, start_index, depth-1)
combination.pop()
def subsets(self, nums):
"""
:type nums: List[int]
:rtype: List[List[int]]
"""
result = []
for k in range(len(nums)+1):
self.dfs(result, [], nums, 0, k)
return result
if __name__ == "__main__":
s = Solution()
print(s.subsets([1,2,3]))
print(s.subsets([3,9]))
|
'''
Функція замінює один елемент масиву на інший.
Це чиста функція, вона повертає нове значення.
'''
def replace_with(old, new, string):
isstr = False
if isinstance(string, str):
string = list(string)
isstr = True
def wrap(i):
nonlocal string
if len(string) == i:
return
if string[i] == old:
string = string[0:i] + [new] + string[i + 1:]
wrap(i+1)
wrap(0)
if isstr:
string = "".join(string)
return string
if __name__ == "__main__":
assert 'abcdef'.replace('c', 'W') == replace_with('c', 'W', 'abcdef')
assert [9,2,3,4,5] == replace_with(1, 9, [1,2,3,4,5])
assert 'hello'.replace('W', 'A') == replace_with('W', 'A', 'hello')
s = 'hwllo world'
assert s != replace_with('w', 'e', s)
|
__author__ = 'ipetrash'
if __name__ == '__main__':
# EN:
# Write a program that displays a number from 1 to 100. In this case, instead of numbers that are
# multiples of three, the program should display the word «Fizz», but instead of multiples of five - the
# word «Buzz». If the number is a multiple and 3 and 5, the program should display the word «FizzBuzz»
# RU:
# Напишите программу, которая выводит на экран числа от 1 до 100. При этом вместо чисел, кратных трем, программа
# должна выводить слово «Fizz», а вместо чисел, кратных пяти — слово «Buzz». Если число кратно и 3, и 5,
# то программа должна выводить слово «FizzBuzz»
for num in range(1, 100 + 1):
if num % 15 is 0:
print("FizzBuzz")
elif num % 3 is 0:
print("Fizz")
elif num % 5 is 0:
print("Buzz")
else:
print(num)
|
def build_schema_query(table_schema):
schema_query = """
SELECT table_name,
column_name,
column_default,
is_nullable,
data_type,
character_maximum_length
FROM information_schema.columns
WHERE table_schema = '{0}'
ORDER BY table_name,
ordinal_position
""".format(table_schema)
return schema_query
|
{ 'application':{ 'type':'Application',
'name':'HtmlPreview',
'backgrounds':
[
{ 'type':'Background',
'name':'bgMin',
'title':'HTML Preview',
#'size':(800, 600),
'statusBar':1,
'style':['resizeable'],
'components':
[
{ 'type':'HtmlWindow',
'name':'html',
'size':(400, 200),
'text':''
},
]
}
]
}
}
|
# -*- coding: UTF-8 -*-
"""
Created on 2017年11月10日
@author: Leo
"""
class DataValidate:
# 校验是否为数字
@staticmethod
def is_int(data):
if isinstance(data, int):
return {"status": True, "data": data}
else:
return {"status": False, "data": data}
# 校验是否为字符串
@staticmethod
def is_str(data):
if isinstance(data, str):
return {"status": True, "data": data}
else:
return {"status": False, "data": data}
|
expected_output = {
"vrf": {
"default": {
"address_family": {
"ipv4": {
"instance": {
"1": {
"areas": {
"0.0.0.0": {
"database": {
"lsa_types": {
1: {
"lsa_type": 1,
"lsas": {
"10.4.1.1 10.4.1.1": {
"adv_router": "10.4.1.1",
"lsa_id": "10.4.1.1",
"ospfv2": {
"body": {
"router": {
"links": {
"10.4.1.1": {
"link_data": "255.255.255.255",
"link_id": "10.4.1.1",
"num_mtid_metrics": 2,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
},
32: {
"metric": 1,
"mt_id": 32,
},
33: {
"metric": 1,
"mt_id": 33,
},
},
"type": "stub network",
},
"10.1.2.1": {
"link_data": "10.1.2.1",
"link_id": "10.1.2.1",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.1.4.4": {
"link_data": "10.1.4.1",
"link_id": "10.1.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
},
"num_of_links": 3,
}
},
"header": {
"adv_router": "10.4.1.1",
"age": 742,
"checksum": "0x6228",
"length": 60,
"lsa_id": "10.4.1.1",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "8000003D",
"type": 1,
},
},
},
"10.16.2.2 10.16.2.2": {
"adv_router": "10.16.2.2",
"lsa_id": "10.16.2.2",
"ospfv2": {
"body": {
"router": {
"links": {
"10.1.2.1": {
"link_data": "10.1.2.2",
"link_id": "10.1.2.1",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.2.3.3": {
"link_data": "10.2.3.2",
"link_id": "10.2.3.3",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.2.4.4": {
"link_data": "10.2.4.2",
"link_id": "10.2.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.16.2.2": {
"link_data": "255.255.255.255",
"link_id": "10.16.2.2",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
},
},
"num_of_links": 4,
}
},
"header": {
"adv_router": "10.16.2.2",
"age": 1520,
"checksum": "0x672A",
"length": 72,
"lsa_id": "10.16.2.2",
"option": "None",
"option_desc": "No TOS-capability, No DC",
"seq_num": "80000013",
"type": 1,
},
},
},
"10.36.3.3 10.36.3.3": {
"adv_router": "10.36.3.3",
"lsa_id": "10.36.3.3",
"ospfv2": {
"body": {
"router": {
"links": {
"10.2.3.3": {
"link_data": "10.2.3.3",
"link_id": "10.2.3.3",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.3.4.4": {
"link_data": "10.3.4.3",
"link_id": "10.3.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.36.3.3": {
"link_data": "255.255.255.255",
"link_id": "10.36.3.3",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
},
},
"num_of_links": 3,
}
},
"header": {
"adv_router": "10.36.3.3",
"age": 235,
"checksum": "0x75F8",
"length": 60,
"lsa_id": "10.36.3.3",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000033",
"type": 1,
},
},
},
"10.64.4.4 10.64.4.4": {
"adv_router": "10.64.4.4",
"lsa_id": "10.64.4.4",
"ospfv2": {
"body": {
"router": {
"links": {
"10.1.4.4": {
"link_data": "10.1.4.4",
"link_id": "10.1.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.2.4.4": {
"link_data": "10.2.4.4",
"link_id": "10.2.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.3.4.4": {
"link_data": "10.3.4.4",
"link_id": "10.3.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.64.4.4": {
"link_data": "255.255.255.255",
"link_id": "10.64.4.4",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
},
},
"num_of_links": 4,
}
},
"header": {
"adv_router": "10.64.4.4",
"age": 1486,
"as_boundary_router": True,
"checksum": "0xA57C",
"length": 72,
"lsa_id": "10.64.4.4",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000036",
"type": 1,
},
},
},
},
}
}
}
}
}
},
"2": {
"areas": {
"0.0.0.1": {
"database": {
"lsa_types": {
1: {
"lsa_type": 1,
"lsas": {
"10.229.11.11 10.229.11.11": {
"adv_router": "10.229.11.11",
"lsa_id": "10.229.11.11",
"ospfv2": {
"body": {
"router": {
"links": {
"10.186.5.1": {
"link_data": "10.186.5.1",
"link_id": "10.186.5.1",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.151.22.22": {
"link_data": "0.0.0.14",
"link_id": "10.151.22.22",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 111,
"mt_id": 0,
"tos": 0,
}
},
"type": "another router (point-to-point)",
},
},
"num_of_links": 2,
}
},
"header": {
"adv_router": "10.229.11.11",
"age": 651,
"area_border_router": True,
"as_boundary_router": True,
"checksum": "0x9CE3",
"length": 48,
"lsa_id": "10.229.11.11",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "8000003E",
"type": 1,
},
},
},
"10.151.22.22 10.151.22.22": {
"adv_router": "10.151.22.22",
"lsa_id": "10.151.22.22",
"ospfv2": {
"body": {
"router": {
"links": {
"10.229.11.11": {
"link_data": "0.0.0.6",
"link_id": "10.229.11.11",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "another router (point-to-point)",
},
"10.229.6.6": {
"link_data": "10.229.6.2",
"link_id": "10.229.6.6",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 40,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
},
"num_of_links": 2,
}
},
"header": {
"adv_router": "10.151.22.22",
"age": 480,
"area_border_router": True,
"as_boundary_router": True,
"checksum": "0xC41A",
"length": 48,
"lsa_id": "10.151.22.22",
"option": "None",
"option_desc": "No TOS-capability, No DC",
"seq_num": "80000019",
"type": 1,
},
},
},
"10.36.3.3 10.36.3.3": {
"adv_router": "10.36.3.3",
"lsa_id": "10.36.3.3",
"ospfv2": {
"body": {
"router": {
"links": {
"10.19.7.7": {
"link_data": "10.19.7.3",
"link_id": "10.19.7.7",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
}
},
"num_of_links": 1,
}
},
"header": {
"adv_router": "10.36.3.3",
"age": 1128,
"area_border_router": True,
"as_boundary_router": True,
"checksum": "0x5845",
"length": 36,
"lsa_id": "10.36.3.3",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000035",
"type": 1,
},
},
},
"10.115.55.55 10.115.55.55": {
"adv_router": "10.115.55.55",
"lsa_id": "10.115.55.55",
"ospfv2": {
"body": {
"router": {
"links": {
"10.186.5.1": {
"link_data": "10.186.5.5",
"link_id": "10.186.5.1",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.115.6.6": {
"link_data": "10.115.6.5",
"link_id": "10.115.6.6",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 30,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.115.55.55": {
"link_data": "255.255.255.255",
"link_id": "10.115.55.55",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
},
},
"num_of_links": 3,
}
},
"header": {
"adv_router": "10.115.55.55",
"age": 318,
"checksum": "0xE7BC",
"length": 60,
"lsa_id": "10.115.55.55",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000037",
"type": 1,
},
},
},
"10.84.66.66 10.84.66.66": {
"adv_router": "10.84.66.66",
"lsa_id": "10.84.66.66",
"ospfv2": {
"body": {
"router": {
"links": {
"10.229.6.6": {
"link_data": "10.229.6.6",
"link_id": "10.229.6.6",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.115.6.6": {
"link_data": "10.115.6.6",
"link_id": "10.115.6.6",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 30,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.166.7.6": {
"link_data": "10.166.7.6",
"link_id": "10.166.7.6",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 30,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.84.66.66": {
"link_data": "255.255.255.255",
"link_id": "10.84.66.66",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
},
},
"num_of_links": 4,
}
},
"header": {
"adv_router": "10.84.66.66",
"age": 520,
"checksum": "0x1282",
"length": 72,
"lsa_id": "10.84.66.66",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "8000003C",
"type": 1,
},
},
},
"10.1.77.77 10.1.77.77": {
"adv_router": "10.1.77.77",
"lsa_id": "10.1.77.77",
"ospfv2": {
"body": {
"router": {
"links": {
"10.19.7.7": {
"link_data": "10.19.7.7",
"link_id": "10.19.7.7",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.166.7.6": {
"link_data": "10.166.7.7",
"link_id": "10.166.7.6",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 30,
"mt_id": 0,
"tos": 0,
}
},
"type": "transit network",
},
"10.1.77.77": {
"link_data": "255.255.255.255",
"link_id": "10.1.77.77",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
},
},
"num_of_links": 3,
}
},
"header": {
"adv_router": "10.1.77.77",
"age": 288,
"checksum": "0x1379",
"length": 60,
"lsa_id": "10.1.77.77",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000030",
"type": 1,
},
},
},
},
}
}
}
}
}
},
"3": {
"areas": {
"0.0.0.0": {
"database": {
"lsa_types": {
1: {
"lsa_type": 1,
"lsas": {
"10.115.11.11 10.115.11.11": {
"adv_router": "10.115.11.11",
"lsa_id": "10.115.11.11",
"ospfv2": {
"body": {
"router": {
"links": {
"10.115.11.11": {
"link_data": "255.255.255.255",
"link_id": "10.115.11.11",
"num_mtid_metrics": 0,
"topologies": {
0: {
"metric": 1,
"mt_id": 0,
"tos": 0,
}
},
"type": "stub network",
}
},
"num_of_links": 1,
}
},
"header": {
"adv_router": "10.115.11.11",
"age": 50,
"as_boundary_router": True,
"checksum": "0x881A",
"length": 36,
"lsa_id": "10.115.11.11",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000001",
"type": 1,
},
},
}
},
}
}
}
},
"0.0.0.11": {
"database": {
"lsa_types": {
1: {
"lsa_type": 1,
"lsas": {
"10.115.11.11 10.115.11.11": {
"adv_router": "10.115.11.11",
"lsa_id": "10.115.11.11",
"ospfv2": {
"body": {
"router": {
"num_of_links": 0
}
},
"header": {
"adv_router": "10.115.11.11",
"age": 8,
"as_boundary_router": True,
"checksum": "0x1D1B",
"length": 24,
"lsa_id": "10.115.11.11",
"option": "None",
"option_desc": "No TOS-capability, DC",
"seq_num": "80000001",
"type": 1,
},
},
}
},
}
}
}
},
}
},
}
}
}
}
}
}
|
pkgname = "fontconfig"
pkgver = "2.14.0"
pkgrel = 0
build_style = "gnu_configure"
configure_args = [
"--enable-static", "--enable-docs",
f"--with-cache-dir=/var/cache/{pkgname}",
]
make_cmd = "gmake"
hostmakedepends = ["pkgconf", "gperf", "gmake", "python"]
makedepends = ["libexpat-devel", "freetype-bootstrap", "libuuid-devel"]
triggers = ["/usr/share/fonts/*"]
pkgdesc = "Library for configuring and customizing font access"
maintainer = "q66 <[email protected]>"
license = "MIT"
url = "https://www.fontconfig.org"
source = f"$(FREEDESKTOP_SITE)/{pkgname}/release/{pkgname}-{pkgver}.tar.gz"
sha256 = "b8f607d556e8257da2f3616b4d704be30fd73bd71e367355ca78963f9a7f0434"
def post_install(self):
self.install_license("COPYING")
# reject bitmap fonts by default, preventing them from being preferred
self.install_link(
f"/usr/share/fontconfig/conf.avail/70-no-bitmaps.conf",
"etc/fonts/conf.d/70-no-bitmaps.conf"
)
@subpackage("fontconfig-devel")
def _devel(self):
return self.default_devel()
|
# second_index
# Created by JKChang
# 10/04/2018, 09:15
# Tag:
# Description: You are given two strings and you have to find an index of the second occurrence of the second string in
# the first one.
#
# Input: Two strings.
#
# Output: Int or None
def second_index(text: str, symbol: str):
"""
returns the second index of a symbol in a given text
"""
res = [i for i,x in enumerate(text) if x==symbol ]
if len(res) >= 2:
return res[1]
return None
# try:
# return text.index(symbol,text.index(symbol)+1)
# except ValueError:
# return None
if __name__ == '__main__':
print('Example:')
print(second_index("sims", "s"))
# These "asserts" are used for self-checking and not for an auto-testing
assert second_index("sims", "s") == 3, "First"
assert second_index("find the river", "e") == 12, "Second"
assert second_index("hi", " ") is None, "Third"
assert second_index("hi mayor", " ") is None, "Fourth"
assert second_index("hi mr Mayor", " ") == 5, "Fifth"
print('You are awesome! All tests are done! Go Check it!')
|
"""
Print the pattern of
*
* *
* * *
* * * *
* * * * *
"""
n = 5
k = n - 1
for i in range(0, n):
for j in range(0, k):
print(end=" ")
k = k - 1
for j in range(0, i + 1):
print("* ", end="")
print()
|
'''
Created on 09-May-2017
@author: Sathesh Rgs
'''
print("Program to display armstrong numbers between two intervals")
try:
print("Enter the starting and ending intervals")
si=int(input())
ei=int(input())
print("The armstrong numbers between",si,"and",ei,"are")
for num in range(si,ei+1):
num1=num
asum=0
digit=0
while num1 != 0:
num1=num1//10
digit += 1
num1=num
while num1 != 0:
rem = num1 % 10
asum=asum + (rem ** digit)
num1 = num1 // 10
if asum == num:
print(asum)
except:
print("Enter a valid number")
|
class Solution:
def minCostConnectPoints(self, points: List[List[int]]) -> int:
answer=0
u=[0]*len(points)
unionMap={}
if len(points)==1:
return 0
edges=[]
for i in range(len(points)):
u[i]=i
unionMap[i]=[i]
for j in range(i+1, len(points)):
edges.append((abs(points[i][0]-points[j][0])+abs(points[i][1]-points[j][1]), i,j))
heapq.heapify(edges)
while len(edges)>0 and len(unionMap)>1:
(dis, x,y)=heapq.heappop(edges)
if u[x]==u[y]:
continue
toBeMerged=u[y]
for e in unionMap[u[y]]:
u[e]=u[x]
unionMap[u[x]].append(e)
del unionMap[toBeMerged]
answer+=dis
return answer
|
"""Top-level package for simplecarboncleaner."""
__author__ = """Abhishek Bhatia"""
__email__ = '[email protected]'
__version__ = '0.1.0'
|
''' A simple test
'''
def test_pytest():
'''test_pytest
Summary
-------
Dummy test function.
'''
assert True
|
#!/usr/bin/env python
def yell(text):
return text.upper() + '!'
print(yell('hello'))
# Functions are objects
bark = yell
print(bark('woof'))
del yell
print(bark('hey'))
# error
# print(yell('hello'))
print(bark.__name__)
print(bark.__qualname__)
funcs = [bark, str.lower, str.capitalize]
print(funcs)
for f in funcs:
print(f, f('hey there'))
print(funcs[0]('hey yo'))
def greet(func):
greeting = func('Hi, I am a python programmer')
print(greeting)
greet(bark)
def whisper(text):
return text.lower() + '...'
greet(whisper)
print(list(map(bark, ['hello', 'hey', 'hi'])))
def speak(text):
def whisper(text):
return text.lower() + '...'
return whisper(text)
print(speak('Hello, World'))
def get_speak_func(volumn):
def whisper(text):
return text.lower() + '...'
def yell(text):
return text.upper() + '!'
if volumn > 0.5:
return yell
else:
return whisper
print(get_speak_func(0.8))
print(get_speak_func(0.3))
print(get_speak_func(0.8)('Hello'))
print(get_speak_func(0.3)('Hello'))
def get_speak_func(text, volumn):
def whisper():
return text.lower() + '...'
def yell():
return text.upper() + '!'
if volumn > 0.5:
return yell
else:
return whisper
print('################################################################################')
print('## Functions can capture local state')
print('################################################################################')
def make_adder(n):
def adder(x):
return x+n
return adder
plus_3 = make_adder(3)
plus_5 = make_adder(5)
print(plus_3(4))
print(plus_5(4))
print('################################################################################')
print('## Objects can behave like functions')
print('################################################################################')
class Adder:
def __init__(self, n):
self.n = n
def __call__(self, x):
return self.n + x
plus_3 = Adder(3)
print(plus_3(4))
print('If bark is callable?', callable(bark))
print('If plus_3 is callable?', callable(plus_3))
print('If \'hello\' is callable?', callable('hello'))
|
#Python number
# int
# float
# complex
x = 1
y = 13.23
z = 1j
print(x)
print(y)
print(z)
print("-----------------------------------")
print(type(x))
print(type(y))
print(type(z))
print("-----------------------------------")
|
class BaseError(Exception):
pass
class UnknownError(BaseError):
pass
class AccessTokenRequired(BaseError):
pass
class BadOAuthTokenError(BaseError):
pass
class BadRequestError(BaseError):
pass
class TokenError(BaseError):
pass
|
def numIslands(self, grid: List[List[str]]) -> int:
count = 0
rows = len(grid)
cols = len(grid[0])
''' very similar solution to all these permuation problems
going through each coordinate and changing them if they are
connected
'''
def explore(i, j):
if grid[i][j] == "1":
grid[i][j] = "0"
if i-1 > -1:
explore(i-1, j)
if i+1 < rows:
explore(i+1, j)
if j-1 > -1:
explore(i, j-1)
if j+1 < cols:
explore(i, j+1)
for i in range(rows):
for j in range(cols):
if grid[i][j] == "1":
explore(i, j)
count += 1
return count
|
"""
For address = "[email protected]", the output should be
findEmailDomain(address) = "example.com";
"""
def findEmailDomain(address):
return address.split('@')[-1]
def findEmailDomain(address):
return address[address.rfind('@')+1:]
|
extension = '''
# from sqlalchemy.ext.declarative import declarative_base
# # from core.factories import Session
from sqlalchemy import MetaData
from gino.ext.starlette import Gino
from core.factories import settings
db: MetaData = Gino(dsn=settings.DATABASE_URL)
'''
|
STATS = [
{
"num_node_expansions": 0,
"search_time": 0.0553552,
"total_time": 0.13778,
"plan_length": 231,
"plan_cost": 231,
"objects_used": 140,
"objects_total": 250,
"neural_net_time": 0.07324552536010742,
"num_replanning_steps": 0,
"wall_time": 0.7697024345397949
},
{
"num_node_expansions": 0,
"search_time": 0.0617813,
"total_time": 0.129038,
"plan_length": 222,
"plan_cost": 222,
"objects_used": 134,
"objects_total": 250,
"neural_net_time": 0.03156590461730957,
"num_replanning_steps": 0,
"wall_time": 0.6574497222900391
},
{
"num_node_expansions": 0,
"search_time": 0.0938968,
"total_time": 0.194791,
"plan_length": 207,
"plan_cost": 207,
"objects_used": 153,
"objects_total": 356,
"neural_net_time": 0.06682157516479492,
"num_replanning_steps": 0,
"wall_time": 0.952847957611084
},
{
"num_node_expansions": 0,
"search_time": 0.0631711,
"total_time": 0.160995,
"plan_length": 247,
"plan_cost": 247,
"objects_used": 155,
"objects_total": 356,
"neural_net_time": 0.06831550598144531,
"num_replanning_steps": 0,
"wall_time": 0.879575252532959
},
{
"num_node_expansions": 0,
"search_time": 0.0368878,
"total_time": 0.114052,
"plan_length": 150,
"plan_cost": 150,
"objects_used": 128,
"objects_total": 375,
"neural_net_time": 0.051367998123168945,
"num_replanning_steps": 0,
"wall_time": 0.7391681671142578
},
{
"num_node_expansions": 0,
"search_time": 0.0720374,
"total_time": 0.156246,
"plan_length": 211,
"plan_cost": 211,
"objects_used": 127,
"objects_total": 375,
"neural_net_time": 0.047237396240234375,
"num_replanning_steps": 0,
"wall_time": 0.8465814590454102
},
{
"num_node_expansions": 0,
"search_time": 0.0888631,
"total_time": 0.206741,
"plan_length": 188,
"plan_cost": 188,
"objects_used": 121,
"objects_total": 252,
"neural_net_time": 0.03172731399536133,
"num_replanning_steps": 0,
"wall_time": 0.9832382202148438
},
{
"num_node_expansions": 0,
"search_time": 0.155961,
"total_time": 0.266882,
"plan_length": 244,
"plan_cost": 244,
"objects_used": 122,
"objects_total": 252,
"neural_net_time": 0.0343477725982666,
"num_replanning_steps": 0,
"wall_time": 1.0137133598327637
},
{
"num_node_expansions": 0,
"search_time": 0.0835422,
"total_time": 0.149342,
"plan_length": 196,
"plan_cost": 196,
"objects_used": 98,
"objects_total": 172,
"neural_net_time": 0.02288532257080078,
"num_replanning_steps": 0,
"wall_time": 0.684044599533081
},
{
"num_node_expansions": 0,
"search_time": 0.0729025,
"total_time": 0.158524,
"plan_length": 206,
"plan_cost": 206,
"objects_used": 103,
"objects_total": 172,
"neural_net_time": 0.021747350692749023,
"num_replanning_steps": 0,
"wall_time": 0.8100950717926025
},
{
"num_node_expansions": 0,
"search_time": 0.0568654,
"total_time": 0.137415,
"plan_length": 191,
"plan_cost": 191,
"objects_used": 105,
"objects_total": 246,
"neural_net_time": 0.03279542922973633,
"num_replanning_steps": 0,
"wall_time": 0.7673678398132324
},
{
"num_node_expansions": 0,
"search_time": 0.152617,
"total_time": 0.224431,
"plan_length": 194,
"plan_cost": 194,
"objects_used": 99,
"objects_total": 246,
"neural_net_time": 0.03205370903015137,
"num_replanning_steps": 0,
"wall_time": 0.8383169174194336
},
{
"num_node_expansions": 0,
"search_time": 0.0430356,
"total_time": 0.0916958,
"plan_length": 206,
"plan_cost": 206,
"objects_used": 104,
"objects_total": 194,
"neural_net_time": 0.024816274642944336,
"num_replanning_steps": 0,
"wall_time": 0.5796539783477783
},
{
"num_node_expansions": 0,
"search_time": 0.0793143,
"total_time": 0.15237,
"plan_length": 233,
"plan_cost": 233,
"objects_used": 111,
"objects_total": 194,
"neural_net_time": 0.024263620376586914,
"num_replanning_steps": 0,
"wall_time": 0.7465353012084961
},
{
"num_node_expansions": 0,
"search_time": 0.0579225,
"total_time": 0.136225,
"plan_length": 180,
"plan_cost": 180,
"objects_used": 100,
"objects_total": 196,
"neural_net_time": 0.024345874786376953,
"num_replanning_steps": 0,
"wall_time": 0.7536647319793701
},
{
"num_node_expansions": 0,
"search_time": 0.0646547,
"total_time": 0.158646,
"plan_length": 197,
"plan_cost": 197,
"objects_used": 102,
"objects_total": 196,
"neural_net_time": 0.025458097457885742,
"num_replanning_steps": 0,
"wall_time": 0.8155977725982666
},
{
"num_node_expansions": 0,
"search_time": 0.0690828,
"total_time": 0.1226,
"plan_length": 250,
"plan_cost": 250,
"objects_used": 150,
"objects_total": 261,
"neural_net_time": 0.03429579734802246,
"num_replanning_steps": 0,
"wall_time": 0.6279757022857666
},
{
"num_node_expansions": 0,
"search_time": 0.0692617,
"total_time": 0.146682,
"plan_length": 280,
"plan_cost": 280,
"objects_used": 158,
"objects_total": 261,
"neural_net_time": 0.03626728057861328,
"num_replanning_steps": 0,
"wall_time": 0.7651171684265137
},
{
"num_node_expansions": 0,
"search_time": 0.0391875,
"total_time": 0.0983801,
"plan_length": 197,
"plan_cost": 197,
"objects_used": 118,
"objects_total": 223,
"neural_net_time": 0.02935004234313965,
"num_replanning_steps": 0,
"wall_time": 0.6243836879730225
},
{
"num_node_expansions": 0,
"search_time": 0.0683405,
"total_time": 0.118893,
"plan_length": 309,
"plan_cost": 309,
"objects_used": 115,
"objects_total": 223,
"neural_net_time": 0.029554128646850586,
"num_replanning_steps": 0,
"wall_time": 0.642784833908081
},
{
"num_node_expansions": 0,
"search_time": 0.083412,
"total_time": 0.16882,
"plan_length": 209,
"plan_cost": 209,
"objects_used": 123,
"objects_total": 268,
"neural_net_time": 0.03368687629699707,
"num_replanning_steps": 0,
"wall_time": 0.823617696762085
},
{
"num_node_expansions": 0,
"search_time": 0.131707,
"total_time": 0.205061,
"plan_length": 251,
"plan_cost": 251,
"objects_used": 120,
"objects_total": 268,
"neural_net_time": 0.039069414138793945,
"num_replanning_steps": 0,
"wall_time": 0.8401038646697998
},
{
"num_node_expansions": 0,
"search_time": 0.0430802,
"total_time": 0.116279,
"plan_length": 175,
"plan_cost": 175,
"objects_used": 113,
"objects_total": 251,
"neural_net_time": 0.03359651565551758,
"num_replanning_steps": 0,
"wall_time": 0.7193644046783447
},
{
"num_node_expansions": 0,
"search_time": 0.0686163,
"total_time": 0.151265,
"plan_length": 211,
"plan_cost": 211,
"objects_used": 114,
"objects_total": 251,
"neural_net_time": 0.03354597091674805,
"num_replanning_steps": 0,
"wall_time": 0.8007180690765381
},
{
"num_node_expansions": 0,
"search_time": 0.0350066,
"total_time": 0.074157,
"plan_length": 170,
"plan_cost": 170,
"objects_used": 96,
"objects_total": 165,
"neural_net_time": 0.0218808650970459,
"num_replanning_steps": 0,
"wall_time": 0.5286593437194824
},
{
"num_node_expansions": 0,
"search_time": 0.0411249,
"total_time": 0.0831745,
"plan_length": 193,
"plan_cost": 193,
"objects_used": 98,
"objects_total": 165,
"neural_net_time": 0.022090673446655273,
"num_replanning_steps": 0,
"wall_time": 0.5557692050933838
},
{
"num_node_expansions": 0,
"search_time": 0.0964381,
"total_time": 0.18287,
"plan_length": 246,
"plan_cost": 246,
"objects_used": 111,
"objects_total": 280,
"neural_net_time": 0.035047054290771484,
"num_replanning_steps": 0,
"wall_time": 0.8643906116485596
},
{
"num_node_expansions": 0,
"search_time": 0.0441619,
"total_time": 0.122736,
"plan_length": 173,
"plan_cost": 173,
"objects_used": 109,
"objects_total": 280,
"neural_net_time": 0.03827977180480957,
"num_replanning_steps": 0,
"wall_time": 0.7664711475372314
},
{
"num_node_expansions": 0,
"search_time": 0.0926131,
"total_time": 0.209987,
"plan_length": 242,
"plan_cost": 242,
"objects_used": 139,
"objects_total": 275,
"neural_net_time": 0.03778886795043945,
"num_replanning_steps": 0,
"wall_time": 0.9464788436889648
},
{
"num_node_expansions": 0,
"search_time": 0.0845314,
"total_time": 0.167256,
"plan_length": 256,
"plan_cost": 256,
"objects_used": 132,
"objects_total": 275,
"neural_net_time": 0.03821539878845215,
"num_replanning_steps": 0,
"wall_time": 0.7884328365325928
},
{
"num_node_expansions": 0,
"search_time": 0.0529518,
"total_time": 0.124709,
"plan_length": 190,
"plan_cost": 190,
"objects_used": 138,
"objects_total": 313,
"neural_net_time": 0.03936409950256348,
"num_replanning_steps": 0,
"wall_time": 0.7054498195648193
},
{
"num_node_expansions": 0,
"search_time": 0.0521989,
"total_time": 0.125175,
"plan_length": 218,
"plan_cost": 218,
"objects_used": 138,
"objects_total": 313,
"neural_net_time": 0.03993034362792969,
"num_replanning_steps": 0,
"wall_time": 0.7154295444488525
},
{
"num_node_expansions": 0,
"search_time": 0.0493855,
"total_time": 0.124496,
"plan_length": 188,
"plan_cost": 188,
"objects_used": 113,
"objects_total": 251,
"neural_net_time": 0.03525900840759277,
"num_replanning_steps": 0,
"wall_time": 0.7170531749725342
},
{
"num_node_expansions": 0,
"search_time": 0.0427762,
"total_time": 0.107201,
"plan_length": 199,
"plan_cost": 199,
"objects_used": 111,
"objects_total": 251,
"neural_net_time": 0.03240776062011719,
"num_replanning_steps": 0,
"wall_time": 0.658397912979126
},
{
"num_node_expansions": 0,
"search_time": 0.367306,
"total_time": 0.488743,
"plan_length": 291,
"plan_cost": 291,
"objects_used": 130,
"objects_total": 235,
"neural_net_time": 0.03081965446472168,
"num_replanning_steps": 0,
"wall_time": 1.232940912246704
},
{
"num_node_expansions": 0,
"search_time": 0.167941,
"total_time": 0.272655,
"plan_length": 314,
"plan_cost": 314,
"objects_used": 127,
"objects_total": 235,
"neural_net_time": 0.0307772159576416,
"num_replanning_steps": 0,
"wall_time": 0.9764890670776367
},
{
"num_node_expansions": 0,
"search_time": 0.0958415,
"total_time": 0.195371,
"plan_length": 265,
"plan_cost": 265,
"objects_used": 143,
"objects_total": 340,
"neural_net_time": 0.04459547996520996,
"num_replanning_steps": 0,
"wall_time": 0.896115779876709
},
{
"num_node_expansions": 0,
"search_time": 0.0958713,
"total_time": 0.184557,
"plan_length": 278,
"plan_cost": 278,
"objects_used": 142,
"objects_total": 340,
"neural_net_time": 0.04405355453491211,
"num_replanning_steps": 0,
"wall_time": 0.8578188419342041
},
{
"num_node_expansions": 0,
"search_time": 0.0630232,
"total_time": 0.139247,
"plan_length": 175,
"plan_cost": 175,
"objects_used": 106,
"objects_total": 219,
"neural_net_time": 0.027605772018432617,
"num_replanning_steps": 0,
"wall_time": 0.7573132514953613
},
{
"num_node_expansions": 0,
"search_time": 0.0653257,
"total_time": 0.143589,
"plan_length": 187,
"plan_cost": 187,
"objects_used": 105,
"objects_total": 219,
"neural_net_time": 0.02782750129699707,
"num_replanning_steps": 0,
"wall_time": 0.7572407722473145
},
{
"num_node_expansions": 0,
"search_time": 0.170188,
"total_time": 0.22215,
"plan_length": 234,
"plan_cost": 234,
"objects_used": 96,
"objects_total": 247,
"neural_net_time": 0.032060861587524414,
"num_replanning_steps": 0,
"wall_time": 0.7359240055084229
},
{
"num_node_expansions": 0,
"search_time": 0.0314888,
"total_time": 0.109566,
"plan_length": 161,
"plan_cost": 161,
"objects_used": 104,
"objects_total": 247,
"neural_net_time": 0.03216266632080078,
"num_replanning_steps": 0,
"wall_time": 0.7081592082977295
},
{
"num_node_expansions": 0,
"search_time": 0.0726518,
"total_time": 0.174,
"plan_length": 196,
"plan_cost": 196,
"objects_used": 126,
"objects_total": 266,
"neural_net_time": 0.035826683044433594,
"num_replanning_steps": 0,
"wall_time": 0.8562233448028564
},
{
"num_node_expansions": 0,
"search_time": 0.0792656,
"total_time": 0.179632,
"plan_length": 232,
"plan_cost": 232,
"objects_used": 126,
"objects_total": 266,
"neural_net_time": 0.03566765785217285,
"num_replanning_steps": 0,
"wall_time": 0.8664400577545166
},
{
"num_node_expansions": 0,
"search_time": 0.101337,
"total_time": 0.196567,
"plan_length": 288,
"plan_cost": 288,
"objects_used": 137,
"objects_total": 364,
"neural_net_time": 0.0472872257232666,
"num_replanning_steps": 0,
"wall_time": 0.8953251838684082
},
{
"num_node_expansions": 0,
"search_time": 0.143672,
"total_time": 0.248258,
"plan_length": 291,
"plan_cost": 291,
"objects_used": 138,
"objects_total": 364,
"neural_net_time": 0.045786380767822266,
"num_replanning_steps": 0,
"wall_time": 0.9624395370483398
},
{
"num_node_expansions": 0,
"search_time": 0.0823153,
"total_time": 0.177269,
"plan_length": 215,
"plan_cost": 215,
"objects_used": 119,
"objects_total": 260,
"neural_net_time": 0.03521156311035156,
"num_replanning_steps": 0,
"wall_time": 0.8647644519805908
},
{
"num_node_expansions": 0,
"search_time": 0.0722084,
"total_time": 0.118556,
"plan_length": 206,
"plan_cost": 206,
"objects_used": 111,
"objects_total": 260,
"neural_net_time": 0.034618377685546875,
"num_replanning_steps": 0,
"wall_time": 0.6127479076385498
},
{
"num_node_expansions": 0,
"search_time": 0.18003,
"total_time": 0.279039,
"plan_length": 249,
"plan_cost": 249,
"objects_used": 125,
"objects_total": 304,
"neural_net_time": 0.037895917892456055,
"num_replanning_steps": 0,
"wall_time": 0.9646165370941162
},
{
"num_node_expansions": 0,
"search_time": 0.103696,
"total_time": 0.226759,
"plan_length": 226,
"plan_cost": 226,
"objects_used": 130,
"objects_total": 304,
"neural_net_time": 0.0409388542175293,
"num_replanning_steps": 0,
"wall_time": 1.0076186656951904
},
{
"num_node_expansions": 0,
"search_time": 0.0459504,
"total_time": 0.114275,
"plan_length": 171,
"plan_cost": 171,
"objects_used": 99,
"objects_total": 183,
"neural_net_time": 0.023260831832885742,
"num_replanning_steps": 0,
"wall_time": 0.6771140098571777
},
{
"num_node_expansions": 0,
"search_time": 0.0716183,
"total_time": 0.150031,
"plan_length": 156,
"plan_cost": 156,
"objects_used": 105,
"objects_total": 183,
"neural_net_time": 0.023253202438354492,
"num_replanning_steps": 0,
"wall_time": 0.7632434368133545
},
{
"num_node_expansions": 0,
"search_time": 0.0744395,
"total_time": 0.169348,
"plan_length": 221,
"plan_cost": 221,
"objects_used": 132,
"objects_total": 422,
"neural_net_time": 0.055629730224609375,
"num_replanning_steps": 0,
"wall_time": 0.8604276180267334
},
{
"num_node_expansions": 0,
"search_time": 0.171499,
"total_time": 0.291441,
"plan_length": 339,
"plan_cost": 339,
"objects_used": 138,
"objects_total": 422,
"neural_net_time": 0.05451369285583496,
"num_replanning_steps": 0,
"wall_time": 1.0652415752410889
},
{
"num_node_expansions": 0,
"search_time": 0.057438,
"total_time": 0.131651,
"plan_length": 244,
"plan_cost": 244,
"objects_used": 152,
"objects_total": 449,
"neural_net_time": 0.05934548377990723,
"num_replanning_steps": 0,
"wall_time": 0.7638118267059326
},
{
"num_node_expansions": 0,
"search_time": 0.0854431,
"total_time": 0.175947,
"plan_length": 265,
"plan_cost": 265,
"objects_used": 153,
"objects_total": 449,
"neural_net_time": 0.05878257751464844,
"num_replanning_steps": 0,
"wall_time": 0.8519854545593262
},
{
"num_node_expansions": 0,
"search_time": 0.0348568,
"total_time": 0.0919101,
"plan_length": 199,
"plan_cost": 199,
"objects_used": 113,
"objects_total": 182,
"neural_net_time": 0.02404642105102539,
"num_replanning_steps": 0,
"wall_time": 0.6046085357666016
},
{
"num_node_expansions": 0,
"search_time": 0.0512851,
"total_time": 0.118261,
"plan_length": 197,
"plan_cost": 197,
"objects_used": 116,
"objects_total": 182,
"neural_net_time": 0.02478623390197754,
"num_replanning_steps": 0,
"wall_time": 0.6582732200622559
},
{
"num_node_expansions": 0,
"search_time": 0.0814511,
"total_time": 0.178018,
"plan_length": 223,
"plan_cost": 223,
"objects_used": 112,
"objects_total": 291,
"neural_net_time": 0.03974652290344238,
"num_replanning_steps": 0,
"wall_time": 0.8690383434295654
},
{
"num_node_expansions": 0,
"search_time": 0.0972344,
"total_time": 0.186246,
"plan_length": 227,
"plan_cost": 227,
"objects_used": 113,
"objects_total": 291,
"neural_net_time": 0.040007829666137695,
"num_replanning_steps": 0,
"wall_time": 0.8641078472137451
},
{
"num_node_expansions": 0,
"search_time": 0.0535227,
"total_time": 0.153416,
"plan_length": 154,
"plan_cost": 154,
"objects_used": 127,
"objects_total": 236,
"neural_net_time": 0.03182673454284668,
"num_replanning_steps": 0,
"wall_time": 0.8149960041046143
},
{
"num_node_expansions": 0,
"search_time": 0.0725269,
"total_time": 0.154636,
"plan_length": 242,
"plan_cost": 242,
"objects_used": 121,
"objects_total": 236,
"neural_net_time": 0.03190732002258301,
"num_replanning_steps": 0,
"wall_time": 0.7674713134765625
},
{
"num_node_expansions": 0,
"search_time": 0.0430467,
"total_time": 0.105684,
"plan_length": 234,
"plan_cost": 234,
"objects_used": 122,
"objects_total": 438,
"neural_net_time": 0.056849002838134766,
"num_replanning_steps": 0,
"wall_time": 0.6843407154083252
},
{
"num_node_expansions": 0,
"search_time": 0.112816,
"total_time": 0.204347,
"plan_length": 223,
"plan_cost": 223,
"objects_used": 132,
"objects_total": 438,
"neural_net_time": 0.055657386779785156,
"num_replanning_steps": 0,
"wall_time": 0.8872087001800537
},
{
"num_node_expansions": 0,
"search_time": 0.0544153,
"total_time": 0.115915,
"plan_length": 245,
"plan_cost": 245,
"objects_used": 135,
"objects_total": 319,
"neural_net_time": 0.03964424133300781,
"num_replanning_steps": 0,
"wall_time": 0.6700730323791504
},
{
"num_node_expansions": 0,
"search_time": 0.0780284,
"total_time": 0.18411,
"plan_length": 228,
"plan_cost": 228,
"objects_used": 145,
"objects_total": 319,
"neural_net_time": 0.03910946846008301,
"num_replanning_steps": 0,
"wall_time": 0.8966822624206543
},
{
"num_node_expansions": 0,
"search_time": 0.0432264,
"total_time": 0.132364,
"plan_length": 157,
"plan_cost": 157,
"objects_used": 108,
"objects_total": 229,
"neural_net_time": 0.02909064292907715,
"num_replanning_steps": 0,
"wall_time": 0.7693536281585693
},
{
"num_node_expansions": 0,
"search_time": 0.0676754,
"total_time": 0.13993,
"plan_length": 192,
"plan_cost": 192,
"objects_used": 103,
"objects_total": 229,
"neural_net_time": 0.0286102294921875,
"num_replanning_steps": 0,
"wall_time": 0.7328910827636719
},
{
"num_node_expansions": 0,
"search_time": 0.0450956,
"total_time": 0.107957,
"plan_length": 204,
"plan_cost": 204,
"objects_used": 112,
"objects_total": 299,
"neural_net_time": 0.04078173637390137,
"num_replanning_steps": 0,
"wall_time": 0.653742790222168
},
{
"num_node_expansions": 0,
"search_time": 0.0619907,
"total_time": 0.139274,
"plan_length": 221,
"plan_cost": 221,
"objects_used": 116,
"objects_total": 299,
"neural_net_time": 0.042465925216674805,
"num_replanning_steps": 0,
"wall_time": 0.7609946727752686
},
{
"num_node_expansions": 0,
"search_time": 0.046714,
"total_time": 0.0960238,
"plan_length": 205,
"plan_cost": 205,
"objects_used": 107,
"objects_total": 218,
"neural_net_time": 0.028660058975219727,
"num_replanning_steps": 0,
"wall_time": 0.5864055156707764
},
{
"num_node_expansions": 0,
"search_time": 0.0742312,
"total_time": 0.124721,
"plan_length": 203,
"plan_cost": 203,
"objects_used": 107,
"objects_total": 218,
"neural_net_time": 0.0290069580078125,
"num_replanning_steps": 0,
"wall_time": 0.613102912902832
},
{
"num_node_expansions": 0,
"search_time": 0.0998901,
"total_time": 0.173317,
"plan_length": 232,
"plan_cost": 232,
"objects_used": 111,
"objects_total": 260,
"neural_net_time": 0.036131858825683594,
"num_replanning_steps": 0,
"wall_time": 0.8197505474090576
},
{
"num_node_expansions": 0,
"search_time": 0.0329897,
"total_time": 0.104079,
"plan_length": 146,
"plan_cost": 146,
"objects_used": 111,
"objects_total": 260,
"neural_net_time": 0.03419232368469238,
"num_replanning_steps": 0,
"wall_time": 0.6994471549987793
},
{
"num_node_expansions": 0,
"search_time": 0.0688091,
"total_time": 0.128025,
"plan_length": 170,
"plan_cost": 170,
"objects_used": 86,
"objects_total": 107,
"neural_net_time": 0.01390385627746582,
"num_replanning_steps": 0,
"wall_time": 0.5809447765350342
},
{
"num_node_expansions": 0,
"search_time": 0.0345073,
"total_time": 0.0865693,
"plan_length": 169,
"plan_cost": 169,
"objects_used": 88,
"objects_total": 107,
"neural_net_time": 0.014227867126464844,
"num_replanning_steps": 0,
"wall_time": 0.5783209800720215
},
{
"num_node_expansions": 0,
"search_time": 0.0549029,
"total_time": 0.148058,
"plan_length": 218,
"plan_cost": 218,
"objects_used": 163,
"objects_total": 395,
"neural_net_time": 0.05201601982116699,
"num_replanning_steps": 0,
"wall_time": 0.8142600059509277
},
{
"num_node_expansions": 0,
"search_time": 0.148722,
"total_time": 0.268158,
"plan_length": 319,
"plan_cost": 319,
"objects_used": 167,
"objects_total": 395,
"neural_net_time": 0.053879499435424805,
"num_replanning_steps": 0,
"wall_time": 1.0406162738800049
},
{
"num_node_expansions": 0,
"search_time": 0.0493865,
"total_time": 0.115891,
"plan_length": 248,
"plan_cost": 248,
"objects_used": 136,
"objects_total": 296,
"neural_net_time": 0.04027199745178223,
"num_replanning_steps": 0,
"wall_time": 0.6825110912322998
},
{
"num_node_expansions": 0,
"search_time": 0.0444351,
"total_time": 0.102212,
"plan_length": 233,
"plan_cost": 233,
"objects_used": 131,
"objects_total": 296,
"neural_net_time": 0.040221214294433594,
"num_replanning_steps": 0,
"wall_time": 0.6275992393493652
},
{
"num_node_expansions": 0,
"search_time": 0.0320574,
"total_time": 0.0803789,
"plan_length": 152,
"plan_cost": 152,
"objects_used": 84,
"objects_total": 126,
"neural_net_time": 0.01577472686767578,
"num_replanning_steps": 0,
"wall_time": 0.6480550765991211
},
{
"num_node_expansions": 0,
"search_time": 0.0569042,
"total_time": 0.115243,
"plan_length": 175,
"plan_cost": 175,
"objects_used": 87,
"objects_total": 126,
"neural_net_time": 0.023028850555419922,
"num_replanning_steps": 0,
"wall_time": 0.6434402465820312
},
{
"num_node_expansions": 0,
"search_time": 0.0845776,
"total_time": 0.187273,
"plan_length": 232,
"plan_cost": 232,
"objects_used": 127,
"objects_total": 295,
"neural_net_time": 0.0505681037902832,
"num_replanning_steps": 0,
"wall_time": 0.9154479503631592
},
{
"num_node_expansions": 0,
"search_time": 0.05377,
"total_time": 0.126935,
"plan_length": 196,
"plan_cost": 196,
"objects_used": 121,
"objects_total": 295,
"neural_net_time": 0.03970003128051758,
"num_replanning_steps": 0,
"wall_time": 0.7530832290649414
},
{
"num_node_expansions": 0,
"search_time": 0.034628,
"total_time": 0.0986284,
"plan_length": 155,
"plan_cost": 155,
"objects_used": 102,
"objects_total": 195,
"neural_net_time": 0.0242612361907959,
"num_replanning_steps": 0,
"wall_time": 0.6272718906402588
},
{
"num_node_expansions": 0,
"search_time": 0.0460013,
"total_time": 0.108895,
"plan_length": 173,
"plan_cost": 173,
"objects_used": 99,
"objects_total": 195,
"neural_net_time": 0.024209976196289062,
"num_replanning_steps": 0,
"wall_time": 0.6477742195129395
},
{
"num_node_expansions": 0,
"search_time": 0.0607851,
"total_time": 0.160475,
"plan_length": 192,
"plan_cost": 192,
"objects_used": 116,
"objects_total": 246,
"neural_net_time": 0.03200078010559082,
"num_replanning_steps": 0,
"wall_time": 0.831235408782959
},
{
"num_node_expansions": 0,
"search_time": 0.0808828,
"total_time": 0.167005,
"plan_length": 221,
"plan_cost": 221,
"objects_used": 116,
"objects_total": 246,
"neural_net_time": 0.034296274185180664,
"num_replanning_steps": 0,
"wall_time": 0.8123514652252197
},
{
"num_node_expansions": 0,
"search_time": 0.125551,
"total_time": 0.241321,
"plan_length": 254,
"plan_cost": 254,
"objects_used": 126,
"objects_total": 239,
"neural_net_time": 0.03389883041381836,
"num_replanning_steps": 0,
"wall_time": 0.9676728248596191
},
{
"num_node_expansions": 0,
"search_time": 0.0537401,
"total_time": 0.129181,
"plan_length": 204,
"plan_cost": 204,
"objects_used": 117,
"objects_total": 239,
"neural_net_time": 0.03226113319396973,
"num_replanning_steps": 0,
"wall_time": 0.7413692474365234
},
{
"num_node_expansions": 0,
"search_time": 0.0427963,
"total_time": 0.102569,
"plan_length": 144,
"plan_cost": 144,
"objects_used": 91,
"objects_total": 178,
"neural_net_time": 0.022121191024780273,
"num_replanning_steps": 0,
"wall_time": 0.6236279010772705
},
{
"num_node_expansions": 0,
"search_time": 0.0610904,
"total_time": 0.145927,
"plan_length": 173,
"plan_cost": 173,
"objects_used": 94,
"objects_total": 178,
"neural_net_time": 0.022466659545898438,
"num_replanning_steps": 0,
"wall_time": 0.7872977256774902
},
{
"num_node_expansions": 0,
"search_time": 0.105739,
"total_time": 0.156724,
"plan_length": 242,
"plan_cost": 242,
"objects_used": 91,
"objects_total": 149,
"neural_net_time": 0.019915103912353516,
"num_replanning_steps": 0,
"wall_time": 0.6529858112335205
},
{
"num_node_expansions": 0,
"search_time": 0.0412097,
"total_time": 0.0860239,
"plan_length": 165,
"plan_cost": 165,
"objects_used": 88,
"objects_total": 149,
"neural_net_time": 0.01854991912841797,
"num_replanning_steps": 0,
"wall_time": 0.542670488357544
},
{
"num_node_expansions": 0,
"search_time": 0.0585739,
"total_time": 0.108371,
"plan_length": 181,
"plan_cost": 181,
"objects_used": 111,
"objects_total": 303,
"neural_net_time": 0.03990364074707031,
"num_replanning_steps": 0,
"wall_time": 0.6126856803894043
},
{
"num_node_expansions": 0,
"search_time": 0.0287513,
"total_time": 0.0792464,
"plan_length": 160,
"plan_cost": 160,
"objects_used": 112,
"objects_total": 303,
"neural_net_time": 0.042130231857299805,
"num_replanning_steps": 0,
"wall_time": 0.5846388339996338
},
{
"num_node_expansions": 0,
"search_time": 0.107534,
"total_time": 0.229351,
"plan_length": 217,
"plan_cost": 217,
"objects_used": 129,
"objects_total": 249,
"neural_net_time": 0.03248929977416992,
"num_replanning_steps": 0,
"wall_time": 1.0149266719818115
},
{
"num_node_expansions": 0,
"search_time": 0.0762152,
"total_time": 0.164597,
"plan_length": 246,
"plan_cost": 246,
"objects_used": 120,
"objects_total": 249,
"neural_net_time": 0.03411459922790527,
"num_replanning_steps": 0,
"wall_time": 0.8181357383728027
},
{
"num_node_expansions": 0,
"search_time": 0.0587584,
"total_time": 0.164629,
"plan_length": 218,
"plan_cost": 218,
"objects_used": 149,
"objects_total": 587,
"neural_net_time": 0.086212158203125,
"num_replanning_steps": 0,
"wall_time": 0.9260921478271484
},
{
"num_node_expansions": 0,
"search_time": 0.0554733,
"total_time": 0.122241,
"plan_length": 265,
"plan_cost": 265,
"objects_used": 142,
"objects_total": 587,
"neural_net_time": 0.08226633071899414,
"num_replanning_steps": 0,
"wall_time": 0.7610836029052734
},
{
"num_node_expansions": 0,
"search_time": 0.0408733,
"total_time": 0.100948,
"plan_length": 165,
"plan_cost": 165,
"objects_used": 92,
"objects_total": 134,
"neural_net_time": 0.017212629318237305,
"num_replanning_steps": 0,
"wall_time": 0.6096396446228027
},
{
"num_node_expansions": 0,
"search_time": 0.0342132,
"total_time": 0.0953756,
"plan_length": 158,
"plan_cost": 158,
"objects_used": 90,
"objects_total": 134,
"neural_net_time": 0.017091989517211914,
"num_replanning_steps": 0,
"wall_time": 0.6211745738983154
},
{
"num_node_expansions": 0,
"search_time": 0.0458456,
"total_time": 0.111354,
"plan_length": 170,
"plan_cost": 170,
"objects_used": 105,
"objects_total": 191,
"neural_net_time": 0.02404499053955078,
"num_replanning_steps": 0,
"wall_time": 0.6399385929107666
},
{
"num_node_expansions": 0,
"search_time": 0.0504605,
"total_time": 0.104297,
"plan_length": 203,
"plan_cost": 203,
"objects_used": 102,
"objects_total": 191,
"neural_net_time": 0.023929357528686523,
"num_replanning_steps": 0,
"wall_time": 0.6030387878417969
},
{
"num_node_expansions": 0,
"search_time": 0.0633861,
"total_time": 0.12648,
"plan_length": 230,
"plan_cost": 230,
"objects_used": 121,
"objects_total": 270,
"neural_net_time": 0.035614728927612305,
"num_replanning_steps": 0,
"wall_time": 0.6686084270477295
},
{
"num_node_expansions": 0,
"search_time": 0.0427827,
"total_time": 0.106424,
"plan_length": 167,
"plan_cost": 167,
"objects_used": 121,
"objects_total": 270,
"neural_net_time": 0.03508901596069336,
"num_replanning_steps": 0,
"wall_time": 0.6471562385559082
},
{
"num_node_expansions": 0,
"search_time": 0.0699054,
"total_time": 0.146207,
"plan_length": 182,
"plan_cost": 182,
"objects_used": 108,
"objects_total": 249,
"neural_net_time": 0.033226966857910156,
"num_replanning_steps": 0,
"wall_time": 0.7620828151702881
},
{
"num_node_expansions": 0,
"search_time": 0.0396139,
"total_time": 0.105753,
"plan_length": 182,
"plan_cost": 182,
"objects_used": 103,
"objects_total": 249,
"neural_net_time": 0.03296351432800293,
"num_replanning_steps": 0,
"wall_time": 0.6554136276245117
},
{
"num_node_expansions": 0,
"search_time": 0.186225,
"total_time": 0.284902,
"plan_length": 307,
"plan_cost": 307,
"objects_used": 121,
"objects_total": 339,
"neural_net_time": 0.041571855545043945,
"num_replanning_steps": 0,
"wall_time": 0.9901289939880371
},
{
"num_node_expansions": 0,
"search_time": 0.103152,
"total_time": 0.214738,
"plan_length": 271,
"plan_cost": 271,
"objects_used": 124,
"objects_total": 339,
"neural_net_time": 0.041908979415893555,
"num_replanning_steps": 0,
"wall_time": 0.9619948863983154
},
{
"num_node_expansions": 0,
"search_time": 0.0980407,
"total_time": 0.197482,
"plan_length": 259,
"plan_cost": 259,
"objects_used": 125,
"objects_total": 236,
"neural_net_time": 0.031392574310302734,
"num_replanning_steps": 0,
"wall_time": 0.8748137950897217
},
{
"num_node_expansions": 0,
"search_time": 0.118228,
"total_time": 0.236724,
"plan_length": 224,
"plan_cost": 224,
"objects_used": 128,
"objects_total": 236,
"neural_net_time": 0.030808210372924805,
"num_replanning_steps": 0,
"wall_time": 0.9691076278686523
},
{
"num_node_expansions": 0,
"search_time": 0.364483,
"total_time": 0.553356,
"plan_length": 327,
"plan_cost": 327,
"objects_used": 183,
"objects_total": 545,
"neural_net_time": 0.07480621337890625,
"num_replanning_steps": 0,
"wall_time": 1.6058380603790283
},
{
"num_node_expansions": 0,
"search_time": 0.175042,
"total_time": 0.304095,
"plan_length": 268,
"plan_cost": 268,
"objects_used": 175,
"objects_total": 545,
"neural_net_time": 0.0760653018951416,
"num_replanning_steps": 0,
"wall_time": 1.144291639328003
},
{
"num_node_expansions": 0,
"search_time": 0.0468189,
"total_time": 0.0977976,
"plan_length": 183,
"plan_cost": 183,
"objects_used": 124,
"objects_total": 282,
"neural_net_time": 0.03844618797302246,
"num_replanning_steps": 0,
"wall_time": 0.6090617179870605
},
{
"num_node_expansions": 0,
"search_time": 0.0591433,
"total_time": 0.118038,
"plan_length": 210,
"plan_cost": 210,
"objects_used": 125,
"objects_total": 282,
"neural_net_time": 0.03890657424926758,
"num_replanning_steps": 0,
"wall_time": 0.657982587814331
},
{
"num_node_expansions": 0,
"search_time": 0.0713976,
"total_time": 0.160077,
"plan_length": 242,
"plan_cost": 242,
"objects_used": 159,
"objects_total": 353,
"neural_net_time": 0.04707837104797363,
"num_replanning_steps": 0,
"wall_time": 0.81772780418396
},
{
"num_node_expansions": 0,
"search_time": 0.0691563,
"total_time": 0.156866,
"plan_length": 273,
"plan_cost": 273,
"objects_used": 161,
"objects_total": 353,
"neural_net_time": 0.050296783447265625,
"num_replanning_steps": 0,
"wall_time": 0.8201048374176025
},
{
"num_node_expansions": 0,
"search_time": 0.0553024,
"total_time": 0.122233,
"plan_length": 211,
"plan_cost": 211,
"objects_used": 103,
"objects_total": 201,
"neural_net_time": 0.02599501609802246,
"num_replanning_steps": 0,
"wall_time": 0.670032262802124
},
{
"num_node_expansions": 0,
"search_time": 0.0686447,
"total_time": 0.152336,
"plan_length": 222,
"plan_cost": 222,
"objects_used": 107,
"objects_total": 201,
"neural_net_time": 0.0256350040435791,
"num_replanning_steps": 0,
"wall_time": 0.7799983024597168
},
{
"num_node_expansions": 0,
"search_time": 0.0571376,
"total_time": 0.116092,
"plan_length": 214,
"plan_cost": 214,
"objects_used": 90,
"objects_total": 127,
"neural_net_time": 0.015542984008789062,
"num_replanning_steps": 0,
"wall_time": 0.6360890865325928
},
{
"num_node_expansions": 0,
"search_time": 0.0383512,
"total_time": 0.0814155,
"plan_length": 161,
"plan_cost": 161,
"objects_used": 85,
"objects_total": 127,
"neural_net_time": 0.01593756675720215,
"num_replanning_steps": 0,
"wall_time": 0.533531904220581
},
{
"num_node_expansions": 0,
"search_time": 0.133944,
"total_time": 0.249637,
"plan_length": 241,
"plan_cost": 241,
"objects_used": 129,
"objects_total": 279,
"neural_net_time": 0.038277626037597656,
"num_replanning_steps": 1,
"wall_time": 1.2898194789886475
},
{
"num_node_expansions": 0,
"search_time": 0.0831433,
"total_time": 0.169426,
"plan_length": 244,
"plan_cost": 244,
"objects_used": 125,
"objects_total": 279,
"neural_net_time": 0.03785538673400879,
"num_replanning_steps": 1,
"wall_time": 1.106647253036499
},
{
"num_node_expansions": 0,
"search_time": 0.0542981,
"total_time": 0.134971,
"plan_length": 194,
"plan_cost": 194,
"objects_used": 117,
"objects_total": 238,
"neural_net_time": 0.03080582618713379,
"num_replanning_steps": 0,
"wall_time": 0.7395229339599609
},
{
"num_node_expansions": 0,
"search_time": 0.0959696,
"total_time": 0.191952,
"plan_length": 196,
"plan_cost": 196,
"objects_used": 117,
"objects_total": 238,
"neural_net_time": 0.031075000762939453,
"num_replanning_steps": 0,
"wall_time": 0.8637576103210449
},
{
"num_node_expansions": 0,
"search_time": 0.0611591,
"total_time": 0.131317,
"plan_length": 195,
"plan_cost": 195,
"objects_used": 112,
"objects_total": 300,
"neural_net_time": 0.0395965576171875,
"num_replanning_steps": 0,
"wall_time": 0.7352595329284668
},
{
"num_node_expansions": 0,
"search_time": 0.0417098,
"total_time": 0.103968,
"plan_length": 179,
"plan_cost": 179,
"objects_used": 109,
"objects_total": 300,
"neural_net_time": 0.05868864059448242,
"num_replanning_steps": 0,
"wall_time": 0.6886849403381348
},
{
"num_node_expansions": 0,
"search_time": 0.0529681,
"total_time": 0.12608,
"plan_length": 189,
"plan_cost": 189,
"objects_used": 112,
"objects_total": 184,
"neural_net_time": 0.023520708084106445,
"num_replanning_steps": 0,
"wall_time": 0.7392187118530273
},
{
"num_node_expansions": 0,
"search_time": 0.0843586,
"total_time": 0.151541,
"plan_length": 220,
"plan_cost": 220,
"objects_used": 110,
"objects_total": 184,
"neural_net_time": 0.023136138916015625,
"num_replanning_steps": 0,
"wall_time": 0.705009937286377
},
{
"num_node_expansions": 0,
"search_time": 0.0467406,
"total_time": 0.117989,
"plan_length": 196,
"plan_cost": 196,
"objects_used": 109,
"objects_total": 146,
"neural_net_time": 0.01931452751159668,
"num_replanning_steps": 0,
"wall_time": 0.6652824878692627
},
{
"num_node_expansions": 0,
"search_time": 0.0379704,
"total_time": 0.0800131,
"plan_length": 238,
"plan_cost": 238,
"objects_used": 103,
"objects_total": 146,
"neural_net_time": 0.01961207389831543,
"num_replanning_steps": 0,
"wall_time": 0.536597490310669
},
{
"num_node_expansions": 0,
"search_time": 0.0483327,
"total_time": 0.112984,
"plan_length": 186,
"plan_cost": 186,
"objects_used": 124,
"objects_total": 267,
"neural_net_time": 0.03605031967163086,
"num_replanning_steps": 0,
"wall_time": 0.6485176086425781
},
{
"num_node_expansions": 0,
"search_time": 0.0439203,
"total_time": 0.125272,
"plan_length": 173,
"plan_cost": 173,
"objects_used": 128,
"objects_total": 267,
"neural_net_time": 0.0352480411529541,
"num_replanning_steps": 0,
"wall_time": 0.7430524826049805
},
{
"num_node_expansions": 0,
"search_time": 0.0386232,
"total_time": 0.120683,
"plan_length": 157,
"plan_cost": 157,
"objects_used": 103,
"objects_total": 156,
"neural_net_time": 0.019634246826171875,
"num_replanning_steps": 0,
"wall_time": 0.7323524951934814
},
{
"num_node_expansions": 0,
"search_time": 0.0443711,
"total_time": 0.104729,
"plan_length": 172,
"plan_cost": 172,
"objects_used": 97,
"objects_total": 156,
"neural_net_time": 0.019132375717163086,
"num_replanning_steps": 0,
"wall_time": 0.6208879947662354
},
{
"num_node_expansions": 0,
"search_time": 0.0693282,
"total_time": 0.135163,
"plan_length": 199,
"plan_cost": 199,
"objects_used": 115,
"objects_total": 242,
"neural_net_time": 0.031639814376831055,
"num_replanning_steps": 0,
"wall_time": 0.6920380592346191
},
{
"num_node_expansions": 0,
"search_time": 0.0815554,
"total_time": 0.151773,
"plan_length": 224,
"plan_cost": 224,
"objects_used": 116,
"objects_total": 242,
"neural_net_time": 0.03125143051147461,
"num_replanning_steps": 0,
"wall_time": 0.7135045528411865
},
{
"num_node_expansions": 0,
"search_time": 0.0688792,
"total_time": 0.141483,
"plan_length": 208,
"plan_cost": 208,
"objects_used": 101,
"objects_total": 221,
"neural_net_time": 0.027935504913330078,
"num_replanning_steps": 0,
"wall_time": 0.7388238906860352
},
{
"num_node_expansions": 0,
"search_time": 0.0603724,
"total_time": 0.15025,
"plan_length": 194,
"plan_cost": 194,
"objects_used": 107,
"objects_total": 221,
"neural_net_time": 0.027875185012817383,
"num_replanning_steps": 0,
"wall_time": 0.8049612045288086
},
{
"num_node_expansions": 0,
"search_time": 0.153015,
"total_time": 0.289896,
"plan_length": 283,
"plan_cost": 283,
"objects_used": 153,
"objects_total": 341,
"neural_net_time": 0.043010711669921875,
"num_replanning_steps": 0,
"wall_time": 1.1008539199829102
},
{
"num_node_expansions": 0,
"search_time": 0.12146,
"total_time": 0.249465,
"plan_length": 240,
"plan_cost": 240,
"objects_used": 152,
"objects_total": 341,
"neural_net_time": 0.04365897178649902,
"num_replanning_steps": 0,
"wall_time": 1.0132684707641602
},
{
"num_node_expansions": 0,
"search_time": 0.0949912,
"total_time": 0.197119,
"plan_length": 199,
"plan_cost": 199,
"objects_used": 117,
"objects_total": 458,
"neural_net_time": 0.05961298942565918,
"num_replanning_steps": 0,
"wall_time": 0.9479503631591797
},
{
"num_node_expansions": 0,
"search_time": 0.0580958,
"total_time": 0.144879,
"plan_length": 186,
"plan_cost": 186,
"objects_used": 115,
"objects_total": 458,
"neural_net_time": 0.058806657791137695,
"num_replanning_steps": 0,
"wall_time": 0.8448758125305176
},
{
"num_node_expansions": 0,
"search_time": 0.0943401,
"total_time": 0.161204,
"plan_length": 195,
"plan_cost": 195,
"objects_used": 92,
"objects_total": 210,
"neural_net_time": 0.026703596115112305,
"num_replanning_steps": 0,
"wall_time": 0.7436492443084717
},
{
"num_node_expansions": 0,
"search_time": 0.0635854,
"total_time": 0.137845,
"plan_length": 186,
"plan_cost": 186,
"objects_used": 96,
"objects_total": 210,
"neural_net_time": 0.026533842086791992,
"num_replanning_steps": 0,
"wall_time": 0.7571001052856445
},
{
"num_node_expansions": 0,
"search_time": 0.0901677,
"total_time": 0.173323,
"plan_length": 221,
"plan_cost": 221,
"objects_used": 114,
"objects_total": 207,
"neural_net_time": 0.027188539505004883,
"num_replanning_steps": 0,
"wall_time": 0.8224620819091797
},
{
"num_node_expansions": 0,
"search_time": 0.0608369,
"total_time": 0.170949,
"plan_length": 185,
"plan_cost": 185,
"objects_used": 117,
"objects_total": 207,
"neural_net_time": 0.0276031494140625,
"num_replanning_steps": 0,
"wall_time": 0.8914165496826172
},
{
"num_node_expansions": 0,
"search_time": 0.041906,
"total_time": 0.110025,
"plan_length": 152,
"plan_cost": 152,
"objects_used": 93,
"objects_total": 173,
"neural_net_time": 0.021545886993408203,
"num_replanning_steps": 0,
"wall_time": 0.6613976955413818
},
{
"num_node_expansions": 0,
"search_time": 0.0544924,
"total_time": 0.101439,
"plan_length": 182,
"plan_cost": 182,
"objects_used": 87,
"objects_total": 173,
"neural_net_time": 0.021553516387939453,
"num_replanning_steps": 0,
"wall_time": 0.5893330574035645
},
{
"num_node_expansions": 0,
"search_time": 0.0403196,
"total_time": 0.108449,
"plan_length": 185,
"plan_cost": 185,
"objects_used": 119,
"objects_total": 170,
"neural_net_time": 0.02425980567932129,
"num_replanning_steps": 0,
"wall_time": 0.6672317981719971
},
{
"num_node_expansions": 0,
"search_time": 0.0516592,
"total_time": 0.112916,
"plan_length": 207,
"plan_cost": 207,
"objects_used": 116,
"objects_total": 170,
"neural_net_time": 0.022519826889038086,
"num_replanning_steps": 0,
"wall_time": 0.6428146362304688
},
{
"num_node_expansions": 0,
"search_time": 0.0962543,
"total_time": 0.21676,
"plan_length": 212,
"plan_cost": 212,
"objects_used": 131,
"objects_total": 336,
"neural_net_time": 0.043267011642456055,
"num_replanning_steps": 0,
"wall_time": 1.0185496807098389
},
{
"num_node_expansions": 0,
"search_time": 0.0446287,
"total_time": 0.122667,
"plan_length": 171,
"plan_cost": 171,
"objects_used": 122,
"objects_total": 336,
"neural_net_time": 0.04323554039001465,
"num_replanning_steps": 0,
"wall_time": 0.7306642532348633
},
{
"num_node_expansions": 0,
"search_time": 0.0464855,
"total_time": 0.119964,
"plan_length": 196,
"plan_cost": 196,
"objects_used": 109,
"objects_total": 212,
"neural_net_time": 0.027590274810791016,
"num_replanning_steps": 0,
"wall_time": 0.7042622566223145
},
{
"num_node_expansions": 0,
"search_time": 0.0775273,
"total_time": 0.195325,
"plan_length": 225,
"plan_cost": 225,
"objects_used": 122,
"objects_total": 212,
"neural_net_time": 0.027378320693969727,
"num_replanning_steps": 0,
"wall_time": 0.9562668800354004
},
{
"num_node_expansions": 0,
"search_time": 0.137595,
"total_time": 0.261872,
"plan_length": 276,
"plan_cost": 276,
"objects_used": 147,
"objects_total": 330,
"neural_net_time": 0.04086756706237793,
"num_replanning_steps": 0,
"wall_time": 1.0305814743041992
},
{
"num_node_expansions": 0,
"search_time": 0.0767862,
"total_time": 0.164567,
"plan_length": 260,
"plan_cost": 260,
"objects_used": 138,
"objects_total": 330,
"neural_net_time": 0.041510820388793945,
"num_replanning_steps": 0,
"wall_time": 0.8132703304290771
},
{
"num_node_expansions": 0,
"search_time": 0.0363089,
"total_time": 0.0983888,
"plan_length": 168,
"plan_cost": 168,
"objects_used": 109,
"objects_total": 283,
"neural_net_time": 0.03784584999084473,
"num_replanning_steps": 0,
"wall_time": 0.6496407985687256
},
{
"num_node_expansions": 0,
"search_time": 0.0483727,
"total_time": 0.12327,
"plan_length": 174,
"plan_cost": 174,
"objects_used": 111,
"objects_total": 283,
"neural_net_time": 0.03927254676818848,
"num_replanning_steps": 0,
"wall_time": 0.7217986583709717
},
{
"num_node_expansions": 0,
"search_time": 0.0509841,
"total_time": 0.102645,
"plan_length": 228,
"plan_cost": 228,
"objects_used": 106,
"objects_total": 197,
"neural_net_time": 0.025380611419677734,
"num_replanning_steps": 0,
"wall_time": 0.5928609371185303
},
{
"num_node_expansions": 0,
"search_time": 0.226994,
"total_time": 0.363337,
"plan_length": 226,
"plan_cost": 226,
"objects_used": 124,
"objects_total": 197,
"neural_net_time": 0.025945186614990234,
"num_replanning_steps": 0,
"wall_time": 1.1579084396362305
},
{
"num_node_expansions": 0,
"search_time": 0.0524179,
"total_time": 0.110885,
"plan_length": 178,
"plan_cost": 178,
"objects_used": 94,
"objects_total": 178,
"neural_net_time": 0.022000789642333984,
"num_replanning_steps": 0,
"wall_time": 0.6276707649230957
},
{
"num_node_expansions": 0,
"search_time": 0.0465348,
"total_time": 0.12546,
"plan_length": 175,
"plan_cost": 175,
"objects_used": 99,
"objects_total": 178,
"neural_net_time": 0.022142648696899414,
"num_replanning_steps": 0,
"wall_time": 0.7352862358093262
},
{
"num_node_expansions": 0,
"search_time": 0.0642858,
"total_time": 0.140108,
"plan_length": 231,
"plan_cost": 231,
"objects_used": 123,
"objects_total": 226,
"neural_net_time": 0.030933141708374023,
"num_replanning_steps": 0,
"wall_time": 0.6825463771820068
},
{
"num_node_expansions": 0,
"search_time": 0.0567909,
"total_time": 0.129672,
"plan_length": 211,
"plan_cost": 211,
"objects_used": 126,
"objects_total": 226,
"neural_net_time": 0.02934718132019043,
"num_replanning_steps": 0,
"wall_time": 0.7046728134155273
},
{
"num_node_expansions": 0,
"search_time": 0.268314,
"total_time": 0.378804,
"plan_length": 249,
"plan_cost": 249,
"objects_used": 144,
"objects_total": 330,
"neural_net_time": 0.040805816650390625,
"num_replanning_steps": 0,
"wall_time": 1.0990633964538574
},
{
"num_node_expansions": 0,
"search_time": 0.115738,
"total_time": 0.222156,
"plan_length": 270,
"plan_cost": 270,
"objects_used": 146,
"objects_total": 330,
"neural_net_time": 0.04066777229309082,
"num_replanning_steps": 0,
"wall_time": 0.9505331516265869
},
{
"num_node_expansions": 0,
"search_time": 0.0275556,
"total_time": 0.0502858,
"plan_length": 169,
"plan_cost": 169,
"objects_used": 78,
"objects_total": 158,
"neural_net_time": 0.019761085510253906,
"num_replanning_steps": 0,
"wall_time": 0.4359562397003174
},
{
"num_node_expansions": 0,
"search_time": 0.0267146,
"total_time": 0.0510226,
"plan_length": 175,
"plan_cost": 175,
"objects_used": 78,
"objects_total": 158,
"neural_net_time": 0.019104957580566406,
"num_replanning_steps": 0,
"wall_time": 0.4357891082763672
},
{
"num_node_expansions": 0,
"search_time": 0.063073,
"total_time": 0.132548,
"plan_length": 231,
"plan_cost": 231,
"objects_used": 134,
"objects_total": 397,
"neural_net_time": 0.051296234130859375,
"num_replanning_steps": 0,
"wall_time": 0.7388997077941895
},
{
"num_node_expansions": 0,
"search_time": 0.0755074,
"total_time": 0.156133,
"plan_length": 246,
"plan_cost": 246,
"objects_used": 137,
"objects_total": 397,
"neural_net_time": 0.05353140830993652,
"num_replanning_steps": 0,
"wall_time": 0.8052575588226318
}
]
|
def jwt_response_payload_handler(token,user=None,request=None):
return {
'token': token,
'user_id': user.id,
'username': user.username
}
def jwt_get_user_secret(user):
print(user)
return user.user_secret
|
power = {'BUSES': {'Area': 1.33155,
'Bus/Area': 1.33155,
'Bus/Gate Leakage': 0.00662954,
'Bus/Peak Dynamic': 0.0,
'Bus/Runtime Dynamic': 0.0,
'Bus/Subthreshold Leakage': 0.0691322,
'Bus/Subthreshold Leakage with power gating': 0.0259246,
'Gate Leakage': 0.00662954,
'Peak Dynamic': 0.0,
'Runtime Dynamic': 0.0,
'Subthreshold Leakage': 0.0691322,
'Subthreshold Leakage with power gating': 0.0259246},
'Core': [{'Area': 32.6082,
'Execution Unit/Area': 8.2042,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.302632,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.44039,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 1.74064,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.122718,
'Execution Unit/Instruction Scheduler/Area': 2.17927,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.728653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 1.26176,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.723657,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 2.71407,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.453379,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 8.84284,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.328844,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0264143,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.299986,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.19535,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.62883,
'Execution Unit/Register Files/Runtime Dynamic': 0.221764,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.807798,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 1.80673,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155,
'Execution Unit/Runtime Dynamic': 5.58833,
'Execution Unit/Subthreshold Leakage': 1.83518,
'Execution Unit/Subthreshold Leakage with power gating': 0.709678,
'Gate Leakage': 0.372997,
'Instruction Fetch Unit/Area': 5.86007,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00113814,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00113814,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000994454,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000386686,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00280621,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00607694,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0108002,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0590479,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.187795,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 6.43323,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.387106,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.637835,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 8.96874,
'Instruction Fetch Unit/Runtime Dynamic': 1.22961,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932587,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0676826,
'L2/Runtime Dynamic': 0.0135037,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80969,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 6.47358,
'Load Store Unit/Data Cache/Runtime Dynamic': 2.51904,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0351387,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.169412,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.169412,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 7.27684,
'Load Store Unit/Runtime Dynamic': 3.52393,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.417741,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.835482,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591622,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283406,
'Memory Management Unit/Area': 0.434579,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.148258,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.149268,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00813591,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.399995,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.063478,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.814803,
'Memory Management Unit/Runtime Dynamic': 0.212746,
'Memory Management Unit/Subthreshold Leakage': 0.0769113,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462,
'Peak Dynamic': 30.5326,
'Renaming Unit/Area': 0.369768,
'Renaming Unit/FP Front End RAT/Area': 0.168486,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 1.14726,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925,
'Renaming Unit/Free List/Area': 0.0414755,
'Renaming Unit/Free List/Gate Leakage': 4.15911e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0401324,
'Renaming Unit/Free List/Runtime Dynamic': 0.0510646,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987,
'Renaming Unit/Gate Leakage': 0.00863632,
'Renaming Unit/Int Front End RAT/Area': 0.114751,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.358373,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781,
'Renaming Unit/Peak Dynamic': 4.56169,
'Renaming Unit/Runtime Dynamic': 1.5567,
'Renaming Unit/Subthreshold Leakage': 0.070483,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779,
'Runtime Dynamic': 12.1248,
'Subthreshold Leakage': 6.21877,
'Subthreshold Leakage with power gating': 2.58311},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 2.83407e-06,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.202691,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 1.01201e-05,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.154568,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.249312,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.125844,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.529725,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.176778,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.16878,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 1.91191e-06,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00648327,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0468833,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0479478,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.0468852,
'Execution Unit/Register Files/Runtime Dynamic': 0.054431,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0987706,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.253717,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.44594,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00222979,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00222979,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00200626,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000811718,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000688773,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00715461,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0190885,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0460934,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 2.93194,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.173486,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.156554,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 5.29275,
'Instruction Fetch Unit/Runtime Dynamic': 0.402376,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0356709,
'L2/Runtime Dynamic': 0.0080202,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 2.63095,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.680792,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0450938,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0450937,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 2.84389,
'Load Store Unit/Runtime Dynamic': 0.948273,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.111194,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.222387,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0394629,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0398514,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.182297,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0288764,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.406196,
'Memory Management Unit/Runtime Dynamic': 0.0687278,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 16.3368,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 4.96768e-06,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.00697374,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0784063,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.085385,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 2.95872,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0497804,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.241788,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.266638,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.115969,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.187054,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.0944185,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.397441,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.0917557,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.47338,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0503736,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00486426,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0539008,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0359742,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.104274,
'Execution Unit/Register Files/Runtime Dynamic': 0.0408385,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.126002,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.313117,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.39856,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000352288,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000352288,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000323299,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000134155,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000516772,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00154465,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00278975,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0345829,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 2.19977,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.080069,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.117459,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 4.52505,
'Instruction Fetch Unit/Runtime Dynamic': 0.236446,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0463941,
'L2/Runtime Dynamic': 0.00401459,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 2.59537,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.657263,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0439427,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0439426,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 2.80288,
'Load Store Unit/Runtime Dynamic': 0.917916,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.108355,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.21671,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0384556,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0391504,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.136774,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0131318,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.358943,
'Memory Management Unit/Runtime Dynamic': 0.0522822,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 15.7961,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.13251,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.00684483,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0569405,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.196296,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 2.80552,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0981967,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.279817,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.622045,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.18956,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.305753,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.154334,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.649647,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.121434,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 5.10391,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.117518,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.007951,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0905286,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0588025,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.208046,
'Execution Unit/Register Files/Runtime Dynamic': 0.0667535,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.215273,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.562655,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.96425,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 2.12932e-05,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 2.12932e-05,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 1.857e-05,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 7.20164e-06,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000844703,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000905859,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000203314,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0565284,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.59569,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.13911,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.191996,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 5.98871,
'Instruction Fetch Unit/Runtime Dynamic': 0.388743,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0399561,
'L2/Runtime Dynamic': 0.0110362,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 3.62214,
'Load Store Unit/Data Cache/Runtime Dynamic': 1.15876,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0771611,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0771611,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 3.98651,
'Load Store Unit/Runtime Dynamic': 1.61645,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.190266,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.380532,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0675261,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.06811,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.223567,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0228527,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.495673,
'Memory Management Unit/Runtime Dynamic': 0.0909628,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 19.2042,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.309136,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.0123145,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0907896,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.41224,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 4.48368,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328}],
'DRAM': {'Area': 0,
'Gate Leakage': 0,
'Peak Dynamic': 3.8126648077879777,
'Runtime Dynamic': 3.8126648077879777,
'Subthreshold Leakage': 4.252,
'Subthreshold Leakage with power gating': 4.252},
'L3': [{'Area': 61.9075,
'Gate Leakage': 0.0484137,
'Peak Dynamic': 0.203129,
'Runtime Dynamic': 0.0598429,
'Subthreshold Leakage': 6.80085,
'Subthreshold Leakage with power gating': 3.32364}],
'Processor': {'Area': 191.908,
'Gate Leakage': 1.53485,
'Peak Dynamic': 82.0728,
'Peak Power': 115.185,
'Runtime Dynamic': 22.4326,
'Subthreshold Leakage': 31.5774,
'Subthreshold Leakage with power gating': 13.9484,
'Total Cores/Area': 128.669,
'Total Cores/Gate Leakage': 1.4798,
'Total Cores/Peak Dynamic': 81.8697,
'Total Cores/Runtime Dynamic': 22.3728,
'Total Cores/Subthreshold Leakage': 24.7074,
'Total Cores/Subthreshold Leakage with power gating': 10.2429,
'Total L3s/Area': 61.9075,
'Total L3s/Gate Leakage': 0.0484137,
'Total L3s/Peak Dynamic': 0.203129,
'Total L3s/Runtime Dynamic': 0.0598429,
'Total L3s/Subthreshold Leakage': 6.80085,
'Total L3s/Subthreshold Leakage with power gating': 3.32364,
'Total Leakage': 33.1122,
'Total NoCs/Area': 1.33155,
'Total NoCs/Gate Leakage': 0.00662954,
'Total NoCs/Peak Dynamic': 0.0,
'Total NoCs/Runtime Dynamic': 0.0,
'Total NoCs/Subthreshold Leakage': 0.0691322,
'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}}
|
#!/usr/bin/env python3
k = int(input())
a, b = map(int, input().split())
for i in range(a, b+1):
if i%k == 0:
print("OK")
exit()
print("NG")
|
def user_choice():
"""This function is used for navigating user"""
userWeight = int(input("\nSelect weight conversion\n" +
"1. kg\n" +
"2. stone\n" +
"3. pound\n"))
if userWeight == 1:
kilograms()
elif userWeight == 2:
stone()
elif userWeight == 3:
pound()
def kilograms():
"""This function converts user weight from kg to stones and pounds"""
user_weight = float(input("Your weight in kilograms: "))
print()
stones = lambda s: s * 0.157473
print("Your weight in stones: {0:.4f}".format(stones(user_weight)))
pounds = lambda p: p * 2.20462
print("Your weight in pounds: {0:.4f}".format(pounds(user_weight)))
user_choice()
def stone():
"""This function converts user weight from stones to kg and pounds"""
user_weight = float(input("Your weight in stones: "))
print()
kg = lambda k: k * 6.35029
print("Your weight in kg: {0:.4f}".format(kg(user_weight)))
pounds = lambda p: p * 14
print("Your weight in pounds: {0:.4f}".format(pounds(user_weight)))
user_choice()
def pound():
"""This function converts user weight from pounds to kg and stones"""
user_weight = float(input("your weight in pounds: "))
print()
kg = lambda k: k * 0.453592
print("Your weight in kg: {0:.4f}".format(kg(user_weight)))
stones = lambda s: s * 0.0714286
print("Your weight in stones: {0:.4f}".format(stones(user_weight)))
user_choice()
user_choice()
|
# generated from genmsg/cmake/pkg-genmsg.context.in
messages_str = "/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/FingerPosition.msg;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/JointAngles.msg;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/JointVelocity.msg;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/JointTorque.msg;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/KinovaPose.msg;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/PoseVelocity.msg;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg/CartesianForce.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesAction.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesActionGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesActionResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesActionFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmJointAnglesFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseAction.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseActionGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseActionResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseActionFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/ArmPoseFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseAction.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseActionGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseActionResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseActionFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/Arm_KinovaPoseFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionAction.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionActionGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionActionResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionActionFeedback.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionGoal.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionResult.msg;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg/SetFingersPositionFeedback.msg"
services_str = "/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/Start.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/Stop.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/HomeArm.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/SetForceControlParams.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/SetEndEffectorOffset.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/SetNullSpaceModeState.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/SetTorqueControlMode.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/SetTorqueControlParameters.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/ClearTrajectories.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/ZeroTorques.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/AddPoseToCartesianTrajectory.srv;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/srv/RunCOMParametersEstimation.srv"
pkg_name = "kinova_msgs"
dependencies_str = "actionlib_msgs;geometry_msgs"
langs = "gencpp;geneus;genlisp;gennodejs;genpy"
dep_include_paths_str = "kinova_msgs;/home/kinova/MillenCapstone/catkin_ws/src/kinova-ros/kinova_msgs/msg;kinova_msgs;/home/kinova/MillenCapstone/catkin_ws/devel/share/kinova_msgs/msg;actionlib_msgs;/opt/ros/kinetic/share/actionlib_msgs/cmake/../msg;geometry_msgs;/opt/ros/kinetic/share/geometry_msgs/cmake/../msg;std_msgs;/opt/ros/kinetic/share/std_msgs/cmake/../msg"
PYTHON_EXECUTABLE = "/usr/bin/python"
package_has_static_sources = '' == 'TRUE'
genmsg_check_deps_script = "/opt/ros/kinetic/share/genmsg/cmake/../../../lib/genmsg/genmsg_check_deps.py"
|
# 5! = 120
#
# 5 * 4 * 3 * 2 * 1
def factorial(n):
if n == 1:
return 1
return n * factorial(n - 1)
print(f'5!={factorial(5):,},' # 120
f' 3!={factorial(3):,},' # 6
f' 11!={factorial(11):,}') # HUGE
|
"""
Central location for all hard coded data needed for tests.
"""
DOWNLOAD_OPTIONS_FROM_ALL_SERVICES = {
# 'svc://nasa:srtm-3-arc-second': {},
# 'svc://nasa:srtm-30-arc-second': {},
'svc://noaa-ncdc:ghcn-daily': {
'properties': [{
'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['air_temperature:daily:mean', 'air_temperature:daily:mean'],
['air_temperature:daily:minimum', 'air_temperature:daily:minimum'],
['air_temperature:daily:total', 'air_temperature:daily:total'],
['rainfall:daily:total', 'rainfall:daily:total'],
['snow_depth:daily:total', 'snow_depth:daily:total'],
['snowfall:daily:total', 'snowfall:daily:total']],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'}],
'title': 'NCDC GHCN Daily Download Options'},
'svc://noaa-ncdc:gsod': {
'properties': [
{'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['air_temperature:daily:max', 'air_temperature:daily:max'],
['air_temperature:daily:min', 'air_temperature:daily:min'],
['rainfall:daily:total', 'rainfall:daily:total'],
['snow_depth:daily:total', 'snow_depth:daily:total']],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'}],
'title': 'NCDC GSOD Download Options'},
'svc://noaa-coast:coops-meteorological':
{'properties': [
{'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['air_temperature', 'air_temperature'],
['barometric_pressure', 'barometric_pressure'],
['collective_rainfall', 'collective_rainfall'],
['direction_of_sea_water_velocity', 'direction_of_sea_water_velocity'],
['relative_humidity', 'relative_humidity'],
['sea_water_electric_conductivity', 'sea_water_electric_conductivity'],
['sea_water_speed', 'sea_water_speed'],
['sea_water_temperature', 'sea_water_temperature'],
['visibility_in_air', 'visibility_in_air'],
['wind_from_direction', 'wind_from_direction'],
['wind_speed', 'wind_speed'],
['wind_speed_from_gust', 'wind_speed_from_gust']],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'}
],
'title': 'NOAA COOPS Met Download Options'},
'svc://noaa-coast:coops-water':
{'properties': [
{'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['predicted_waterLevel', 'predicted_waterLevel'],
['sea_surface_height_amplitude', 'sea_surface_height_amplitude']
],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'},
{'default': 'R',
'description': 'quality',
'name': 'quality',
'range': [
['Preliminary', 'Preliminary'],
['R', 'R'],
['Verified', 'Verified']],
'type': 'ObjectSelector'},
{'default': '6',
'description': 'time interval',
'name': 'interval',
'range': [['6', '6'], ['60', '60']],
'type': 'ObjectSelector'},
{'default': 'Mean Lower_Low Water',
'description': 'datum',
'name': 'datum',
'range': [
['Great Diurnal Range', 'Great Diurnal Range'],
['Greenwich High Water Interval( in Hours)', 'Greenwich High Water Interval( in Hours)'],
['Greenwich Low Water Interval( in Hours)', 'Greenwich Low Water Interval( in Hours)'],
['Mean Diurnal High Water Inequality', 'Mean Diurnal High Water Inequality'],
['Mean Diurnal Low Water Inequality', 'Mean Diurnal Low Water Inequality'],
['Mean Diurnal Tide L0evel', 'Mean Diurnal Tide L0evel'],
['Mean High Water', 'Mean High Water'],
['Mean Higher - High Water', 'Mean Higher - High Water'],
['Mean Low Water', 'Mean Low Water'],
['Mean Lower_Low Water', 'Mean Lower_Low Water'],
['Mean Range of Tide', 'Mean Range of Tide'],
['Mean Sea Level', 'Mean Sea Level'],
['Mean Tide Level', 'Mean Tide Level'],
['North American Vertical Datum', 'North American Vertical Datum'],
['Station Datum', 'Station Datum']],
'type': 'ObjectSelector'}],
'title': 'NOAA COOPS Water Download Options'},
'svc://noaa-coast:ndbc':
{'properties': [
{'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['air_pressure', 'air_pressure'],
['air_temperature', 'air_temperature'],
['eastward_wind', 'eastward_wind'],
['northward_wind', 'northward_wind'],
['sea_surface_temperature', 'sea_surface_temperature'],
['water_level', 'water_level'],
['wave_height', 'wave_height'],
['wind_direction', 'wind_direction'],
['wind_from_direction', 'wind_from_direction'],
['wind_speed_of_gust', 'wind_speed_of_gust']],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'}
],
'title': 'NOAA National Data Buoy Center Download Options'},
'svc://usgs-ned:1-arc-second': {},
'svc://usgs-ned:13-arc-second': {},
'svc://usgs-ned:19-arc-second': {},
'svc://usgs-ned:alaska-2-arc-second': {},
'svc://usgs-nlcd:2001': {},
'svc://usgs-nlcd:2006': {},
'svc://usgs-nlcd:2011': {},
'svc://usgs-nwis:dv':
{'properties': [
{'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['streamflow:mean:daily', 'streamflow:mean:daily'],
['water_temperature:daily:max', 'water_temperature:daily:max'],
['water_temperature:daily:mean', 'water_temperature:daily:mean'],
['water_temperature:daily:min', 'water_temperature:daily:min']],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'},
{'default': 'P365D',
'description': 'time period (e.g. P365D = 365 days or P4W = 4 weeks)',
'name': 'period',
'type': 'String'}],
'title': 'NWIS Daily Values Service Download Options'},
'svc://usgs-nwis:iv':
{'properties': [
{'default': None,
'description': 'parameter',
'name': 'parameter',
'range': [
['gage_height', 'gage_height'],
['streamflow', 'streamflow'],
['water_temperature', 'water_temperature']
],
'type': 'ObjectSelector'},
{'bounds': None,
'default': None,
'description': 'start date',
'name': 'start',
'type': 'Date'},
{'bounds': None,
'default': None,
'description': 'end date',
'name': 'end',
'type': 'Date'},
{'default': 'P365D',
'description': 'time period (e.g. P365D = 365 days or P4W = 4 weeks)',
'name': 'period',
'type': 'String'}
],
'title': 'NWIS Instantaneous Values Service Download Options'},
'svc://quest:quest': {},
'svc://cuahsi-hydroshare:hs_geo': {},
'svc://cuahsi-hydroshare:hs_norm': {},
'svc://wmts:seamless_imagery':
{'title': 'Web Mercator Tile Service Download Options',
'properties': [
{'name': 'url',
'type': 'ObjectSelector',
'description': '',
'default': 'https://server.arcgisonline.com/ArcGIS/rest/services/World_Imagery/MapServer/tile/'
'{Z}/{Y}/{X}',
'range': [
['http://c.tile.openstreetmap.org/{Z}/{X}/{Y}.png',
'http://c.tile.openstreetmap.org/{Z}/{X}/{Y}.png'],
['http://tile.stamen.com/terrain/{Z}/{X}/{Y}.png',
'http://tile.stamen.com/terrain/{Z}/{X}/{Y}.png'],
['https://s.basemaps.cartocdn.com/light_all/{Z}/{X}/{Y}.png',
'https://s.basemaps.cartocdn.com/light_all/{Z}/{X}/{Y}.png'],
['https://server.arcgisonline.com/ArcGIS/rest/services/NatGeo_World_Map/MapServer/tile/{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/NatGeo_World_Map/MapServer/tile/{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/Ocean_Basemap/MapServer/tile/{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/Ocean_Basemap/MapServer/tile/{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/USA_Topo_Maps/MapServer/tile/{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/USA_Topo_Maps/MapServer/tile/{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/World_Imagery/MapServer/tile/{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/World_Imagery/MapServer/tile/{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/World_Physical_Map/MapServer/tile/'
'{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/World_Physical_Map/MapServer/tile/'
'{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/World_Shaded_Relief/MapServer/tile/'
'{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/World_Shaded_Relief/MapServer/tile/'
'{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/World_Street_Map/MapServer/tile/{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/World_Street_Map/MapServer/tile/{Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/World_Terrain_Base/MapServer/tile/'
'{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/World_Terrain_Base/MapServer/tile/{'
'Z}/{Y}/{X}'],
['https://server.arcgisonline.com/ArcGIS/rest/services/World_Topo_Map/MapServer/tile/{Z}/{Y}/{X}',
'https://server.arcgisonline.com/ArcGIS/rest/services/World_Topo_Map/MapServer/tile/{Z}/{Y}/{X}']
]},
{'name': 'zoom_level',
'type': 'Integer',
'description': '',
'default': 8,
'bounds': None},
{'name': 'bbox',
'type': 'List',
'description': '[x-min, y-max, x-max, y-min]',
'default': [-180, 90, 180, -90]},
{'name': 'crop_to_bbox',
'type': 'Boolean',
'description': None,
'default': True},
{'name': 'max_tiles',
'type': 'Number',
'description': 'Maximum number of tiles to allow (a number between 1 and `zoom_level`^4)',
'default': 1000,
'bounds': None}]}
}
SERVICES_CATALOG_COUNT = [
# ('svc://nasa:srtm-3-arc-second', 14297, 1000),
# ('svc://nasa:srtm-30-arc-second', 27, 10),
('svc://noaa-ncdc:ghcn-daily', 113948, 5000),
('svc://noaa-ncdc:gsod', 28754, 1500),
('svc://noaa-coast:coops-meteorological', 375, 50),
('svc://noaa-coast:coops-water', 234, 50),
('svc://noaa-coast:ndbc', 1136, 100),
('svc://usgs-ned:1-arc-second', 3644, 100),
('svc://usgs-ned:13-arc-second', 1245, 100),
# ('svc://usgs-ned:19-arc-second', 8358, 100), # As of Sept 2018 this service is no longer consistent
('svc://usgs-ned:alaska-2-arc-second', 503, 50),
('svc://usgs-nlcd:2001', 147, 100),
('svc://usgs-nlcd:2006', 131, 100),
('svc://usgs-nlcd:2011', 203, 100),
('svc://usgs-nwis:dv', 36368, 1000),
('svc://usgs-nwis:iv', 20412, 1000),
('svc://wmts:seamless_imagery', 1, 1),
# ('svc://cuahsi-hydroshare:hs_geo', 1090, 1000),
# ('svc://cuahsi-hydroshare:hs_norm', 2331, 1000),
]
CACHED_SERVICES = [s[0] for s in SERVICES_CATALOG_COUNT]
ALL_SERVICES = sorted(DOWNLOAD_OPTIONS_FROM_ALL_SERVICES.keys())
SERVICE = 'svc://usgs-nwis:iv'
CATALOG_ENTRY = 'svc://usgs-nwis:iv/01516350'
DATASET = 'd56fa10348894ba594dfc43f238d3b6d'
DATASET_METADATA = {
'download_status': 'downloaded',
'download_message': 'success',
'name': DATASET,
'file_format': 'timeseries-hdf5',
'datatype': 'timeseries',
'catalog_entry': 'svc://usgs-nwis:iv/01516350',
'collection': 'test_data',
'download_options': '{"parameter": "streamflow"}',
'dataset_type': 'download',
'timezone': 'utc',
'unit': 'ft3/s',
'display_name': DATASET,
'parameter': 'streamflow',
'metadata': {}
}
SERVICE_DOWNLOAD_OPTIONS = [
# ('svc://nasa:srtm-3-arc-second/G1034711987-LPDAAC_ECS' , None),
# ('svc://nasa:srtm-30-arc-second/G1005651728-LPDAAC_ECS', None),
('svc://noaa-ncdc:ghcn-daily/ACW00011604', {'parameter': 'air_temperature:daily:total', 'start': '1949-01-01', 'end': '1949-01-02'}),
('svc://noaa-ncdc:gsod/717580-99999', {'parameter': 'air_temperature:daily:max', 'start': '2016-01-01', 'end': '2016-01-02'}),
('svc://noaa-coast:coops-meteorological/1611400', {'parameter': 'air_temperature', 'start': '2015-05-23', 'end': '2015-05-24'}),
('svc://noaa-coast:coops-water/1611400', {'parameter': 'predicted_waterLevel', 'start': '2015-05-23', 'end': '2015-05-24'}),
('svc://noaa-coast:ndbc/0Y2W3', {'parameter': 'air_pressure', 'start': '2015-05-23', 'end': '2015-05-24'}),
('svc://usgs-ned:1-arc-second/581d2134e4b08da350d52cb0', None),
('svc://usgs-ned:13-arc-second/581d2134e4b08da350d52caf', None),
('svc://usgs-ned:19-arc-second/581d2561e4b08da350d5a3b2', None),
('svc://usgs-ned:alaska-2-arc-second/581d276ee4b08da350d5decb', None),
('svc://usgs-nlcd:2001/5a1c65a5e4b09fc93dd648f1', None),
('svc://usgs-nlcd:2006/5a1c35b6e4b09fc93dd64011', None),
('svc://usgs-nlcd:2011/5a1c31abe4b09fc93dd6381c', None),
('svc://usgs-nwis:iv/01010000', {'parameter': 'gage_height', 'start': '2016-01-01', 'end': '2016-01-02'}),
('svc://usgs-nwis:dv/01010000', {'parameter': 'streamflow:mean:daily', 'start': '2016-01-01', 'end': '2016-01-02'}),
]
|
class Solution(object):
def isReflected(self, points):
"""
:type points: List[List[int]]
:rtype: bool
"""
if len(points) < 2:
return True
twoTimesMid = min(points)[0] + max(points)[0]
d = set([(i, j) for i, j in points])
for i, j in points:
if (twoTimesMid - i, j) not in d:
return False
return True
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.