content
stringlengths
7
1.05M
# La funcion calcula sobre un promedio de notas ingresadas de 0 a 100 def nota_quices(codigo: str, nota1: int, nota2: int, nota3: int, nota4: int, nota5: int)-> str: notasEstudiate=(nota1, nota2, nota3, nota4, nota5) notaMin= min(notasEstudiate) # Elegir la menor nota para descartar promedioAcordado= (nota1+ nota2+ nota3+ nota4+ nota5 - notaMin)/4 # Calculo Promedio promedioAjustado= promedioAcordado*5/100 # Transformar Nota a escala 0 a 5 promedioRedondeado= round(promedioAjustado,2) # Promedio redondeado a 2 decimales promedio= str(promedioRedondeado) # Salida convertida a cadena return "El promedio ajustado del estudiante {} es: {}".format(codigo, promedio) print(nota_quices("AA0010276", 19,90,38,55,68)) print(nota_quices("IS00201620", 37,10,50,19,79)) print(nota_quices("BIO2201810", 45,46,33,74,22)) print(nota_quices("IQ102201810", 57,100,87,93,21)) print(nota_quices("MA00201520", 5,14,76,91,5))
# -*- coding: utf-8 -*- """ Created on Thu Feb 18 20:00:03 2021 @author: User The prime factors of 13195 are 5, 7, 13 and 29. What is the largest prime factor of the number 600851475143 ? """ def isPrime(n): result = True for i in range(2, n, 1): if n % i == 0 : result = False return result def nextPrime(n, primos): if n % 2 == 0: n +=1 isPrime = False while not isPrime: for primo in primos: if n % primo == 0: n +=2 break if primo == primos[-1]: isPrime = not isPrime return n def primeFactors(n): primos = [2] fatores = [] while n > 1: if n % primos[-1] == 0: n = n / primos[-1] fatores.append(primos[-1]) else: primos.append(nextPrime(primos[-1], primos)) return fatores n = 600851475143 print("O maior fator primo de", n, "é", primeFactors(n)[-1])
name = "core_pipeline" version = "2.1.0" build_command = "python -m rezutil {root}" private_build_requires = ["rezutil-1"] _environ = { "PYTHONPATH": [ "{root}/python", ], } def commands(): global env global this global system global expandvars for key, value in this._environ.items(): if isinstance(value, (tuple, list)): [env[key].append(expandvars(v)) for v in value] else: env[key] = expandvars(value)
#!/usr/bin/env python3 intList = [1,2,3] def normalList(): print("initial list: " + str(intList)) # must be str, not list or type # list items can be reassigned normalList() print(intList + [4,5]) # temp print list with more indexes intList.append(6) # permenently add a 6 to list. # Using .append METHOD from function on python print(len(intList)) # len() is FUNCTION, not method intList[1] = 4 print("intList[1] =: " + str(intList[1])) print("new list: " + str(intList)) print("list many times" + (str(intList) * 2)) # concatenated so list # is repeated print(intList * 3) # this shows the list many times as one normalList() # .insert(index, data) method can insert data at any index intList.insert(1, 7) normalList() # new list newList = ['1','2','3'] print(newList.index('1')) # prints the index position number of item print(newList.index('3'))
try: aa = 1.0/0 except Exception as e: print(e) print(aa) class Animal(): def __init__(self): self.age = 1 class Cat(Animal): def __init__(self): super().__init__() self.age = 2 self.name = 'Cat' c = Cat() print(c.age) print(c.name) class Student(): def func(self,x=1): print('hello',x) def func(self): print('hello') stu = Student() stu.func() stu.func(3)
# optimizer optimizer = dict(type='SGD', lr=0.003, momentum=0.9, weight_decay=0.0005) #0.0001) optimizer_config = dict(grad_clip=dict(max_norm=10, norm_type=2)) # learning policy lr_config = dict( policy='step', warmup='linear', warmup_iters=500, warmup_ratio=0.001, step=[16]) total_epochs = 22
def set_age(name, age): if not 0 < age < 120: raise ValueError('年龄超出范围') print('%s is %d years old' % (name, age)) def set_age2(name, age): assert 0 < age < 120, '年龄超出范围' print('%s is %d years old' % (name, age)) if __name__ == '__main__': # set_age('崔军', 244) try: set_age('崔军', 244) except ValueError as e: print('Error:', e) set_age2('崔军', 244)
courses = {} commands = input() while not commands == "end": commands = commands.split(" : ") if commands[0] not in courses: courses[commands[0]] = [] courses[commands[0]].append(commands[1]) else: courses[commands[0]].append(commands[1]) commands = input() #a = sorted(courses.items(), key=lambda kvp: len(kvp)) sorted_courses = sorted(courses.items(),key=lambda kvp: len(kvp[1]),reverse=True) for key, value in sorted_courses: print(f"{key}: {len(value)}") members1 = sorted(value) members = '\n-- '.join(members1) print(f"-- {members}")
""" This file contains different status codes for NetConnection, NetStream and SharedObject. The source code was taken from the rtmpy project (https://github.com/hydralabs/rtmpy) https://github.com/hydralabs/rtmpy/blob/master/rtmpy/status/codes.py """ # === NetConnection status codes and what they mean. === #: The URI specified in the NetConnection.connect method did not specify 'rtmp' #: as the protocol. 'rtmp' must be specified when connecting to an RTMP server. #: Either not supported version of AMF was used (3 when only 0 is supported). NC_CALL_BAD_VERSION = 'NetConnection.Call.BadVersion' #: The NetConnection.call method was not able to invoke the server-side method #: or command. NC_CALL_FAILED = 'NetConnection.Call.Failed' #: The application has been shut down (for example, if the application is out #: of memory resources and must shut down to prevent the server from crashing) #: or the server has shut down. NC_CONNECT_APP_SHUTDOWN = 'NetConnection.Connect.AppShutdown' #: The connection was closed successfully. NC_CONNECT_CLOSED = 'NetConnection.Connect.Closed' #: The connection attempt failed. NC_CONNECT_FAILED = 'NetConnection.Connect.Failed' #: The application name specified during connect is invalid. NC_CONNECT_INVALID_APPLICATION = 'NetConnection.Connect.InvalidApp' #: The client does not have permission to connect to the application, the #: application expected different parameters from those that were passed, #: or the application name specified during the connection attempt was not #: found on the server. NC_CONNECT_REJECTED = 'NetConnection.Connect.Rejected' #: The connection attempt succeeded. NC_CONNECT_SUCCESS = 'NetConnection.Connect.Success' # === NetStream status codes and what they mean. === #: A recorded stream failed to delete. NS_CLEAR_FAILED = 'NetStream.Clear.Failed' # A recorded stream was deleted successfully. NS_CLEAR_SUCCESS = 'NetStream.Clear.Success' #: An attempt to use a Stream method (at client-side) failed. NS_FAILED = 'NetStream.Failed' #: Invalid arguments were passed to a NetStream method. NS_INVALID_ARGUMENT = 'NetStream.InvalidArg' #: Playlist playback is complete. NS_PLAY_COMPLETE = 'NetStream.Play.Complete' #: An attempt to play back a stream failed. NS_PLAY_FAILED = 'NetStream.Play.Failed' #: Data is playing behind the normal speed. NS_PLAY_INSUFFICIENT_BW = 'NetStream.Play.InsufficientBW' #: Playback was started. NS_PLAY_START = 'NetStream.Play.Start' #: An attempt was made to play a stream that does not exist. NS_PLAY_STREAM_NOT_FOUND = 'NetStream.Play.StreamNotFound' #: Playback was stopped. NS_PLAY_STOP = 'NetStream.Play.Stop' #: A playlist was reset. NS_PLAY_RESET = 'NetStream.Play.Reset' #: The initial publish to a stream was successful. This message is sent to #: all subscribers. NS_PLAY_PUBLISH_NOTIFY = 'NetStream.Play.PublishNotify' #: An unpublish from a stream was successful. This message is sent to all #: subscribers. NS_PLAY_UNPUBLISH_NOTIFY = 'NetStream.Play.UnpublishNotify' #: Playlist playback switched from one stream to another. NS_PLAY_SWITCH = 'NetStream.Play.Switch' #: Flash Player detected an invalid file structure and will not try to #: play this type of file. NS_PLAY_FILE_STRUCTURE_INVALID = 'NetStream.Play.FileStructureInvalid' #: Flash Player did not detect any supported tracks (video, audio or data) #: and will not try to play the file. NS_PLAY_NO_SUPPORTED_TRACK_FOUND = 'NetStream.Play.NoSupportedTrackFound' #: An attempt was made to publish a stream that is already being published #: by someone else. NS_PUBLISH_BAD_NAME = 'NetStream.Publish.BadName' #: An attempt to publish was successful. NS_PUBLISH_START = 'NetStream.Publish.Start' #: An attempt was made to record a read-only stream. NS_RECORD_NO_ACCESS = 'NetStream.Record.NoAccess' #: An attempt to record a stream failed. NS_RECORD_FAILED = 'NetStream.Record.Failed' #: Recording was started. NS_RECORD_START = 'NetStream.Record.Start' #: Recording was stopped. NS_RECORD_STOP = 'NetStream.Record.Stop' #: An attempt to unpublish was successful. NS_UNPUBLISHED_SUCCESS = 'NetStream.Unpublish.Success' #: The subscriber has used the seek command to move to a particular #: location in the recorded stream. NS_SEEK_NOTIFY = 'NetStream.Seek.Notify' #: The stream doesn't support seeking. NS_SEEK_FAILED = 'NetStream.Seek.Failed' #: The subscriber has used the seek command to move to a particular #: location in the recorded stream. NS_PAUSE_NOTIFY = 'NetStream.Pause.Notify' #: Publishing has stopped. NS_UNPAUSE_NOTIFY = 'NetStream.Unpause.Notify' #: Unknown NS_DATA_START = 'NetStream.Data.Start' # === SharedObject status codes and what they mean. === #: Read access to a shared object was denied. SO_NO_READ_ACCESS = 'SharedObject.NoReadAccess' #: Write access to a shared object was denied. SO_NO_WRITE_ACCESS = 'SharedObject.NoWriteAccess' #: The creation of a shared object was denied. SO_CREATION_FAILED = 'SharedObject.ObjectCreationFailed' #: The persistence parameter passed to SharedObject.getRemote() is #: different from the one used when the shared object was created. SO_PERSISTENCE_MISMATCH = 'SharedObject.BadPersistence'
# Time: O(logn) # Space: O(logn) # 1104 # In an infinite binary tree where every node has two children, nodes are labelled in row order. # # In the odd numbered rows (ie., the first, third, fifth,...), the labelling is left to right, # while in the even numbered rows (second, fourth, sixth,...), the labelling is right to left. # 1 # 3 2 # 4 5 6 7 # 15 14 13 12 11 10 9 8 # # Given the label of a node in this tree, return the labels in the path from the root of # the tree to the node with that label. class Solution(object): def pathInZigZagTree(self, label): """ :type label: int :rtype: List[int] """ count = 2**label.bit_length() ans = [] while label >= 1: ans.append(label) begin, end = count // 2, count - 1 label = (begin + (end-label)) // 2 count //= 2 return ans[::-1] def pathInZigZagTree_ming(self, label): # similar but can improve over the above, # bit_length on each row doesn't need to campute each time ans = [label] while label > 1: k = label // 2 b = k.bit_length() s, e = 2**(b-1), 2**b - 1 label = s + (e - k) ans.append(label) ans.append(label) return ans[::-1] print(Solution().pathInZigZagTree(14)) # [1,3,4,14] print(Solution().pathInZigZagTree(26)) # [1,2,6,10,26]
# Common utilities def get_mi2idf(tree): root = tree.getroot() mi2idf = dict() # dirty settings ellipsises = [ 'e280a6', # HORIZONTAL ELLIPSIS (…) 'e28baf', # MIDLINE HORIZONTAL ELLIPSIS (⋯) ] # loop mi in the tree for e in root.xpath('//mi'): mi_id = e.attrib.get('id') # skip if empty if e.text is None: continue # get idf hex idf_hex = e.text.encode().hex() # None if ellipsises if idf_hex in ellipsises: mi2idf[mi_id] = None continue # detect the idf variant # Note: mathvariant is replaced (None -> default, normal -> roman) idf_var = e.attrib.get('mathvariant', 'default') if idf_var == 'normal': idf_var = 'roman' mi2idf[mi_id] = {'idf_hex': idf_hex, 'idf_var': idf_var} return mi2idf
# # PySNMP MIB module BENU-DHCP-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/BENU-DHCP-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:37:16 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, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsIntersection") benuWAG, = mibBuilder.importSymbols("BENU-WAG-MIB", "benuWAG") InetAddressIPv4, InetAddressPrefixLength = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressIPv4", "InetAddressPrefixLength") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") ModuleIdentity, MibIdentifier, NotificationType, Unsigned32, Bits, TimeTicks, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, ObjectIdentity, Integer32, iso, Counter64, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "MibIdentifier", "NotificationType", "Unsigned32", "Bits", "TimeTicks", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "ObjectIdentity", "Integer32", "iso", "Counter64", "Counter32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") bDhcpMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6)) bDhcpMIB.setRevisions(('2015-12-18 00:00', '2015-11-12 00:00', '2015-01-29 00:00', '2015-01-16 00:00', '2014-07-30 00:00', '2014-04-14 00:00', '2013-10-22 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: bDhcpMIB.setRevisionsDescriptions(('Added bDhcpHomeSubnetUsedAddrLow, bDhcpHomeSubnetUsedAddrHigh & added bDhcpv4NotifObjects for supporting Home wrt Home subnets.', 'Added bDhcpSPWiFiGlobalTable and bDhcpHomeGlobalTable', 'Added max. values for ranges & subnet.', 'Updated notification assignments to comply with standards (RFC 2578).', 'bDhcpGlobalTable updated with release indications sent.', 'bDhcpSubnetTable updated with peak addresses held statistic.', 'This version introduces support for DHCPv6',)) if mibBuilder.loadTexts: bDhcpMIB.setLastUpdated('201512180000Z') if mibBuilder.loadTexts: bDhcpMIB.setOrganization('Benu Networks,Inc') if mibBuilder.loadTexts: bDhcpMIB.setContactInfo('Benu Networks,Inc Corporate Headquarters 300 Concord Road, Suite 110 Billerica, MA 01821 USA Tel: +1 978-223-4700 Fax: +1 978-362-1908 Email: info@benunets.com') if mibBuilder.loadTexts: bDhcpMIB.setDescription('The MIB module for entities implementing the server side of the Bootstrap Protocol (BOOTP) and the Dynamic Host Configuration protocol (DHCP) for IPv4 and IPv6. Copyright (C) 2014 by Benu Networks, Inc. All rights reserved.') bDhcpNotifications = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0)) if mibBuilder.loadTexts: bDhcpNotifications.setStatus('current') if mibBuilder.loadTexts: bDhcpNotifications.setDescription('DHCP Notifications are defined in this branch.') bDhcpv4MIBObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1)) if mibBuilder.loadTexts: bDhcpv4MIBObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv4MIBObjects.setDescription('DHCP v4 MIB objects information is defined in this branch.') bDhcpv4NotifObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2)) if mibBuilder.loadTexts: bDhcpv4NotifObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv4NotifObjects.setDescription('DHCP v4 Notifications are defined in this branch.') bDhcpv6MIBObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3)) if mibBuilder.loadTexts: bDhcpv6MIBObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv6MIBObjects.setDescription('DHCP v6 MIB objects information is defined in this branch.') bDhcpv6NotifObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 4)) if mibBuilder.loadTexts: bDhcpv6NotifObjects.setStatus('current') if mibBuilder.loadTexts: bDhcpv6NotifObjects.setDescription('DHCP v6 Notifications are defined in this branch.') bDhcpSubnetTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1), ) if mibBuilder.loadTexts: bDhcpSubnetTable.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetTable.setDescription('A list of subnets that are configured in this server.') bDhcpSubnetEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpSubnetStatsInterval"), (0, "BENU-DHCP-MIB", "bDhcpSubnetIndex"), (0, "BENU-DHCP-MIB", "bDhcpSubnetRangeIndex")) if mibBuilder.loadTexts: bDhcpSubnetEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetEntry.setDescription('A logical row in the bDhcpSubnetTable.') bDhcpSubnetStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpSubnetStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpSubnetIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 144))) if mibBuilder.loadTexts: bDhcpSubnetIndex.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetIndex.setDescription('The index of the subnet entry in the table. DHCP supports max. 144 subnets.') bDhcpSubnetRangeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))) if mibBuilder.loadTexts: bDhcpSubnetRangeIndex.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetRangeIndex.setDescription('The index of the range from the subnet entry in the table. DHCP supports max. 16 ranges per subnet.') bDhcpSubnetIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetIntervalDuration.setDescription('Duration of the interval in minutes.') bDhcpSubnetStartAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 5), InetAddressIPv4()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetStartAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetStartAddress.setDescription('The first subnet IP address.') bDhcpSubnetEndAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 6), InetAddressIPv4()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetEndAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetEndAddress.setDescription('The last subnet IP address.') bDhcpSubnetTotalAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetTotalAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetTotalAddresses.setDescription('The total number of addresses in the subnet .') bDhcpSubnetPeakFreeAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetPeakFreeAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakFreeAddresses.setDescription('The peak number of free IP addresses that are available in the subnet') bDhcpSubnetPeakUsedAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetPeakUsedAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakUsedAddresses.setDescription('The peak number of used IP addresses that are used in the subnet') bDhcpSubnetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 10), InetAddressIPv4()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetAddress.setDescription('The IP address of the subnet entry in the table.') bDhcpSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 11), InetAddressPrefixLength()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetMask.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetMask.setDescription('The subnet mask of the subnet.') bDhcpSubnetUsedAddrLowThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLowThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLowThreshold.setDescription('The low threshold for used IP addresses in this subnet. If the value for used IP addresses in this subnet becomes equal to or less than this value and the current condition for bDhcpSubnetUsedAddrHigh is raised, then a bDhcpSubnetUsedAddrLow event will be generated. No more bDhcpSubnetUsedAddrLow events will be generated for this subnet during its execution until the value for used addresses has exceeded the value of bDhcpSubnetUsedAddrHighThreshold.') bDhcpSubnetUsedAddrHighThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHighThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHighThreshold.setDescription('The high threshold for used IP addresses in this subnet. If a bDhcpSubnetUsedAddrLow event has been generated (or no bDhcpSubnetUsedAddrHigh was generated previously) for this subnet, and the value for used IP addresses in this subnet has exceeded this value then a bDhcpSubnetUsedAddrHigh event will be generated. No more bDhcpSubnetUsedAddrHigh events will be generated for this subnet during its execution until the value for used addresses in this subnet becomes equal to or less than the value of bDhcpSubnetUsedAddrLowThreshold.') bDhcpSubnetPeakHoldAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 1, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSubnetPeakHoldAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetPeakHoldAddresses.setDescription('The peak number of IP addresses that are held within this subnet.') bDhcpGlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2), ) if mibBuilder.loadTexts: bDhcpGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalTable.setDescription('A list of Global DHCP server information for various intervals.') bDhcpGlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpGlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalEntry.setDescription('A logical row in the bDhcpGlobalTable.') bDhcpGlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpDiscoversRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpDiscoversRcvd.setDescription('The number of DHCPDISCOVER packets received.') bDhcpOffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpOffersSent.setDescription('The number of DHCPOFFER packets sent.') bDhcpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpRequestsRcvd.setDescription('The number of DHCPREQUEST packets received.') bDhcpDeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpDeclinesRcvd.setDescription('The number of DHCPDECLINE packets received.') bDhcpAcksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpAcksSent.setDescription('The number of DHCPACK packets sent.') bDhcpNacksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpNacksSent.setDescription('The number of DHCPNACK packets sent.') bDhcpReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesRcvd.setDescription('The number of DHCPRELEASE packets received.') bDhcpReleasesIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesIndRcvd.setDescription('The number of DHCPRELEASE indication packets received.') bDhcpReleasesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesSent.setDescription('The number of DHCPRELEASE packets sent.') bDhcpInformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpInformsRcvd.setDescription('The number of DHCPINFORM packets received.') bDhcpInformsAckSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpInformsAckSent.setDescription('The number of DHCPINFORM ACK packets sent.') bDhcpDropDiscover = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpDropDiscover.setDescription('The number of DHCPDISCOVER packets dropped.') bDhcpDropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpDropRequest.setDescription('The number of DHCPREQUEST packets dropped.') bDhcpDropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpDropRelease.setDescription('The number of DHCPRELEASE packets dropped.') bDhcpLeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesAssigned.setDescription('Total number of leases assigned on DHCP server') bDhcpLeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesReleased.setDescription('Total number of leases released on DHCP server') bDhcpLeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRelFail.setDescription('Total number of leases release failed on DHCP server') bDhcpLeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesExpired.setDescription('Total number of leases expired on DHCP server') bDhcpLeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRenewed.setDescription('Total number of leases renewed on DHCP server') bDhcpLeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesRenewFail.setDescription('Total number of leases renew failed on DHCP server') bDhcpLeasesNotAssignServIntNotConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesNotAssignServIntNotConfig.setDescription('Total number of leases not assigned due to interface not configured on DHCP server') bDhcpLeasesNotAssignFreeBuffUnavail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpLeasesNotAssignFreeBuffUnavail.setDescription('Total number of leases not assigned due to unavailability of free buffers') bDhcpIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpIntervalDuration.setDescription('Duration of the interval in minutes') bBootpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bBootpRequestsRcvd.setDescription('Total number of BOOTP request mesages received') bBootpRepliesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bBootpRepliesSent.setDescription('Total number of BOOTP reply mesages sent') bDhcpReleasesIndSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 2, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpReleasesIndSent.setDescription('The number of DHCPRELEASE indication packets sent.') bDhcpSPWiFiGlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4), ) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalTable.setDescription('A list of Global DHCP server information for SPWiFi for various intervals.') bDhcpSPWiFiGlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpSPWiFiGlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalEntry.setDescription('A logical row in the bDhcpSPWiFiGlobalTable.') bDhcpSPWiFiGlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpSPWiFiGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpSPWiFiDiscoversRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDiscoversRcvd.setDescription('The number of SPWiFi DHCPDISCOVER packets received.') bDhcpSPWiFiOffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiOffersSent.setDescription('The number of SPWiFi DHCPOFFER packets sent.') bDhcpSPWiFiRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiRequestsRcvd.setDescription('The number of SPWiFi DHCPREQUEST packets received.') bDhcpSPWiFiDeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDeclinesRcvd.setDescription('The number of SPWiFi DHCPDECLINE packets received.') bDhcpSPWiFiAcksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiAcksSent.setDescription('The number of SPWiFi DHCPACK packets sent.') bDhcpSPWiFiNacksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiNacksSent.setDescription('The number of SPWiFi DHCPNACK packets sent.') bDhcpSPWiFiReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesRcvd.setDescription('The number of SPWiFi DHCPRELEASE packets received.') bDhcpSPWiFiReleasesIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndRcvd.setDescription('The number of SPWiFi DHCPRELEASE indication packets received.') bDhcpSPWiFiReleasesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesSent.setDescription('The number of SPWiFi DHCPRELEASE packets sent.') bDhcpSPWiFiInformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiInformsRcvd.setDescription('The number of SPWiFi DHCPINFORM packets received.') bDhcpSPWiFiInformsAckSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiInformsAckSent.setDescription('The number of SPWiFi DHCPINFORM ACK packets sent.') bDhcpSPWiFiDropDiscover = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropDiscover.setDescription('The number of SPWiFi DHCPDISCOVER packets dropped.') bDhcpSPWiFiDropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropRequest.setDescription('The number of SPWiFi DHCPREQUEST packets dropped.') bDhcpSPWiFiDropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiDropRelease.setDescription('The number of SPWiFi DHCPRELEASE packets dropped.') bDhcpSPWiFiLeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesAssigned.setDescription('Total number of SPWiFi leases assigned on DHCP server') bDhcpSPWiFiLeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesReleased.setDescription('Total number of SPWiFi leases released on DHCP server') bDhcpSPWiFiLeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRelFail.setDescription('Total number of SPWiFi leases release failed on DHCP server') bDhcpSPWiFiLeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesExpired.setDescription('Total number of SPWiFi leases expired on DHCP server') bDhcpSPWiFiLeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewed.setDescription('Total number of SPWiFi leases renewed on DHCP server') bDhcpSPWiFiLeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesRenewFail.setDescription('Total number of SPWiFi leases renew failed on DHCP server') bDhcpSPWiFiLeasesNotAssignServIntNotConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignServIntNotConfig.setDescription('Total number of SPWiFi leases not assigned due to interface not configured on DHCP server') bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail.setDescription('Total number of SPWiFi leases not assigned due to unavailability of free buffers') bDhcpSPWiFiIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiIntervalDuration.setDescription('SPWiFi duration of the interval in minutes') bSPWiFiBootpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bSPWiFiBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bSPWiFiBootpRequestsRcvd.setDescription('Total number of SPWiFi BOOTP request mesages received') bSPWiFiBootpRepliesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bSPWiFiBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bSPWiFiBootpRepliesSent.setDescription('Total number of SPWiFi BOOTP reply mesages sent') bDhcpSPWiFiReleasesIndSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 4, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpSPWiFiReleasesIndSent.setDescription('The number of SPWiFi DHCPRELEASE indication packets sent.') bDhcpHomeGlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5), ) if mibBuilder.loadTexts: bDhcpHomeGlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalTable.setDescription('A list of Global DHCP server information for Home for various intervals.') bDhcpHomeGlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpHomeGlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpHomeGlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalEntry.setDescription('A logical row in the bDhcpHomeGlobalTable.') bDhcpHomeGlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpHomeGlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeGlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpHomeDiscoversRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDiscoversRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDiscoversRcvd.setDescription('The number of Home DHCPDISCOVER packets received.') bDhcpHomeOffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeOffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeOffersSent.setDescription('The number of Home DHCPOFFER packets sent.') bDhcpHomeRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeRequestsRcvd.setDescription('The number of Home DHCPREQUEST packets received.') bDhcpHomeDeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDeclinesRcvd.setDescription('The number of Home DHCPDECLINE packets received.') bDhcpHomeAcksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeAcksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeAcksSent.setDescription('The number of Home DHCPACK packets sent.') bDhcpHomeNacksSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeNacksSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeNacksSent.setDescription('The number of Home DHCPNACK packets sent.') bDhcpHomeReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesRcvd.setDescription('The number of Home DHCPRELEASE packets received.') bDhcpHomeReleasesIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesIndRcvd.setDescription('The number of Home DHCPRELEASE indication packets received.') bDhcpHomeReleasesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesSent.setDescription('The number of Home DHCPRELEASE packets sent.') bDhcpHomeInformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeInformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeInformsRcvd.setDescription('The number of Home DHCPINFORM packets received.') bDhcpHomeInformsAckSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeInformsAckSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeInformsAckSent.setDescription('The number of Home DHCPINFORM ACK packets sent.') bDhcpHomeDropDiscover = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDropDiscover.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropDiscover.setDescription('The number of Home DHCPDISCOVER packets dropped.') bDhcpHomeDropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropRequest.setDescription('The number of Home DHCPREQUEST packets dropped.') bDhcpHomeDropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeDropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeDropRelease.setDescription('The number of Home DHCPRELEASE packets dropped.') bDhcpHomeLeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesAssigned.setDescription('Total number of Home leases assigned on DHCP server') bDhcpHomeLeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesReleased.setDescription('Total number of Home leases released on DHCP server') bDhcpHomeLeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRelFail.setDescription('Total number of Home leases release failed on DHCP server') bDhcpHomeLeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesExpired.setDescription('Total number of Home leases expired on DHCP server') bDhcpHomeLeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewed.setDescription('Total number of Home leases renewed on DHCP server') bDhcpHomeLeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesRenewFail.setDescription('Total number of Home leases renew failed on DHCP server') bDhcpHomeLeasesNotAssignServIntNotConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignServIntNotConfig.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignServIntNotConfig.setDescription('Total number of Home leases not assigned due to interface not configured on DHCP server') bDhcpHomeLeasesNotAssignFreeBuffUnavail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignFreeBuffUnavail.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeLeasesNotAssignFreeBuffUnavail.setDescription('Total number of Home leases not assigned due to unavailability of free buffers') bDhcpHomeIntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeIntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeIntervalDuration.setDescription('Home duration of the interval in minutes') bHomeBootpRequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bHomeBootpRequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bHomeBootpRequestsRcvd.setDescription('Total number of Home BOOTP request mesages received') bHomeBootpRepliesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bHomeBootpRepliesSent.setStatus('current') if mibBuilder.loadTexts: bHomeBootpRepliesSent.setDescription('Total number of Home BOOTP reply mesages sent') bDhcpHomeReleasesIndSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 5, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpHomeReleasesIndSent.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeReleasesIndSent.setDescription('The number of Home DHCPRELEASE indication packets sent.') bDhcpv4ActiveClient = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv4ActiveClient.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveClient.setDescription('The number of DHCP v4 active clients.') bDhcpv4ActiveSpWiFiClients = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv4ActiveSpWiFiClients.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveSpWiFiClients.setDescription('The number of DHCP v4 SP WiFi active clients.') bDhcpv4ActiveHomeClients = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv4ActiveHomeClients.setStatus('current') if mibBuilder.loadTexts: bDhcpv4ActiveHomeClients.setDescription('The number of DHCP v4 active Home clients.') bDhcpv6ActiveClient = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 1), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ActiveClient.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ActiveClient.setDescription('The number of DHCP v6 active clients.') bDhcpv6GlobalTable = MibTable((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2), ) if mibBuilder.loadTexts: bDhcpv6GlobalTable.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalTable.setDescription('A list of Global DHCPv6 server information for various intervals.') bDhcpv6GlobalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1), ).setIndexNames((0, "BENU-DHCP-MIB", "bDhcpv6GlobalStatsInterval")) if mibBuilder.loadTexts: bDhcpv6GlobalEntry.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalEntry.setDescription('A logical row in the bDhcpv6GlobalTable.') bDhcpv6GlobalStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 1), Integer32()) if mibBuilder.loadTexts: bDhcpv6GlobalStatsInterval.setStatus('current') if mibBuilder.loadTexts: bDhcpv6GlobalStatsInterval.setDescription('The interval where the measurements were accumulated. The interval index one indicates the latest interval for which statistics accumulation was completed. Older the statistics interval data greater the interval index value. In a system supporting a history of n intervals with IntervalCount(1) and IntervalCount(n) the most and least recent intervals respectively, the following applies at the end of a interval: - discard the value of IntervalCount(n) - the value of IntervalCount(i) becomes that of IntervalCount(i+1) for 1 <= i <n . - the value of IntervalCount(1) becomes that of CurrentCount') bDhcpv6SolicitsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6SolicitsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6SolicitsRcvd.setDescription('The number of DHCPv6 Solicit packets received.') bDhcpv6OffersSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 3), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6OffersSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6OffersSent.setDescription('The number of DHCPOFFER packets sent.') bDhcpv6RequestsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RequestsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RequestsRcvd.setDescription('The number of DHCPv6 Request packets received.') bDhcpv6DeclinesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DeclinesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DeclinesRcvd.setDescription('The number of DHCPv6 Decline packets received.') bDhcpv6ReleasesRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReleasesRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReleasesRcvd.setDescription('The number of DHCPv6 Release packets received.') bDhcpv6ReleaseIndRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReleaseIndRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReleaseIndRcvd.setDescription('The number of DHCPv6 ReleaseInd packets received.') bDhcpv6RenewRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RenewRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RenewRcvd.setDescription('The number of DHCPv6 Renew packets received.') bDhcpv6RebindRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindRcvd.setDescription('The number of DHCPv6 Rebind packets received.') bDhcpv6InformsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6InformsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6InformsRcvd.setDescription('The number of DHCPv6 Inform packets received.') bDhcpv6ConfirmsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 11), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ConfirmsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ConfirmsRcvd.setDescription('The number of DHCPv6 Confirm packets received.') bDhcpv6ReplysSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 12), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReplysSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReplysSent.setDescription('The number of DHCPv6 Reply packets sent.') bDhcpv6AdvertisesSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 13), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6AdvertisesSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6AdvertisesSent.setDescription('The number of DHCPv6 Advertises packets sent.') bDhcpv6UnknownMsgsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 14), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnknownMsgsRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnknownMsgsRcvd.setDescription('The number of DHCPv6 UnknownMsg packets received.') bDhcpv6ReconfigsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 15), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReconfigsSent.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReconfigsSent.setDescription('The number of DHCPv6 Reconfig packets sent.') bDhcpv6DropSolicit = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 16), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropSolicit.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropSolicit.setDescription('The number of DHCPv6 Solicit packets dropped.') bDhcpv6DropAdvertise = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 17), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropAdvertise.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropAdvertise.setDescription('The number of DHCPv6 Advertise packets dropped.') bDhcpv6DropDupSolicit = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 18), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropDupSolicit.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropDupSolicit.setDescription('The number of DHCPv6 Duplicate Solicit packets dropped.') bDhcpv6DropRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 19), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRequest.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRequest.setDescription('The number of DHCPv6 Request packets dropped.') bDhcpv6DropRelease = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 20), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRelease.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelease.setDescription('The number of DHCPv6 Release packets dropped.') bDhcpv6DropDecline = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 21), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropDecline.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropDecline.setDescription('The number of DHCPv6 Decline packets dropped.') bDhcpv6DropRenew = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 22), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRenew.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRenew.setDescription('The number of DHCPv6 Renew packets dropped.') bDhcpv6DropRebind = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 23), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRebind.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRebind.setDescription('The number of DHCPv6 Rebind packets dropped.') bDhcpv6DropConfirm = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 24), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropConfirm.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropConfirm.setDescription('The number of DHCPv6 Confirm packets dropped.') bDhcpv6DropInform = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 25), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropInform.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropInform.setDescription('The number of DHCPv6 Information-Request packets dropped.') bDhcpv6DropRelay = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 26), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRelay.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelay.setDescription('The number of DHCPv6 Relay packets dropped.') bDhcpv6DropReply = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 27), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropReply.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropReply.setDescription('The number of DHCPv6 Reply packets dropped.') bDhcpv6DropRelayReply = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 28), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropRelayReply.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropRelayReply.setDescription('The number of DHCPv6 Relay-Reply packets dropped.') bDhcpv6DropReconfig = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 29), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DropReconfig.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DropReconfig.setDescription('The number of DHCPv6 Reconfig packets dropped.') bDhcpv6LeasesOffered = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 30), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesOffered.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesOffered.setDescription('Total number of leases offered on DHCPv6 server') bDhcpv6LeasesAssigned = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 31), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesAssigned.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesAssigned.setDescription('Total number of leases assigned on DHCPv6 server') bDhcpv6LeasesReleased = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 32), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesReleased.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesReleased.setDescription('Total number of leases released on DHCPv6 server') bDhcpv6LeasesRelFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 33), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesRelFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRelFail.setDescription('Total number of leases release failed on DHCPv6 server') bDhcpv6LeasesExpired = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 34), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesExpired.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesExpired.setDescription('Total number of leases expired on DHCPv6 server') bDhcpv6LeasesExpiryFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 35), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesExpiryFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesExpiryFail.setDescription('Total number of leases expiry failed on DHCPv6 server') bDhcpv6LeasesRenewed = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 36), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesRenewed.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRenewed.setDescription('Total number of leases renewed on DHCPv6 server') bDhcpv6LeasesRenewFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 37), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6LeasesRenewFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6LeasesRenewFail.setDescription('Total number of leases renew failed on DHCPv6 server') bDhcpv6InternalError = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 38), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6InternalError.setStatus('current') if mibBuilder.loadTexts: bDhcpv6InternalError.setDescription('Total number of Internal Errors') bDhcpv6NoInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 39), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6NoInterface.setStatus('current') if mibBuilder.loadTexts: bDhcpv6NoInterface.setDescription('Total number of No Interface Errors') bDhcpv6ClientIdNotPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 40), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ClientIdNotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ClientIdNotPres.setDescription('Total number of ClientId Not Present Errors') bDhcpv6ServerIdNotPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 41), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ServerIdNotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ServerIdNotPres.setDescription('Total number of ServerId Not Present Errors') bDhcpv6ORONotPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 42), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ORONotPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ORONotPres.setDescription('Total number of ORO Not Present Errors') bDhcpv6ClientIdPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 43), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ClientIdPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ClientIdPres.setDescription('Total number of ClientId Present Errors') bDhcpv6ServerIdPres = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 44), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ServerIdPres.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ServerIdPres.setDescription('Total number of ServerId Present Errors') bDhcpv6UnicastSolicitRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 45), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastSolicitRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastSolicitRcvd.setDescription('Total number of Unicast Solicit Received Errors') bDhcpv6UnicastRequestRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 46), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastRequestRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRequestRcvd.setDescription('Total number of Unicast Request Received Errors') bDhcpv6UnicastRenewRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 47), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastRenewRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRenewRcvd.setDescription('Total number of Unicast Renew Received Errors') bDhcpv6UnicastConfirmRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 48), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastConfirmRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastConfirmRcvd.setDescription('Total number of Unicast Confirm Received Errors') bDhcpv6UnicastDeclineRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 49), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastDeclineRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastDeclineRcvd.setDescription('Total number of Unicast Decline Received Errors') bDhcpv6UnicastReleaseRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 50), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastReleaseRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastReleaseRcvd.setDescription('Total number of Unicast Release Received Errors') bDhcpv6UnicastRebindRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 51), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6UnicastRebindRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6UnicastRebindRcvd.setDescription('Total number of Unicast Rebind Received Errors') bDhcpv6RebindWithoutAddrRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 52), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrRcvd.setDescription('Total number of Rebind Without Addresses Received Errors') bDhcpv6ConfirmWithoutAddrRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 53), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ConfirmWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ConfirmWithoutAddrRcvd.setDescription('Total number of Confirm Without Addresses Received Errors') bDhcpv6DeclineWithoutAddrRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 54), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6DeclineWithoutAddrRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6DeclineWithoutAddrRcvd.setDescription('Total number of Confirm Without Addresses Received Errors') bDhcpv6RebindWithoutAddrOrMoreRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 55), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrOrMoreRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindWithoutAddrOrMoreRcvd.setDescription('Total number of Rebind Without Addresses Or More Received Errors') bDhcpv6RenewWithoutAddrOrMoreRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 56), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RenewWithoutAddrOrMoreRcvd.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RenewWithoutAddrOrMoreRcvd.setDescription('Total number of Rebind Without Addresses Or More Received Errors') bDhcpv6RebindFail = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 57), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6RebindFail.setStatus('current') if mibBuilder.loadTexts: bDhcpv6RebindFail.setDescription('Total number of Rebind Failures') bDhcpv6ReconfAcceptInSolicitMissing = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 58), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6ReconfAcceptInSolicitMissing.setStatus('current') if mibBuilder.loadTexts: bDhcpv6ReconfAcceptInSolicitMissing.setDescription('Reconfig-Accept option is Solicit is missing, wherein the configuration mandates') bDhcpv6IntervalDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 3, 2, 1, 59), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bDhcpv6IntervalDuration.setStatus('current') if mibBuilder.loadTexts: bDhcpv6IntervalDuration.setDescription('Duration of the interval in minutes') bDhcpHomeSubnetHomeId = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 1), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetHomeId.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetHomeId.setDescription('Home ID field is unique identifier for each home subnet. It maps to tunnel & vlan.') bDhcpHomeSubnetStartAddress = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 2), InetAddressIPv4()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetStartAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetStartAddress.setDescription("Home subnet's range start IPv4 Address.") bDhcpHomeSubnetEndAddress = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 3), InetAddressIPv4()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetEndAddress.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetEndAddress.setDescription("Home subnet's range end IPv4 Address.") bDhcpHomeSubnetTotalAddresses = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 4), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetTotalAddresses.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetTotalAddresses.setDescription('The total number of addresses in the home subnet.') bDhcpHomeSubnetUsedAddrLowThreshold = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 5), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLowThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLowThreshold.setDescription('The low threshold for used IP addresses in this home subnet. If the value for used IP addresses in this home subnet becomes equal to or less than this value and the current condition for bDhcpHomeSubnetUsedAddrHigh is raised, then a bDhcpHomeSubnetUsedAddrLow event will be generated. No more bDhcpHomeSubnetUsedAddrLow events will be generated for this subnet during its execution until the value for used addresses has exceeded the value of bDhcpHomeSubnetUsedAddrHighThreshold.') bDhcpHomeSubnetUsedAddrHighThreshold = MibScalar((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 2, 6), Unsigned32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHighThreshold.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHighThreshold.setDescription('The high threshold for used IP addresses in this home subnet. If a bDhcpHomeSubnetUsedAddrLow event has been generated (or no bDhcpHomeSubnetUsedAddrHigh was generated previously) for this home subnet, and the value for used IP addresses in this home subnet has exceeded this value then a bDhcpHomeSubnetUsedAddrHigh event will be generated. No more bDhcpHomeSubnetUsedAddrHigh events will be generated for this subnet during its execution until the value for used addresses in this subnet becomes equal to or less than the value of bDhcpHomeSubnetUsedAddrLowThreshold.') bDhcpSubnetUsedAddrLow = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 1)).setObjects(("BENU-DHCP-MIB", "bDhcpSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpSubnetUsedAddrLowThreshold")) if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLow.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrLow.setDescription('This notification signifies that the number of used addresses for a particular subnet is cleared, meaning that it has fallen below the value of bDhcpSubnetUsedAddrLowThreshold for that subnet.') bDhcpSubnetUsedAddrHigh = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 2)).setObjects(("BENU-DHCP-MIB", "bDhcpSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpSubnetUsedAddrHighThreshold")) if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHigh.setStatus('current') if mibBuilder.loadTexts: bDhcpSubnetUsedAddrHigh.setDescription('This notification signifies that the number of used addresses for a particular subnet is raised, meaning that it has risen above the value of bDhcpSubnetUsedAddrHighThreshold for that subnet.') bDhcpHomeSubnetUsedAddrLow = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 3)).setObjects(("BENU-DHCP-MIB", "bDhcpHomeSubnetHomeId"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetUsedAddrLowThreshold")) if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLow.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrLow.setDescription('This notification signifies that the number of used addresses for a particular home subnet is cleared, meaning that it has fallen below the value of bDhcpHomeSubnetUsedAddrLowThreshold for that subnet.') bDhcpHomeSubnetUsedAddrHigh = NotificationType((1, 3, 6, 1, 4, 1, 39406, 2, 1, 6, 0, 4)).setObjects(("BENU-DHCP-MIB", "bDhcpHomeSubnetHomeId"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetStartAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetEndAddress"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetTotalAddresses"), ("BENU-DHCP-MIB", "bDhcpHomeSubnetUsedAddrHighThreshold")) if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHigh.setStatus('current') if mibBuilder.loadTexts: bDhcpHomeSubnetUsedAddrHigh.setDescription('This notification signifies that the number of used addresses for a particular home subnet is raised, meaning that it has risen above the value of bDhcpHomeSubnetUsedAddrHighThreshold for that subnet.') mibBuilder.exportSymbols("BENU-DHCP-MIB", PYSNMP_MODULE_ID=bDhcpMIB, bDhcpHomeLeasesNotAssignFreeBuffUnavail=bDhcpHomeLeasesNotAssignFreeBuffUnavail, bDhcpv6UnicastRebindRcvd=bDhcpv6UnicastRebindRcvd, bDhcpSPWiFiLeasesNotAssignServIntNotConfig=bDhcpSPWiFiLeasesNotAssignServIntNotConfig, bDhcpHomeAcksSent=bDhcpHomeAcksSent, bDhcpHomeSubnetUsedAddrHighThreshold=bDhcpHomeSubnetUsedAddrHighThreshold, bDhcpSPWiFiNacksSent=bDhcpSPWiFiNacksSent, bDhcpNotifications=bDhcpNotifications, bDhcpSubnetIndex=bDhcpSubnetIndex, bDhcpHomeIntervalDuration=bDhcpHomeIntervalDuration, bDhcpv6LeasesAssigned=bDhcpv6LeasesAssigned, bDhcpv6DeclineWithoutAddrRcvd=bDhcpv6DeclineWithoutAddrRcvd, bDhcpv6DropDecline=bDhcpv6DropDecline, bDhcpv6RebindWithoutAddrRcvd=bDhcpv6RebindWithoutAddrRcvd, bDhcpHomeSubnetUsedAddrLow=bDhcpHomeSubnetUsedAddrLow, bDhcpSPWiFiDropRelease=bDhcpSPWiFiDropRelease, bDhcpv6ServerIdNotPres=bDhcpv6ServerIdNotPres, bDhcpHomeGlobalTable=bDhcpHomeGlobalTable, bDhcpv6LeasesRelFail=bDhcpv6LeasesRelFail, bDhcpSubnetAddress=bDhcpSubnetAddress, bDhcpHomeSubnetTotalAddresses=bDhcpHomeSubnetTotalAddresses, bDhcpv6UnicastRequestRcvd=bDhcpv6UnicastRequestRcvd, bDhcpv6RenewWithoutAddrOrMoreRcvd=bDhcpv6RenewWithoutAddrOrMoreRcvd, bDhcpInformsAckSent=bDhcpInformsAckSent, bDhcpv6UnicastReleaseRcvd=bDhcpv6UnicastReleaseRcvd, bDhcpSubnetUsedAddrLow=bDhcpSubnetUsedAddrLow, bDhcpv6ReplysSent=bDhcpv6ReplysSent, bDhcpSPWiFiDeclinesRcvd=bDhcpSPWiFiDeclinesRcvd, bDhcpHomeReleasesIndSent=bDhcpHomeReleasesIndSent, bDhcpSPWiFiInformsAckSent=bDhcpSPWiFiInformsAckSent, bDhcpHomeNacksSent=bDhcpHomeNacksSent, bDhcpv6DropSolicit=bDhcpv6DropSolicit, bDhcpHomeSubnetStartAddress=bDhcpHomeSubnetStartAddress, bDhcpv6DropRebind=bDhcpv6DropRebind, bDhcpSubnetStartAddress=bDhcpSubnetStartAddress, bDhcpHomeLeasesReleased=bDhcpHomeLeasesReleased, bDhcpv6LeasesOffered=bDhcpv6LeasesOffered, bDhcpLeasesAssigned=bDhcpLeasesAssigned, bDhcpv6DropRequest=bDhcpv6DropRequest, bDhcpDeclinesRcvd=bDhcpDeclinesRcvd, bDhcpSubnetTotalAddresses=bDhcpSubnetTotalAddresses, bDhcpv6OffersSent=bDhcpv6OffersSent, bDhcpv6ClientIdNotPres=bDhcpv6ClientIdNotPres, bDhcpSubnetUsedAddrHigh=bDhcpSubnetUsedAddrHigh, bDhcpv6ReleasesRcvd=bDhcpv6ReleasesRcvd, bDhcpSubnetTable=bDhcpSubnetTable, bDhcpGlobalEntry=bDhcpGlobalEntry, bDhcpv6ConfirmsRcvd=bDhcpv6ConfirmsRcvd, bDhcpDropRequest=bDhcpDropRequest, bDhcpv6LeasesRenewFail=bDhcpv6LeasesRenewFail, bDhcpNacksSent=bDhcpNacksSent, bDhcpHomeReleasesRcvd=bDhcpHomeReleasesRcvd, bDhcpSPWiFiGlobalTable=bDhcpSPWiFiGlobalTable, bDhcpLeasesRenewed=bDhcpLeasesRenewed, bDhcpv6ReleaseIndRcvd=bDhcpv6ReleaseIndRcvd, bDhcpInformsRcvd=bDhcpInformsRcvd, bDhcpHomeLeasesExpired=bDhcpHomeLeasesExpired, bDhcpSPWiFiDropRequest=bDhcpSPWiFiDropRequest, bDhcpSubnetPeakUsedAddresses=bDhcpSubnetPeakUsedAddresses, bDhcpv6RequestsRcvd=bDhcpv6RequestsRcvd, bDhcpv6DropDupSolicit=bDhcpv6DropDupSolicit, bDhcpv4MIBObjects=bDhcpv4MIBObjects, bDhcpLeasesNotAssignFreeBuffUnavail=bDhcpLeasesNotAssignFreeBuffUnavail, bDhcpv6GlobalStatsInterval=bDhcpv6GlobalStatsInterval, bDhcpHomeDropDiscover=bDhcpHomeDropDiscover, bDhcpHomeDropRelease=bDhcpHomeDropRelease, bDhcpLeasesRenewFail=bDhcpLeasesRenewFail, bDhcpHomeGlobalStatsInterval=bDhcpHomeGlobalStatsInterval, bDhcpv6DropRelay=bDhcpv6DropRelay, bDhcpv6RebindRcvd=bDhcpv6RebindRcvd, bDhcpv6UnicastDeclineRcvd=bDhcpv6UnicastDeclineRcvd, bDhcpSPWiFiLeasesExpired=bDhcpSPWiFiLeasesExpired, bDhcpv6InformsRcvd=bDhcpv6InformsRcvd, bDhcpSPWiFiInformsRcvd=bDhcpSPWiFiInformsRcvd, bDhcpHomeInformsAckSent=bDhcpHomeInformsAckSent, bDhcpAcksSent=bDhcpAcksSent, bDhcpv6GlobalTable=bDhcpv6GlobalTable, bDhcpHomeReleasesIndRcvd=bDhcpHomeReleasesIndRcvd, bDhcpv6DropAdvertise=bDhcpv6DropAdvertise, bDhcpSPWiFiGlobalStatsInterval=bDhcpSPWiFiGlobalStatsInterval, bDhcpSubnetUsedAddrHighThreshold=bDhcpSubnetUsedAddrHighThreshold, bDhcpSPWiFiReleasesRcvd=bDhcpSPWiFiReleasesRcvd, bDhcpSubnetStatsInterval=bDhcpSubnetStatsInterval, bDhcpHomeSubnetUsedAddrHigh=bDhcpHomeSubnetUsedAddrHigh, bDhcpLeasesReleased=bDhcpLeasesReleased, bDhcpLeasesExpired=bDhcpLeasesExpired, bDhcpDropRelease=bDhcpDropRelease, bDhcpSubnetPeakFreeAddresses=bDhcpSubnetPeakFreeAddresses, bDhcpHomeLeasesAssigned=bDhcpHomeLeasesAssigned, bDhcpSubnetUsedAddrLowThreshold=bDhcpSubnetUsedAddrLowThreshold, bDhcpv6DropReconfig=bDhcpv6DropReconfig, bDhcpDropDiscover=bDhcpDropDiscover, bDhcpv6DropRelease=bDhcpv6DropRelease, bDhcpv6UnicastConfirmRcvd=bDhcpv6UnicastConfirmRcvd, bDhcpSPWiFiReleasesIndSent=bDhcpSPWiFiReleasesIndSent, bDhcpReleasesSent=bDhcpReleasesSent, bDhcpv6ServerIdPres=bDhcpv6ServerIdPres, bDhcpGlobalStatsInterval=bDhcpGlobalStatsInterval, bDhcpSubnetRangeIndex=bDhcpSubnetRangeIndex, bDhcpSPWiFiGlobalEntry=bDhcpSPWiFiGlobalEntry, bDhcpv6NotifObjects=bDhcpv6NotifObjects, bDhcpReleasesRcvd=bDhcpReleasesRcvd, bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail=bDhcpSPWiFiLeasesNotAssignFreeBuffUnavail, bDhcpv6LeasesExpired=bDhcpv6LeasesExpired, bBootpRequestsRcvd=bBootpRequestsRcvd, bSPWiFiBootpRequestsRcvd=bSPWiFiBootpRequestsRcvd, bDhcpv6DeclinesRcvd=bDhcpv6DeclinesRcvd, bDhcpv6UnknownMsgsRcvd=bDhcpv6UnknownMsgsRcvd, bDhcpHomeLeasesRenewFail=bDhcpHomeLeasesRenewFail, bDhcpv6ActiveClient=bDhcpv6ActiveClient, bDhcpv6DropRenew=bDhcpv6DropRenew, bDhcpv6InternalError=bDhcpv6InternalError, bDhcpGlobalTable=bDhcpGlobalTable, bDhcpHomeSubnetHomeId=bDhcpHomeSubnetHomeId, bDhcpHomeSubnetUsedAddrLowThreshold=bDhcpHomeSubnetUsedAddrLowThreshold, bDhcpSPWiFiOffersSent=bDhcpSPWiFiOffersSent, bDhcpSubnetPeakHoldAddresses=bDhcpSubnetPeakHoldAddresses, bDhcpv6ORONotPres=bDhcpv6ORONotPres, bDhcpOffersSent=bDhcpOffersSent, bDhcpSPWiFiLeasesRelFail=bDhcpSPWiFiLeasesRelFail, bDhcpSubnetIntervalDuration=bDhcpSubnetIntervalDuration, bDhcpSPWiFiLeasesRenewed=bDhcpSPWiFiLeasesRenewed, bDhcpv6LeasesRenewed=bDhcpv6LeasesRenewed, bDhcpHomeRequestsRcvd=bDhcpHomeRequestsRcvd, bDhcpv6RenewRcvd=bDhcpv6RenewRcvd, bDhcpv6ReconfAcceptInSolicitMissing=bDhcpv6ReconfAcceptInSolicitMissing, bDhcpSPWiFiIntervalDuration=bDhcpSPWiFiIntervalDuration, bDhcpHomeSubnetEndAddress=bDhcpHomeSubnetEndAddress, bDhcpv6ReconfigsSent=bDhcpv6ReconfigsSent, bDhcpHomeInformsRcvd=bDhcpHomeInformsRcvd, bSPWiFiBootpRepliesSent=bSPWiFiBootpRepliesSent, bDhcpv4ActiveSpWiFiClients=bDhcpv4ActiveSpWiFiClients, bDhcpSPWiFiLeasesRenewFail=bDhcpSPWiFiLeasesRenewFail, bDhcpv6DropRelayReply=bDhcpv6DropRelayReply, bDhcpDiscoversRcvd=bDhcpDiscoversRcvd, bDhcpSPWiFiLeasesAssigned=bDhcpSPWiFiLeasesAssigned, bDhcpv4ActiveHomeClients=bDhcpv4ActiveHomeClients, bDhcpv6UnicastSolicitRcvd=bDhcpv6UnicastSolicitRcvd, bDhcpHomeLeasesNotAssignServIntNotConfig=bDhcpHomeLeasesNotAssignServIntNotConfig, bDhcpv6RebindWithoutAddrOrMoreRcvd=bDhcpv6RebindWithoutAddrOrMoreRcvd, bDhcpv6ConfirmWithoutAddrRcvd=bDhcpv6ConfirmWithoutAddrRcvd, bDhcpv6SolicitsRcvd=bDhcpv6SolicitsRcvd, bDhcpHomeDropRequest=bDhcpHomeDropRequest, bBootpRepliesSent=bBootpRepliesSent, bDhcpHomeLeasesRenewed=bDhcpHomeLeasesRenewed, bDhcpv6DropInform=bDhcpv6DropInform, bDhcpv6DropConfirm=bDhcpv6DropConfirm, bDhcpSubnetEndAddress=bDhcpSubnetEndAddress, bDhcpv4NotifObjects=bDhcpv4NotifObjects, bDhcpSPWiFiDiscoversRcvd=bDhcpSPWiFiDiscoversRcvd, bDhcpSPWiFiLeasesReleased=bDhcpSPWiFiLeasesReleased, bDhcpSPWiFiAcksSent=bDhcpSPWiFiAcksSent, bDhcpHomeDiscoversRcvd=bDhcpHomeDiscoversRcvd, bDhcpSPWiFiReleasesSent=bDhcpSPWiFiReleasesSent, bDhcpHomeGlobalEntry=bDhcpHomeGlobalEntry, bDhcpLeasesRelFail=bDhcpLeasesRelFail, bHomeBootpRequestsRcvd=bHomeBootpRequestsRcvd, bDhcpv6AdvertisesSent=bDhcpv6AdvertisesSent, bDhcpHomeOffersSent=bDhcpHomeOffersSent, bDhcpSPWiFiDropDiscover=bDhcpSPWiFiDropDiscover, bDhcpv6DropReply=bDhcpv6DropReply, bDhcpv6RebindFail=bDhcpv6RebindFail, bDhcpReleasesIndSent=bDhcpReleasesIndSent, bDhcpIntervalDuration=bDhcpIntervalDuration, bDhcpv6NoInterface=bDhcpv6NoInterface, bDhcpMIB=bDhcpMIB, bDhcpReleasesIndRcvd=bDhcpReleasesIndRcvd, bDhcpHomeReleasesSent=bDhcpHomeReleasesSent, bDhcpLeasesNotAssignServIntNotConfig=bDhcpLeasesNotAssignServIntNotConfig, bDhcpv6MIBObjects=bDhcpv6MIBObjects, bDhcpv6ClientIdPres=bDhcpv6ClientIdPres, bDhcpv6LeasesExpiryFail=bDhcpv6LeasesExpiryFail, bDhcpv6IntervalDuration=bDhcpv6IntervalDuration, bDhcpHomeLeasesRelFail=bDhcpHomeLeasesRelFail, bDhcpv4ActiveClient=bDhcpv4ActiveClient, bDhcpv6GlobalEntry=bDhcpv6GlobalEntry, bDhcpHomeDeclinesRcvd=bDhcpHomeDeclinesRcvd, bHomeBootpRepliesSent=bHomeBootpRepliesSent, bDhcpSPWiFiRequestsRcvd=bDhcpSPWiFiRequestsRcvd, bDhcpSPWiFiReleasesIndRcvd=bDhcpSPWiFiReleasesIndRcvd, bDhcpv6LeasesReleased=bDhcpv6LeasesReleased, bDhcpRequestsRcvd=bDhcpRequestsRcvd, bDhcpSubnetEntry=bDhcpSubnetEntry, bDhcpv6UnicastRenewRcvd=bDhcpv6UnicastRenewRcvd, bDhcpSubnetMask=bDhcpSubnetMask)
''' The sum of the primes below 10 is 2 + 3 + 5 + 7 = 17. Find the sum of all the primes below two million. ''' def prime_sum(n): if n < 2: return 0 if n == 2: return 2 if n % 2 == 0: n += 1 primes = [True] * n primes[0],primes[1] = [None] * 2 sum = 0 for ind,val in enumerate(primes): if val is True and ind > n ** 0.5 + 1: sum += ind elif val is True: primes[ind*2::ind] = [False] * (((n - 1)//ind) - 1) sum += ind return sum prime_sum(2000000)
engine_repository = [ ['https://github.com/Relintai/godot.git', 'git@github.com:Relintai/godot.git'], 'engine', '' ] module_repositories = [ [ ['https://github.com/Relintai/entity_spell_system.git', 'git@github.com:Relintai/entity_spell_system.git'], 'entity_spell_system', '' ], [ ['https://github.com/Relintai/ui_extensions.git', 'git@github.com:Relintai/ui_extensions.git'], 'ui_extensions', '' ], [ ['https://github.com/Relintai/texture_packer.git', 'git@github.com:Relintai/texture_packer.git'], 'texture_packer', '' ], [ ['https://github.com/Relintai/godot_fastnoise.git', 'git@github.com:Relintai/godot_fastnoise.git'], 'fastnoise', '' ], [ ['https://github.com/Relintai/thread_pool.git', 'git@github.com:Relintai/thread_pool.git'], 'thread_pool', '' ], [ ['https://github.com/Relintai/mesh_data_resource.git', 'git@github.com:Relintai/mesh_data_resource.git'], 'mesh_data_resource', '' ], [ ['https://github.com/Relintai/mesh_utils.git', 'git@github.com:Relintai/mesh_utils.git'], 'mesh_utils', '' ], [ ['https://github.com/Relintai/broken_seals_module.git', 'git@github.com:Relintai/broken_seals_module.git'], 'broken_seals_module', '' ], [ ['https://github.com/Relintai/rtile_map.git', 'git@github.com:Relintai/rtile_map.git'], 'rtile_map', '' ], ] removed_modules = [ [ ['https://github.com/Relintai/world_generator.git', 'git@github.com:Relintai/world_generator.git'], 'world_generator', '' ], [ ['https://github.com/Relintai/terraman_2d.git', 'git@github.com:Relintai/terraman_2d.git'], 'terraman_2d', '' ], [ ['https://github.com/Relintai/props.git', 'git@github.com:Relintai/props.git'], 'props', '' ], ] addon_repositories = [ ] third_party_addon_repositories = [ ] godot_branch = '3.x' slim_args = 'module_webm_enabled=no module_arkit_enabled=no module_visual_script_enabled=no module_gdnative_enabled=no module_mobile_vr_enabled=no module_theora_enabled=no module_xatlas_unwrap_enabled=no no_editor_splash=yes module_bullet_enabled=no module_camera_enabled=no module_csg_enabled=no module_denoise_enabled=no module_fbx_enabled=no module_gridmap_enabled=no module_hdr_enabled=no module_lightmapper_cpu_enabled=no module_raycast_enabled=no module_recast_enabled=no module_vhacd_enabled=no module_webxr_enabled=no'
# Approach 2 - Optimized # Time: O(n) class Solution: def canPlaceFlowers(self, flowerbed: List[int], n: int) -> bool: l = len(flowerbed) flowerbed = [0] + flowerbed + [0] for i in range(1, l+1): if flowerbed[i] == flowerbed[i-1] == flowerbed[i+1] == 0: flowerbed[i] = 1 n -= 1 if n <= 0: return True return False
""" Given a binary tree, return all root-to-leaf paths. Example 1: Input:{1,2,3,#,5} Output:["1->2->5","1->3"] Explanation: 1 / \ 2 3 \ 5 Solution: DFS + Backtracking """ """ Definition of TreeNode: class TreeNode: def __init__(self, val): self.val = val self.left, self.right = None, None """ class Solution: """ @param root: the root of the binary tree @return: all root-to-leaf paths """ def binaryTreePaths(self, root): # write your code here res, path = [], [] self.dfs(root, path, res) return res def dfs(self, root, path, res): if root == None: return path.append(root.val) if root.left == None and root.right == None: path = [str(i) for i in path] res.append('->'.join(path)) if root.left: self.dfs(root.left, path, res) path.pop() # backtracking if root.right: self.dfs(root.right, path, res) path.pop() # backtracking
#ENTRADA DE VALORES lista = list(map(float, input().split())) #ORGANIZANDO A LISTA PARA QUE O PRIMEIRO ELEMENTO SEJA O MAIOR VALOR lista.sort(reverse=True) a, b, c = lista[0], lista[1], lista[2] if a >= b+c: print("NAO FORMA TRIANGULO") elif a**2 == b**2 + c**2: print("TRIANGULO RETANGULO") elif a**2 > b**2 + c**2: print("TRIANGULO OBTUSANGULO") elif a**2 < b**2 + c**2: print("TRIANGULO ACUTANGULO") if a == b == c: print("TRIANGULO EQUILATERO") elif a==b or b==c or a==c: print("TRIANGULO ISOSCELES")
class Game: def __init__(self, id, match_up): self.id = id self.match_up = match_up def __unicode__(self): return '{0} - {1}'.format(self.get_additional_unicode(), self.get_base_unicode()) def get_base_unicode(self): return 'id: {id} | match up: {match_up}'.format(self.id, self.match_up) def get_additional_unicode(self): raise NotImplementedError('Implement in concrete classes') class SeasonGame(Game): def __init__(self, id, match_up, season): self.season = season Game.__init__(self, id, match_up) def get_base_unicode(self): return 'season: {season} | {base_unicode}'.format(season=self.season, base_unicode=Game.get_base_unicode(self)) def get_additional_unicode(self): raise NotImplementedError('Implement in concrete classes') class LoggedGame(SeasonGame): def __init__(self, id, match_up, season, start_date, season_type, home_team_outcome): self.start_date = start_date self.season_type = season_type self.home_team_outcome = home_team_outcome SeasonGame.__init__(self, id=id, match_up=match_up, season=season) def get_additional_unicode(self): return 'start_date: {start_date} | season type: {season_type} | home team outcome: {home_team_outcome}'\ .format(date=self.start_date, season_type=self.season_type, home_team_outcome=self.home_team_outcome) class ScoreboardGame(SeasonGame): def __init__(self, id, season, start_time, match_up): self.start_time = start_time SeasonGame.__init__(self, id=id, match_up=match_up, season=season) def get_additional_unicode(self): return 'start time: {start_time}'.format(start_time=self.start_time)
# # PySNMP MIB module OMNI-gx2EDFA-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/OMNI-gx2EDFA-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:33:17 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, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint") gx2EDFA, = mibBuilder.importSymbols("GX2HFC-MIB", "gx2EDFA") gi, motproxies = mibBuilder.importSymbols("NLS-BBNIDENT-MIB", "gi", "motproxies") trapNetworkElemModelNumber, trapPerceivedSeverity, trapNetworkElemAlarmStatus, trapNETrapLastTrapTimeStamp, trapChangedValueInteger, trapNetworkElemAvailStatus, trapNetworkElemOperState, trapChangedValueDisplayString, trapChangedObjectId, trapText, trapNetworkElemAdminState, trapIdentifier, trapNetworkElemSerialNum = mibBuilder.importSymbols("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber", "trapPerceivedSeverity", "trapNetworkElemAlarmStatus", "trapNETrapLastTrapTimeStamp", "trapChangedValueInteger", "trapNetworkElemAvailStatus", "trapNetworkElemOperState", "trapChangedValueDisplayString", "trapChangedObjectId", "trapText", "trapNetworkElemAdminState", "trapIdentifier", "trapNetworkElemSerialNum") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") sysUpTime, = mibBuilder.importSymbols("SNMPv2-MIB", "sysUpTime") MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Integer32, Counter64, MibIdentifier, IpAddress, Bits, Counter32, ModuleIdentity, Unsigned32, TimeTicks, Gauge32, NotificationType, iso, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Integer32", "Counter64", "MibIdentifier", "IpAddress", "Bits", "Counter32", "ModuleIdentity", "Unsigned32", "TimeTicks", "Gauge32", "NotificationType", "iso", "NotificationType") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") class Float(Counter32): pass gx2EDFADescriptor = MibIdentifier((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 1)) gx2EDFAAnalogTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2), ) if mibBuilder.loadTexts: gx2EDFAAnalogTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAAnalogTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAAnalogEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFAAnalogTableIndex")) if mibBuilder.loadTexts: gx2EDFAAnalogEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAAnalogEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFADigitalTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3), ) if mibBuilder.loadTexts: gx2EDFADigitalTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFADigitalTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFADigitalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFADigitalTableIndex")) if mibBuilder.loadTexts: gx2EDFADigitalEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFADigitalEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFAStatusTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4), ) if mibBuilder.loadTexts: gx2EDFAStatusTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAStatusTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFAStatusTableIndex")) if mibBuilder.loadTexts: gx2EDFAStatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAStatusEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFAFactoryTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5), ) if mibBuilder.loadTexts: gx2EDFAFactoryTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAFactoryTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAFactoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "edfagx2EDFAFactoryTableIndex")) if mibBuilder.loadTexts: gx2EDFAFactoryEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAFactoryEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') gx2EDFAHoldTimeTable = MibTable((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6), ) if mibBuilder.loadTexts: gx2EDFAHoldTimeTable.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeTable.setDescription('This table contains gx2EDFA specific parameters with nominal and current values.') gx2EDFAHoldTimeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5), ).setIndexNames((0, "OMNI-gx2EDFA-MIB", "gx2EDFAHoldTimeTableIndex"), (0, "OMNI-gx2EDFA-MIB", "gx2EDFAHoldTimeSpecIndex")) if mibBuilder.loadTexts: gx2EDFAHoldTimeEntry.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeEntry.setDescription('This list contains digital product class and the associated RF channel parameters and descriptions.') edfagx2EDFAAnalogTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFAAnalogTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAAnalogTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabelModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelModTemp.setStatus('optional') if mibBuilder.loadTexts: edfalabelModTemp.setDescription('The value of this object provides the label of the Module Temperature Analog parameter.') edfauomModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomModTemp.setStatus('optional') if mibBuilder.loadTexts: edfauomModTemp.setDescription('The value of this object provides the Unit of Measure of the Module Temperature Analog parameter.') edfamajorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 4), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighModTemp.setDescription('The value of this object provides the Major High alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 5), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowModTemp.setDescription('The value of this object provides the Major Low alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 6), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighModTemp.setDescription('The value of this object provides the Minor High alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 7), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowModTemp.setDescription('The value of this object provides the Minor Low alarm value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 8), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueModTemp.setDescription('The value of this object provides the Current value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModTemp.setDescription('The value of this object provides the state of the Module Temperature Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 10), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueModTemp.setDescription('The value of this object provides the minimum value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 11), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueModTemp.setDescription('The value of this object provides the maximum value of the Module Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateModTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateModTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateModTemp.setDescription('The value of this object provides the curent alarm state of the Module Temperature Analog parameter.') edfalabelOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptInPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptInPower.setDescription('The value of this object provides the label of the Optical Input Power Analog parameter.') edfauomOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOptInPower.setStatus('optional') if mibBuilder.loadTexts: edfauomOptInPower.setDescription('The value of this object provides the Unit of Measure of the Optical Input Power Analog parameter.') edfamajorHighOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 15), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptInPower.setDescription('The value of this object provides the Major High alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 16), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptInPower.setDescription('The value of this object provides the Major Low alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 17), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptInPower.setDescription('The value of this object provides the Minor High alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 18), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptInPower.setDescription('The value of this object provides the Minor Low alarm value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 19), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptInPower.setDescription('The value of this object provides the Current value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptInPower.setDescription('The value of this object provides the state of the Optical Input Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 21), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptInPower.setDescription('The value of this object provides the minimum value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 22), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptInPower.setDescription('The value of this object provides the maximum value of the Optical Input Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOptInPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOptInPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptInPower.setDescription('The value of this object provides the curent alarm state of the Optical Input Power Analog parameter.') edfalabelOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 24), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptOutPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptOutPower.setDescription('The value of this object provides the label of the Optical Output Power Analog parameter.') edfauomOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 25), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOptOutPower.setStatus('optional') if mibBuilder.loadTexts: edfauomOptOutPower.setDescription('The value of this object provides the Unit of Measure of the Optical Output Power Analog parameter.') edfamajorHighOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 26), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptOutPower.setDescription('The value of this object provides the Major High alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 27), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptOutPower.setDescription('The value of this object provides the Major Low alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 28), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptOutPower.setDescription('The value of this object provides the Minor High alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 29), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptOutPower.setDescription('The value of this object provides the Minor Low alarm value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 30), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptOutPower.setDescription('The value of this object provides the Current value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptOutPower.setDescription('The value of this object provides the state of the Optical Output Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 32), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptOutPower.setDescription('The value of this object provides the minimum value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 33), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptOutPower.setDescription('The value of this object provides the maximum value of the Optical Output Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOptOutPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOptOutPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptOutPower.setDescription('The value of this object provides the curent alarm state of the Optical Output Power Analog parameter.') edfalabelTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECTemp.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECTemp.setDescription('The value of this object provides the label of the TEC Temperature Analog parameter.') edfauomTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 36), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomTECTemp.setStatus('optional') if mibBuilder.loadTexts: edfauomTECTemp.setDescription('The value of this object provides the Unit of Measure of the TEC Temperature Analog parameter.') edfamajorHighTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 37), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighTECTemp.setDescription('The value of this object provides the Major High alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 38), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowTECTemp.setDescription('The value of this object provides the Major Low alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 39), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighTECTemp.setDescription('The value of this object provides the Minor High alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 40), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowTECTemp.setDescription('The value of this object provides the Minor Low alarm value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 41), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueTECTemp.setDescription('The value of this object provides the Current value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagTECTemp.setDescription('The value of this object provides the state of the TEC Temperature Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 43), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueTECTemp.setDescription('The value of this object provides the minimum value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 44), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueTECTemp.setDescription('The value of this object provides the maximum value of the TEC Temperature Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateTECTemp = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateTECTemp.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateTECTemp.setDescription('The value of this object provides the curent alarm state of the TEC Temperature Analog parameter.') edfalabelTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 46), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECCurrent.setDescription('The value of this object provides the label of the TEC Current Analog parameter.') edfauomTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 47), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomTECCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomTECCurrent.setDescription('The value of this object provides the Unit of Measure of the TEC Current Analog parameter.') edfamajorHighTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 48), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighTECCurrent.setDescription('The value of this object provides the Major High alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 49), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowTECCurrent.setDescription('The value of this object provides the Major Low alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 50), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighTECCurrent.setDescription('The value of this object provides the Minor High alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 51), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowTECCurrent.setDescription('The value of this object provides the Minor Low alarm value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 52), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueTECCurrent.setDescription('The value of this object provides the Current value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 53), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagTECCurrent.setDescription('The value of this object provides the state of the TEC Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 54), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueTECCurrent.setDescription('The value of this object provides the minimum value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 55), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueTECCurrent.setDescription('The value of this object provides the maximum value of the TEC Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateTECCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateTECCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateTECCurrent.setDescription('The value of this object provides the curent alarm state of the TEC Current Analog parameter.') edfalabelLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 57), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserCurrent.setDescription('The value of this object provides the label of the Laser Current Analog parameter.') edfauomLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 58), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomLaserCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomLaserCurrent.setDescription('The value of this object provides the Unit of Measure of the Laser Current Analog parameter.') edfamajorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 59), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLaserCurrent.setDescription('The value of this object provides the Major High alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 60), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLaserCurrent.setDescription('The value of this object provides the Major Low alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 61), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLaserCurrent.setDescription('The value of this object provides the Minor High alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 62), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLaserCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 63), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLaserCurrent.setDescription('The value of this object provides the Current value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 64), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLaserCurrent.setDescription('The value of this object provides the state of the Laser Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 65), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLaserCurrent.setDescription('The value of this object provides the minimum value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 66), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLaserCurrent.setDescription('The value of this object provides the maximum value of the Laser Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateLaserCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateLaserCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLaserCurrent.setDescription('The value of this object provides the curent alarm state of the Laser Current Analog parameter.') edfalabelLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 68), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserPower.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserPower.setDescription('The value of this object provides the label of the Laser Power Analog parameter.') edfauomLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 69), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomLaserPower.setStatus('optional') if mibBuilder.loadTexts: edfauomLaserPower.setDescription('The value of this object provides the Unit of Measure of the Laser Power Analog parameter.') edfamajorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 70), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLaserPower.setDescription('The value of this object provides the Major High alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 71), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLaserPower.setDescription('The value of this object provides the Major Low alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 72), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLaserPower.setDescription('The value of this object provides the Minor High alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 73), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLaserPower.setDescription('The value of this object provides the Minor Low alarm value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 74), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLaserPower.setDescription('The value of this object provides the Current value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 75), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLaserPower.setDescription('The value of this object provides the state of the Laser Power Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 76), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLaserPower.setDescription('The value of this object provides the minimum value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 77), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLaserPower.setDescription('The value of this object provides the maximum value of the Laser Power Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateLaserPower = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 78), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateLaserPower.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLaserPower.setDescription('The value of this object provides the curent alarm state of the Laser Power Analog parameter.') edfalabel12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 79), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabel12Volt.setStatus('optional') if mibBuilder.loadTexts: edfalabel12Volt.setDescription('The value of this object provides the label of the 12v Current Analog parameter.') edfauom12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 80), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauom12Volt.setStatus('optional') if mibBuilder.loadTexts: edfauom12Volt.setDescription('The value of this object provides the Unit of Measure of the 12v Current Analog parameter.') edfamajorHigh12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 81), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHigh12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHigh12Volt.setDescription('The value of this object provides the Major High alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLow12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 82), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLow12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLow12Volt.setDescription('The value of this object provides the Major Low alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHigh12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 83), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHigh12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHigh12Volt.setDescription('The value of this object provides the Minor High alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLow12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 84), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLow12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLow12Volt.setDescription('The value of this object provides the Minor Low alarm value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValue12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 85), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValue12Volt.setDescription('The value of this object provides the Current value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlag12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 86), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlag12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlag12Volt.setDescription('The value of this object provides the state of the 12v Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValue12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 87), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValue12Volt.setDescription('The value of this object provides the minimum value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValue12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 88), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValue12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValue12Volt.setDescription('The value of this object provides the maximum value of the 12 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmState12Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 89), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmState12Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmState12Volt.setDescription('The value of this object provides the curent alarm state of the 12v Current Analog parameter.') edfalabel37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 90), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabel37Volt.setStatus('optional') if mibBuilder.loadTexts: edfalabel37Volt.setDescription('The value of this object provides the label of the 3.7v Current Analog parameter.') edfauom37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 91), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauom37Volt.setStatus('optional') if mibBuilder.loadTexts: edfauom37Volt.setDescription('The value of this object provides the Unit of Measure of the 3.7v Current Analog parameter.') edfamajorHigh37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 92), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHigh37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHigh37Volt.setDescription('The value of this object provides the Major High alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLow37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 93), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLow37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLow37Volt.setDescription('The value of this object provides the Major Low alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHigh37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 94), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHigh37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHigh37Volt.setDescription('The value of this object provides the Minor High alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLow37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 95), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLow37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLow37Volt.setDescription('The value of this object provides the Minor Low alarm value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValue37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 96), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValue37Volt.setDescription('The value of this object provides the Current value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlag37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 97), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlag37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlag37Volt.setDescription('The value of this object provides the state of the 3.7v Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValue37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 98), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValue37Volt.setDescription('The value of this object provides the minimum value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValue37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 99), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValue37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValue37Volt.setDescription('The value of this object provides the maximum value of the 3.7 Volt Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmState37Volt = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 100), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmState37Volt.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmState37Volt.setDescription('The value of this object provides the curent alarm state of the 3.7v Current Analog parameter.') edfalabelFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 101), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFanCurrent.setStatus('optional') if mibBuilder.loadTexts: edfalabelFanCurrent.setDescription('The value of this object provides the label of the Fan Current Analog parameter.') edfauomFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomFanCurrent.setStatus('optional') if mibBuilder.loadTexts: edfauomFanCurrent.setDescription('The value of this object provides the Unit of Measure of the Fan Current Analog parameter.') edfamajorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 103), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighFanCurrent.setDescription('The value of this object provides the Major High alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 104), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowFanCurrent.setDescription('The value of this object provides the Major Low alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 105), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighFanCurrent.setDescription('The value of this object provides the Minor High alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 106), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowFanCurrent.setDescription('The value of this object provides the Minor Low alarm value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 107), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacurrentValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueFanCurrent.setDescription('The value of this object provides the Current value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 108), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagFanCurrent.setDescription('The value of this object provides the state of the Fan Current Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 109), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueFanCurrent.setDescription('The value of this object provides the minimum value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 110), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueFanCurrent.setDescription('The value of this object provides the maximum value of the Fan Current Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateFanCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 111), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateFanCurrent.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateFanCurrent.setDescription('The value of this object provides the curent alarm state of the Fan Current Analog parameter.') edfalabelOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 112), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOPSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelOPSetting.setDescription('The value of this object provides the label of the Output Power Setting Analog parameter.') edfauomOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 113), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOPSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomOPSetting.setDescription('The value of this object provides the Unit of Measure of the 12v Current Analog parameter.') edfamajorHighOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 114), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOPSetting.setDescription('The value of this object provides the Major High alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 115), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOPSetting.setDescription('The value of this object provides the Major Low alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 116), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOPSetting.setDescription('The value of this object provides the Minor High alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 117), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOPSetting.setDescription('The value of this object provides the Minor Low alarm value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 118), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOPSetting.setDescription('The value of this object provides the Current value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 119), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOPSetting.setDescription('The value of this object provides the state of the Output Power Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 120), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOPSetting.setDescription('The value of this object provides the minimum value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 121), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOPSetting.setDescription('The value of this object provides the maximum value of the Output Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 122), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOPSetting.setDescription('The value of this object provides the curent alarm state of the Output Power Setting Analog parameter.') edfalabelLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 123), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLPSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelLPSetting.setDescription('The value of this object provides the label of the Laser Power Setting Analog parameter.') edfauomLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 124), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomLPSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomLPSetting.setDescription('The value of this object provides the Unit of Measure of the Laser Power Setting Analog parameter.') edfamajorHighLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 125), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighLPSetting.setDescription('The value of this object provides the Major High alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 126), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowLPSetting.setDescription('The value of this object provides the Major Low alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 127), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighLPSetting.setDescription('The value of this object provides the Minor High alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 128), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowLPSetting.setDescription('The value of this object provides the Minor Low alarm value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 129), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueLPSetting.setDescription('The value of this object provides the Current value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 130), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagLPSetting.setDescription('The value of this object provides the state of the Laser Power Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 131), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueLPSetting.setDescription('The value of this object provides the minimum value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 132), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueLPSetting.setDescription('The value of this object provides the maximum value of the Laser Power Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateLPSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 133), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateLPSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateLPSetting.setDescription('The value of this object provides the curent alarm state of the Laser Power Setting Analog parameter.') edfalabelCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 134), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelCGSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelCGSetting.setDescription('The value of this object provides the label of the Constant Gain Setting Analog parameter.') edfauomCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 135), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomCGSetting.setStatus('optional') if mibBuilder.loadTexts: edfauomCGSetting.setDescription('The value of this object provides the Unit of Measure of the Constant Gain Setting Analog parameter.') edfamajorHighCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 136), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighCGSetting.setDescription('The value of this object provides the Major High alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 137), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowCGSetting.setDescription('The value of this object provides the Major Low alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 138), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighCGSetting.setDescription('The value of this object provides the Minor High alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 139), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowCGSetting.setDescription('The value of this object provides the Minor Low alarm value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 140), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueCGSetting.setDescription('The value of this object provides the Current value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 141), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagCGSetting.setDescription('The value of this object provides the state of the Constant Gain Setting Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 142), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueCGSetting.setDescription('The value of this object provides the minimum value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 143), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueCGSetting.setDescription('The value of this object provides the maximum value of the Constant Gain Setting Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateCGSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 144), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateCGSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateCGSetting.setDescription('The value of this object provides the curent alarm state of the Constant Gain Setting Analog parameter.') edfalabelOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 145), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptThreshold.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptThreshold.setDescription('The value of this object provides the label of the Optical Input Threshold Analog parameter.') edfauomOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 146), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfauomOptThreshold.setStatus('optional') if mibBuilder.loadTexts: edfauomOptThreshold.setDescription('The value of this object provides the Unit of Measure of the Optical Input Threshold Analog parameter.') edfamajorHighOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 147), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorHighOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorHighOptThreshold.setDescription('The value of this object provides the Major High alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamajorLowOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 148), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamajorLowOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamajorLowOptThreshold.setDescription('The value of this object provides the Major Low alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorHighOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 149), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorHighOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorHighOptThreshold.setDescription('The value of this object provides the Minor High alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaminorLowOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 150), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminorLowOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminorLowOptThreshold.setDescription('The value of this object provides the Minor Low alarm value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfacurrentValueOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 151), Float()).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfacurrentValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfacurrentValueOptThreshold.setDescription('The value of this object provides the Current value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfastateFlagOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 152), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagOptThreshold.setDescription('The value of this object provides the state of the Optical Input Threshold Analog parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfaminValueOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 153), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaminValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaminValueOptThreshold.setDescription('The value of this object provides the minimum value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfamaxValueOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 154), Float()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfamaxValueOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfamaxValueOptThreshold.setDescription('The value of this object provides the maximum value of the Optical Input Threshold Analog parameter. This value is a floating point number that is represented as an IEEE 32 bit number.') edfaalarmStateOptThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 2, 1, 155), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("noAlarm", 1), ("majorLowAlarm", 2), ("minorLowAlarm", 3), ("minorHighAlarm", 4), ("majorHighAlarm", 5), ("informational", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaalarmStateOptThreshold.setStatus('mandatory') if mibBuilder.loadTexts: edfaalarmStateOptThreshold.setDescription('The value of this object provides the curent alarm state of the Optical Input Threshold Analog parameter.') edfagx2EDFADigitalTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFADigitalTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFADigitalTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabelModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelModeSetting.setStatus('optional') if mibBuilder.loadTexts: edfalabelModeSetting.setDescription("The value of this object provides the label of the EDFA's Mode Digital parameter.") edfaenumModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaenumModeSetting.setStatus('optional') if mibBuilder.loadTexts: edfaenumModeSetting.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 0.') edfavalueModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("power-out-preset", 1), ("power-out-set", 2), ("laser-power-preset", 3), ("laser-power-set", 4), ("constant-gain-preset", 5), ("constant-gain-set", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfavalueModeSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueModeSetting.setDescription('The value of this object is the current value of the parameter. It is an integer value from 0 to 5 representing the operation mode of the module.') edfastateFlagModeSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagModeSetting.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModeSetting.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelModuleState.setStatus('optional') if mibBuilder.loadTexts: edfalabelModuleState.setDescription('The value of this object provides the label of the Module State Digital parameter.') edfaenumModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaenumModuleState.setStatus('optional') if mibBuilder.loadTexts: edfaenumModuleState.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.') edfavalueModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfavalueModuleState.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueModuleState.setDescription('The value of this object is the current value of the parameter.') edfastateFlagModuleState = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagModuleState.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagModuleState.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: edfalabelFactoryDefault.setDescription('The value of this object provides the label of the Factory Default Reset Digital parameter.') edfaenumFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaenumFactoryDefault.setStatus('optional') if mibBuilder.loadTexts: edfaenumFactoryDefault.setDescription('The value of this object represents the Enumeration values possible for the Digital parameter. Each Enumerated values is separated by a common. The first value has a enumerated value of 1.') edfavalueFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("off", 1), ("on", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: edfavalueFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFactoryDefault.setDescription('The value of this object is the current value of the parameter.') edfastateFlagFactoryDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 3, 2, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateFlagFactoryDefault.setStatus('mandatory') if mibBuilder.loadTexts: edfastateFlagFactoryDefault.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfagx2EDFAStatusTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFAStatusTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAStatusTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfalabelBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelBoot.setStatus('optional') if mibBuilder.loadTexts: edfalabelBoot.setDescription('The value of this object provides the label of the Boot Status Status parameter.') edfavalueBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueBoot.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueBoot.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagBoot.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagBoot.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFlash.setStatus('optional') if mibBuilder.loadTexts: edfalabelFlash.setDescription('The value of this object provides the label of the Flash Status Status parameter.') edfavalueFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueFlash.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFlash.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagFlash = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagFlash.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagFlash.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelFactoryDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelFactoryDataCRC.setDescription('The value of this object provides the label of the Factory Data CRC Status parameter.') edfavalueFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueFactoryDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagFactoryDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagFactoryDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagFactoryDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelAlarmDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelAlarmDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelAlarmDataCRC.setDescription('The value of this object provides the label of the Alarm Data CRC Status parameter.') edfavalueAlarmDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueAlarmDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueAlarmDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagAlarmDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagAlarmDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagAlarmDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelCalibrationDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelCalibrationDataCRC.setStatus('optional') if mibBuilder.loadTexts: edfalabelCalibrationDataCRC.setDescription('The value of this object provides the label of the Calibration Data CRC Status parameter.') edfavalueCalibrationDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueCalibrationDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueCalibrationDataCRC.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagCalibrationDataCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagCalibrationDataCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagCalibrationDataCRC.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelOptInShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelOptInShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelOptInShutdown.setDescription('The value of this object provides the label of the Optical Input Power Shutdown Status parameter.') edfavalueOptInShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueOptInShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueOptInShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagOptInShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagOptInShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagOptInShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelTECTempShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECTempShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECTempShutdown.setDescription('The value of this object provides the label of the TEC Temperature Shutdown Status parameter.') edfavalueTECTempShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueTECTempShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueTECTempShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagTECTempShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagTECTempShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagTECTempShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelTECShutOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 23), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelTECShutOverride.setStatus('optional') if mibBuilder.loadTexts: edfalabelTECShutOverride.setDescription('The value of this object provides the label of the TEC Shutdown Override Status parameter.') edfavalueTECShutOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueTECShutOverride.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueTECShutOverride.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagTECShutOverride = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagTECShutOverride.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagTECShutOverride.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelPowerFail = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelPowerFail.setStatus('optional') if mibBuilder.loadTexts: edfalabelPowerFail.setDescription('The value of this object provides the label of the Power Supply Fail Status parameter.') edfavaluePowerFail = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavaluePowerFail.setStatus('mandatory') if mibBuilder.loadTexts: edfavaluePowerFail.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagPowerFail = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagPowerFail.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagPowerFail.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelKeySwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 29), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelKeySwitch.setStatus('optional') if mibBuilder.loadTexts: edfalabelKeySwitch.setDescription('The value of this object provides the label of the Key Switch Setting Status parameter.') edfavalueKeySwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueKeySwitch.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueKeySwitch.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagKeySwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagKeySwitch.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagKeySwitch.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelLaserCurrShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 32), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserCurrShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserCurrShutdown.setDescription('The value of this object provides the label of the Laser Current Shutdown Status parameter.') edfavalueLaserCurrShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueLaserCurrShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueLaserCurrShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagLaserCurrShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagLaserCurrShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagLaserCurrShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelLaserPowShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelLaserPowShutdown.setStatus('optional') if mibBuilder.loadTexts: edfalabelLaserPowShutdown.setDescription('The value of this object provides the label of the Laser Power Shutdown Status parameter.') edfavalueLaserPowShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueLaserPowShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueLaserPowShutdown.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagLaserPowShutdown = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagLaserPowShutdown.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagLaserPowShutdown.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelADCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 38), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelADCStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelADCStatus.setDescription('The value of this object provides the label of the ADC Operation Status parameter.') edfavalueADCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueADCStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueADCStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagADCStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagADCStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagADCStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelConstGainStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 41), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelConstGainStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelConstGainStatus.setDescription('The value of this object provides the label of the Constant Gain Status parameter.') edfavalueConstGainStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueConstGainStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueConstGainStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagConstGainStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagConstGainStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagConstGainStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfalabelStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 44), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfalabelStandbyStatus.setStatus('optional') if mibBuilder.loadTexts: edfalabelStandbyStatus.setDescription('The value of this object provides the label of the Standby Status parameter.') edfavalueStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ok", 1), ("undetermined", 2), ("warning", 3), ("minor", 4), ("major", 5), ("critical", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfavalueStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfavalueStandbyStatus.setDescription('The value of this object provides the current state of the parameter (0-Ok, 1-Undetermined 2-Warning, 3-Minor, 4-Major, 5-Critical).') edfastateflagStandbyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 4, 3, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("hidden", 1), ("read-only", 2), ("updateable", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfastateflagStandbyStatus.setStatus('mandatory') if mibBuilder.loadTexts: edfastateflagStandbyStatus.setDescription('The value of this object provides the state of the the parameter. (0-Hidden 1-Read-Only, 2-Updateable).') edfagx2EDFAFactoryTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfagx2EDFAFactoryTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: edfagx2EDFAFactoryTableIndex.setDescription('The value of this object identifies the network element. This index is equal to the hfcCommonTableIndex for the same element.') edfabootControlByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabootControlByte.setStatus('mandatory') if mibBuilder.loadTexts: edfabootControlByte.setDescription('The value of this object indicates which bank the firmware is currently being boot from.') edfabootStatusByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabootStatusByte.setStatus('mandatory') if mibBuilder.loadTexts: edfabootStatusByte.setDescription('This object indicates the status of the last boot') edfabank0CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabank0CRC.setStatus('mandatory') if mibBuilder.loadTexts: edfabank0CRC.setDescription('This object provides the CRC code of bank 0.') edfabank1CRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfabank1CRC.setStatus('mandatory') if mibBuilder.loadTexts: edfabank1CRC.setDescription('This object provides the CRC code of bank 1.') edfaprgEEPROMByte = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaprgEEPROMByte.setStatus('mandatory') if mibBuilder.loadTexts: edfaprgEEPROMByte.setDescription('This object indicates if the EEPROM has been programmed') edfafactoryCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfafactoryCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfafactoryCRC.setDescription('This object provides the CRC code for the Factory data.') edfacalculateCRC = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("factory", 1), ("calibration", 2), ("alarmdata", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfacalculateCRC.setStatus('mandatory') if mibBuilder.loadTexts: edfacalculateCRC.setDescription('This object indicates which of the Emnums will have the CRC calculated.') edfahourMeter = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfahourMeter.setStatus('mandatory') if mibBuilder.loadTexts: edfahourMeter.setDescription('This object provides the hour meter reading of the module.') edfaflashPrgCntA = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaflashPrgCntA.setStatus('mandatory') if mibBuilder.loadTexts: edfaflashPrgCntA.setDescription('This object provides the number of times the flash has been programmed on side A.') edfaflashPrgCntB = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: edfaflashPrgCntB.setStatus('mandatory') if mibBuilder.loadTexts: edfaflashPrgCntB.setDescription('This object provides the number of times the flash has been programmed on side B.') edfafwRev0 = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfafwRev0.setStatus('mandatory') if mibBuilder.loadTexts: edfafwRev0.setDescription('This object provides the Revision of the firmware stores in bank 0.') edfafwRev1 = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 5, 4, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readonly") if mibBuilder.loadTexts: edfafwRev1.setStatus('mandatory') if mibBuilder.loadTexts: edfafwRev1.setDescription('This object provides the Revision of the firmware stores in bank 1.') gx2EDFAHoldTimeTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2EDFAHoldTimeTableIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeTableIndex.setDescription('The value of this object is the index of the data object.') gx2EDFAHoldTimeSpecIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: gx2EDFAHoldTimeSpecIndex.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeSpecIndex.setDescription('The value of this object identifies the index of the alarm object to be modified.') gx2EDFAHoldTimeData = MibTableColumn((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11, 6, 5, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: gx2EDFAHoldTimeData.setStatus('mandatory') if mibBuilder.loadTexts: gx2EDFAHoldTimeData.setDescription('The value of this object provides access to the hold timers used to suppress nose on analog objects. This object is a 32 bit object. Validation data is entered into bytes zero and one of the object. Bytes three and four are used to entering the hold time for the specified alarm object. The Hold timer data ranges from 0 to 1300 seconds. The index of this object corresponds to the alarm object to be modified. Alarm Hold timers correspond to the index of this object as follows: Index 1 = xxx, index 2 = xxxx, Index 3 = xxxx, The hold time is represented in seconds.') trapEDFAConfigChangeInteger = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,1)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAConfigChangeInteger.setDescription("This trap is issued if configuration of a single variable with integer type was changed (via ANY interface). TrapChangedValueInteger variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'") trapEDFAConfigChangeDisplayString = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,2)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueDisplayString"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAConfigChangeDisplayString.setDescription("This trap is issued if configuration of a single variable with DispalayString type was changed (via ANY interface). TrapChangedValueDisplayString variable may contain current reading of that variable. trapPerceivedSeverity - 'indeterminate'") trapEDFAModuleTemperatureAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,3)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAModuleTemperatureAlarm.setDescription("This trap is issued when the EDFA Module's Temperature goes out of range.") trapEDFAOpticalInPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,4)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOpticalInPowerAlarm.setDescription('This trap is issued when the input Optical Input Power parameter goes out of range.') trapEDFAOpticalOutPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,5)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOpticalOutPowerAlarm.setDescription('This trap is issued when the input Optical Output Power parameter goes out of range.') trapEDFATECTemperatureAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,6)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFATECTemperatureAlarm.setDescription('This trap is issued when the EDFA TEC Temperature goes out of range.') trapEDFATECCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,7)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFATECCurrentAlarm.setDescription('This trap is issued when the EDFA TEC Current goes out of range.') trapEDFALaserCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,8)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALaserCurrentAlarm.setDescription('This trap is issued when the EDFA Laser Current goes out of range.') trapEDFALaserPowerAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,9)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALaserPowerAlarm.setDescription('This trap is issued when the EDFA Laser Power goes out of range.') trapEDFAPlus12CurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,10)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAPlus12CurrentAlarm.setDescription('This trap is issued when the EDFA 12 volt current parameter goes out of range.') trapEDFAPlus37CurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,11)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAPlus37CurrentAlarm.setDescription('This trap is issued when the EDFA 3.7 volt current parameter goes out of range.') trapEDFAFanCurrentAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,12)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFanCurrentAlarm.setDescription("This trap is issued when the EDFA Module's Fan Currrent parameter goes out of range.") trapEDFAResetFacDefault = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,13)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAResetFacDefault.setDescription('This trap is issued when the EDFA resets to factory defaults') trapEDFAStandbyMode = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,14)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAStandbyMode.setDescription('This trap is issued when the EDFA is in Standby Mode.') trapEDFAOptInShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,15)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOptInShutdown.setDescription('This trap is issued when the EDFA is in Optical Input Shutdown.') trapEDFATECTempShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,16)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFATECTempShutdown.setDescription('This trap is issued when the EDFA is in TEC Temperature Shutdown.') trapEDFAKeySwitch = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,17)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAKeySwitch.setDescription('This trap is issued when the Key Switch disables the EDFA.') trapEDFAPowerFail = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,18)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAPowerFail.setDescription('This trap is issued when there is an EDFA Power Supply Failure.') trapEDFALasCurrShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,19)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALasCurrShutdown.setDescription('This trap is issued when the EDFA is in Laser Current Shutdown.') trapEDFALasPowerShutdown = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,20)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFALasPowerShutdown.setDescription('This trap is issued when the EDFA is in Laser Power Shutdown.') trapEDFAInvalidMode = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,21)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAInvalidMode.setDescription('This trap is issued when the EDFA is in an invalid mode.') trapEDFAFlashAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,22)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFlashAlarm.setDescription("This trap is issued when the EDFA Module's boot or flash programming sequence has detected a Flash error.") trapEDFABoot0Alarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,23)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFABoot0Alarm.setDescription("This trap is issued when the EDFA Module's Bank 0 Boot sequence has detected an error.") trapEDFABoot1Alarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,24)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFABoot1Alarm.setDescription("This trap is issued when the EDFA Module's Bank 1 Boot sequence has detected an error.") trapEDFAAlarmDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,25)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAAlarmDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the alarm limit CRC.') trapEDFAFactoryDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,26)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFactoryDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the Factory data CRC.') trapEDFACalDataCRCAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,27)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFACalDataCRCAlarm.setDescription('This trap is issued when the EDFA Module detects an error calculating the Calibration data CRC.') trapEDFAFacCalFloatAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,28)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAFacCalFloatAlarm.setDescription('This trap is issued when the EDFA Module detects factory calibration float data alarm.') trapEDFAOptInThreshAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,29)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAOptInThreshAlarm.setDescription('This trap is issued when the EDFA Module Optical Input drops below the user set threshold.') trapEDFAGainErrorAlarm = NotificationType((1, 3, 6, 1, 4, 1, 1166, 6, 1, 2, 11) + (0,30)).setObjects(("NLSBBN-TRAPS-MIB", "trapIdentifier"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemModelNumber"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemSerialNum"), ("NLSBBN-TRAPS-MIB", "trapPerceivedSeverity"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemOperState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAlarmStatus"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAdminState"), ("NLSBBN-TRAPS-MIB", "trapNetworkElemAvailStatus"), ("NLSBBN-TRAPS-MIB", "trapText"), ("NLSBBN-TRAPS-MIB", "trapChangedObjectId"), ("NLSBBN-TRAPS-MIB", "trapChangedValueInteger"), ("NLSBBN-TRAPS-MIB", "trapNETrapLastTrapTimeStamp")) if mibBuilder.loadTexts: trapEDFAGainErrorAlarm.setDescription('This trap is issued when the EDFA Module cannot produce the desired user set gain in Constant Gain Set Mode.') mibBuilder.exportSymbols("OMNI-gx2EDFA-MIB", edfalabelADCStatus=edfalabelADCStatus, edfalabelLPSetting=edfalabelLPSetting, trapEDFAOpticalInPowerAlarm=trapEDFAOpticalInPowerAlarm, trapEDFAModuleTemperatureAlarm=trapEDFAModuleTemperatureAlarm, edfaminValueLaserCurrent=edfaminValueLaserCurrent, edfavalueBoot=edfavalueBoot, edfalabelPowerFail=edfalabelPowerFail, edfaminorLowLaserPower=edfaminorLowLaserPower, edfabootStatusByte=edfabootStatusByte, edfavalueFlash=edfavalueFlash, edfavalueOptInShutdown=edfavalueOptInShutdown, edfaminorHigh37Volt=edfaminorHigh37Volt, edfamaxValueOptOutPower=edfamaxValueOptOutPower, edfaminorLowTECCurrent=edfaminorLowTECCurrent, edfauomLPSetting=edfauomLPSetting, edfavalueTECTempShutdown=edfavalueTECTempShutdown, edfavalueLaserCurrShutdown=edfavalueLaserCurrShutdown, edfaminorHighOptOutPower=edfaminorHighOptOutPower, edfaalarmStateFanCurrent=edfaalarmStateFanCurrent, trapEDFALasCurrShutdown=trapEDFALasCurrShutdown, gx2EDFAStatusEntry=gx2EDFAStatusEntry, edfaminorHighLaserCurrent=edfaminorHighLaserCurrent, edfastateFlagFanCurrent=edfastateFlagFanCurrent, gx2EDFAStatusTable=gx2EDFAStatusTable, edfaminorLowOPSetting=edfaminorLowOPSetting, edfacurrentValueOptOutPower=edfacurrentValueOptOutPower, edfaalarmStateOptThreshold=edfaalarmStateOptThreshold, edfauomModTemp=edfauomModTemp, edfaminValueTECTemp=edfaminValueTECTemp, edfastateflagTECShutOverride=edfastateflagTECShutOverride, edfamaxValueModTemp=edfamaxValueModTemp, edfamajorHighOptInPower=edfamajorHighOptInPower, edfaminorLowLPSetting=edfaminorLowLPSetting, edfaminorLow37Volt=edfaminorLow37Volt, edfaminorLowModTemp=edfaminorLowModTemp, edfaminorHighCGSetting=edfaminorHighCGSetting, edfalabelTECTemp=edfalabelTECTemp, edfaminValueLaserPower=edfaminValueLaserPower, edfaminValue12Volt=edfaminValue12Volt, edfacurrentValueOPSetting=edfacurrentValueOPSetting, Float=Float, edfastateflagFactoryDataCRC=edfastateflagFactoryDataCRC, trapEDFAAlarmDataCRCAlarm=trapEDFAAlarmDataCRCAlarm, trapEDFATECCurrentAlarm=trapEDFATECCurrentAlarm, edfastateFlagLaserCurrent=edfastateFlagLaserCurrent, edfacurrentValueLaserPower=edfacurrentValueLaserPower, trapEDFAFanCurrentAlarm=trapEDFAFanCurrentAlarm, edfamajorHighCGSetting=edfamajorHighCGSetting, edfamajorLowOptOutPower=edfamajorLowOptOutPower, edfacurrentValueModTemp=edfacurrentValueModTemp, edfamaxValueFanCurrent=edfamaxValueFanCurrent, edfavalueModeSetting=edfavalueModeSetting, edfaminorHighOPSetting=edfaminorHighOPSetting, edfamajorHighOptOutPower=edfamajorHighOptOutPower, edfalabelConstGainStatus=edfalabelConstGainStatus, edfaminorLowTECTemp=edfaminorLowTECTemp, edfalabelModeSetting=edfalabelModeSetting, edfauom37Volt=edfauom37Volt, edfamaxValue12Volt=edfamaxValue12Volt, edfaalarmStateLaserCurrent=edfaalarmStateLaserCurrent, edfamaxValueCGSetting=edfamaxValueCGSetting, edfauomOptOutPower=edfauomOptOutPower, edfalabelTECTempShutdown=edfalabelTECTempShutdown, trapEDFAConfigChangeInteger=trapEDFAConfigChangeInteger, edfacurrentValue37Volt=edfacurrentValue37Volt, edfavalueConstGainStatus=edfavalueConstGainStatus, edfamaxValueTECTemp=edfamaxValueTECTemp, edfavalueLaserPowShutdown=edfavalueLaserPowShutdown, edfamajorLowCGSetting=edfamajorLowCGSetting, edfastateFlagModTemp=edfastateFlagModTemp, edfaalarmStateOptOutPower=edfaalarmStateOptOutPower, edfalabelTECCurrent=edfalabelTECCurrent, edfamajorLowLaserPower=edfamajorLowLaserPower, edfaenumFactoryDefault=edfaenumFactoryDefault, edfamaxValueLaserPower=edfamaxValueLaserPower, edfaminValueOPSetting=edfaminValueOPSetting, edfamajorLowOptInPower=edfamajorLowOptInPower, edfaminorLowOptThreshold=edfaminorLowOptThreshold, edfalabelFlash=edfalabelFlash, edfalabelFactoryDataCRC=edfalabelFactoryDataCRC, trapEDFAFacCalFloatAlarm=trapEDFAFacCalFloatAlarm, edfavalueKeySwitch=edfavalueKeySwitch, edfauomOptInPower=edfauomOptInPower, gx2EDFAAnalogTable=gx2EDFAAnalogTable, edfavalueFactoryDefault=edfavalueFactoryDefault, edfauomOPSetting=edfauomOPSetting, edfaalarmStateOPSetting=edfaalarmStateOPSetting, trapEDFALaserPowerAlarm=trapEDFALaserPowerAlarm, edfalabelFactoryDefault=edfalabelFactoryDefault, edfamajorLowModTemp=edfamajorLowModTemp, edfabank1CRC=edfabank1CRC, trapEDFAGainErrorAlarm=trapEDFAGainErrorAlarm, edfamajorHighOptThreshold=edfamajorHighOptThreshold, edfamajorHighLaserCurrent=edfamajorHighLaserCurrent, trapEDFAOpticalOutPowerAlarm=trapEDFAOpticalOutPowerAlarm, edfaminorHighModTemp=edfaminorHighModTemp, edfacurrentValueCGSetting=edfacurrentValueCGSetting, gx2EDFADigitalEntry=gx2EDFADigitalEntry, edfauomFanCurrent=edfauomFanCurrent, edfagx2EDFAAnalogTableIndex=edfagx2EDFAAnalogTableIndex, trapEDFALasPowerShutdown=trapEDFALasPowerShutdown, edfauomLaserPower=edfauomLaserPower, edfastateflagFlash=edfastateflagFlash, edfastateFlagOPSetting=edfastateFlagOPSetting, edfalabelModTemp=edfalabelModTemp, edfamajorHigh37Volt=edfamajorHigh37Volt, edfavalueCalibrationDataCRC=edfavalueCalibrationDataCRC, trapEDFATECTemperatureAlarm=trapEDFATECTemperatureAlarm, edfaminorHighLaserPower=edfaminorHighLaserPower, trapEDFAInvalidMode=trapEDFAInvalidMode, edfafwRev0=edfafwRev0, edfalabelCalibrationDataCRC=edfalabelCalibrationDataCRC, edfauomLaserCurrent=edfauomLaserCurrent, edfalabelLaserPowShutdown=edfalabelLaserPowShutdown, edfauomTECCurrent=edfauomTECCurrent, edfamaxValueLPSetting=edfamaxValueLPSetting, edfastateFlagFactoryDefault=edfastateFlagFactoryDefault, edfalabelKeySwitch=edfalabelKeySwitch, edfavalueStandbyStatus=edfavalueStandbyStatus, edfastateFlagTECTemp=edfastateFlagTECTemp, trapEDFABoot0Alarm=trapEDFABoot0Alarm, edfastateFlagOptOutPower=edfastateFlagOptOutPower, edfamajorHighTECTemp=edfamajorHighTECTemp, gx2EDFAFactoryEntry=gx2EDFAFactoryEntry, trapEDFAStandbyMode=trapEDFAStandbyMode, edfacurrentValueTECTemp=edfacurrentValueTECTemp, edfamajorHighLaserPower=edfamajorHighLaserPower, edfamajorLowFanCurrent=edfamajorLowFanCurrent, gx2EDFAHoldTimeData=gx2EDFAHoldTimeData, edfamajorLowLPSetting=edfamajorLowLPSetting, trapEDFAPowerFail=trapEDFAPowerFail, edfastateFlagOptInPower=edfastateFlagOptInPower, edfaminValueOptOutPower=edfaminValueOptOutPower, edfalabelBoot=edfalabelBoot, edfamajorHigh12Volt=edfamajorHigh12Volt, edfastateflagPowerFail=edfastateflagPowerFail, edfastateflagADCStatus=edfastateflagADCStatus, edfabootControlByte=edfabootControlByte, edfauomCGSetting=edfauomCGSetting, edfastateflagStandbyStatus=edfastateflagStandbyStatus, edfastateFlagLaserPower=edfastateFlagLaserPower, edfastateFlagModeSetting=edfastateFlagModeSetting, edfaminorLow12Volt=edfaminorLow12Volt, gx2EDFAHoldTimeTableIndex=gx2EDFAHoldTimeTableIndex, edfavalueModuleState=edfavalueModuleState, edfaminValueCGSetting=edfaminValueCGSetting, edfalabelStandbyStatus=edfalabelStandbyStatus, edfacurrentValueOptInPower=edfacurrentValueOptInPower, edfagx2EDFAStatusTableIndex=edfagx2EDFAStatusTableIndex, edfauomTECTemp=edfauomTECTemp, edfastateFlagTECCurrent=edfastateFlagTECCurrent, edfaminorHighLPSetting=edfaminorHighLPSetting, edfavalueADCStatus=edfavalueADCStatus, trapEDFABoot1Alarm=trapEDFABoot1Alarm, gx2EDFAFactoryTable=gx2EDFAFactoryTable, trapEDFAOptInThreshAlarm=trapEDFAOptInThreshAlarm, gx2EDFAAnalogEntry=gx2EDFAAnalogEntry, edfalabelOPSetting=edfalabelOPSetting, edfalabelFanCurrent=edfalabelFanCurrent, edfamajorLowOptThreshold=edfamajorLowOptThreshold, edfalabelOptThreshold=edfalabelOptThreshold, edfavalueTECShutOverride=edfavalueTECShutOverride, edfamajorHighFanCurrent=edfamajorHighFanCurrent, edfafactoryCRC=edfafactoryCRC, edfamajorHighModTemp=edfamajorHighModTemp, edfacurrentValueFanCurrent=edfacurrentValueFanCurrent, edfaenumModeSetting=edfaenumModeSetting, trapEDFAFactoryDataCRCAlarm=trapEDFAFactoryDataCRCAlarm, edfaminValue37Volt=edfaminValue37Volt, edfaflashPrgCntA=edfaflashPrgCntA, edfaalarmStateLPSetting=edfaalarmStateLPSetting, edfaalarmState12Volt=edfaalarmState12Volt, edfaminorHighFanCurrent=edfaminorHighFanCurrent, gx2EDFAHoldTimeTable=gx2EDFAHoldTimeTable, edfastateFlagModuleState=edfastateFlagModuleState, edfastateFlagOptThreshold=edfastateFlagOptThreshold, edfastateflagAlarmDataCRC=edfastateflagAlarmDataCRC, edfamaxValue37Volt=edfamaxValue37Volt, edfaminValueLPSetting=edfaminValueLPSetting, edfastateflagLaserCurrShutdown=edfastateflagLaserCurrShutdown, edfamajorLow12Volt=edfamajorLow12Volt, trapEDFAResetFacDefault=trapEDFAResetFacDefault, trapEDFALaserCurrentAlarm=trapEDFALaserCurrentAlarm, gx2EDFADescriptor=gx2EDFADescriptor, edfalabelLaserCurrShutdown=edfalabelLaserCurrShutdown, edfaalarmStateOptInPower=edfaalarmStateOptInPower, edfastateflagOptInShutdown=edfastateflagOptInShutdown, edfacurrentValue12Volt=edfacurrentValue12Volt, edfastateflagTECTempShutdown=edfastateflagTECTempShutdown, edfacurrentValueLPSetting=edfacurrentValueLPSetting, edfaminValueOptThreshold=edfaminValueOptThreshold, edfacalculateCRC=edfacalculateCRC, edfahourMeter=edfahourMeter, edfalabelOptInShutdown=edfalabelOptInShutdown, edfabank0CRC=edfabank0CRC, gx2EDFAHoldTimeEntry=gx2EDFAHoldTimeEntry, edfastateflagLaserPowShutdown=edfastateflagLaserPowShutdown, trapEDFAFlashAlarm=trapEDFAFlashAlarm, edfaminorHighTECTemp=edfaminorHighTECTemp, edfalabel37Volt=edfalabel37Volt, edfamajorHighLPSetting=edfamajorHighLPSetting, edfaminorHigh12Volt=edfaminorHigh12Volt, edfastateflagKeySwitch=edfastateflagKeySwitch, edfaalarmStateModTemp=edfaalarmStateModTemp, edfaalarmStateTECCurrent=edfaalarmStateTECCurrent, gx2EDFAHoldTimeSpecIndex=gx2EDFAHoldTimeSpecIndex, edfafwRev1=edfafwRev1, gx2EDFADigitalTable=gx2EDFADigitalTable, edfalabelLaserCurrent=edfalabelLaserCurrent, edfamaxValueLaserCurrent=edfamaxValueLaserCurrent, edfaalarmStateTECTemp=edfaalarmStateTECTemp, edfaprgEEPROMByte=edfaprgEEPROMByte, edfaminValueOptInPower=edfaminValueOptInPower, edfaminValueModTemp=edfaminValueModTemp, trapEDFAPlus12CurrentAlarm=trapEDFAPlus12CurrentAlarm, edfaminorLowOptOutPower=edfaminorLowOptOutPower, edfastateflagCalibrationDataCRC=edfastateflagCalibrationDataCRC, edfastateFlag37Volt=edfastateFlag37Volt, trapEDFATECTempShutdown=trapEDFATECTempShutdown, edfamajorLowOPSetting=edfamajorLowOPSetting, edfaminorHighOptThreshold=edfaminorHighOptThreshold, edfaalarmStateCGSetting=edfaalarmStateCGSetting, trapEDFAPlus37CurrentAlarm=trapEDFAPlus37CurrentAlarm, edfaalarmState37Volt=edfaalarmState37Volt, edfavalueFactoryDataCRC=edfavalueFactoryDataCRC, trapEDFAOptInShutdown=trapEDFAOptInShutdown, edfacurrentValueOptThreshold=edfacurrentValueOptThreshold, edfalabelOptInPower=edfalabelOptInPower, edfaminorLowFanCurrent=edfaminorLowFanCurrent, edfamaxValueOptInPower=edfamaxValueOptInPower, edfastateFlag12Volt=edfastateFlag12Volt, edfalabelCGSetting=edfalabelCGSetting, edfalabelModuleState=edfalabelModuleState, edfavalueAlarmDataCRC=edfavalueAlarmDataCRC, trapEDFAKeySwitch=trapEDFAKeySwitch, edfaminValueFanCurrent=edfaminValueFanCurrent, edfamaxValueOptThreshold=edfamaxValueOptThreshold, edfaminValueTECCurrent=edfaminValueTECCurrent, edfaminorLowCGSetting=edfaminorLowCGSetting, edfauom12Volt=edfauom12Volt, edfamajorLowLaserCurrent=edfamajorLowLaserCurrent, edfaalarmStateLaserPower=edfaalarmStateLaserPower, edfamajorLow37Volt=edfamajorLow37Volt, edfamaxValueTECCurrent=edfamaxValueTECCurrent, edfacurrentValueTECCurrent=edfacurrentValueTECCurrent, edfamajorHighOPSetting=edfamajorHighOPSetting, edfaenumModuleState=edfaenumModuleState, edfalabelLaserPower=edfalabelLaserPower, edfaminorLowOptInPower=edfaminorLowOptInPower, edfamajorLowTECCurrent=edfamajorLowTECCurrent, edfagx2EDFAFactoryTableIndex=edfagx2EDFAFactoryTableIndex, edfalabel12Volt=edfalabel12Volt, edfaflashPrgCntB=edfaflashPrgCntB, edfaminorLowLaserCurrent=edfaminorLowLaserCurrent) mibBuilder.exportSymbols("OMNI-gx2EDFA-MIB", edfavaluePowerFail=edfavaluePowerFail, edfacurrentValueLaserCurrent=edfacurrentValueLaserCurrent, edfastateflagBoot=edfastateflagBoot, edfamajorLowTECTemp=edfamajorLowTECTemp, edfamajorHighTECCurrent=edfamajorHighTECCurrent, edfastateflagConstGainStatus=edfastateflagConstGainStatus, trapEDFACalDataCRCAlarm=trapEDFACalDataCRCAlarm, edfauomOptThreshold=edfauomOptThreshold, edfastateFlagCGSetting=edfastateFlagCGSetting, edfagx2EDFADigitalTableIndex=edfagx2EDFADigitalTableIndex, edfaminorHighOptInPower=edfaminorHighOptInPower, edfaminorHighTECCurrent=edfaminorHighTECCurrent, edfamaxValueOPSetting=edfamaxValueOPSetting, edfalabelAlarmDataCRC=edfalabelAlarmDataCRC, edfastateFlagLPSetting=edfastateFlagLPSetting, edfalabelTECShutOverride=edfalabelTECShutOverride, edfalabelOptOutPower=edfalabelOptOutPower, trapEDFAConfigChangeDisplayString=trapEDFAConfigChangeDisplayString)
# [기초-종합] 주사위를 2개 던지면?(설명) # minso.jeong@daum.net ''' 문제링크 : https://www.codeup.kr/problem.php?id=1081 ''' n, m = map(int, input().split()) for i in range(n): for j in range(m): print(i+1, j+1)
class Config(object): #Google API keys OAUTH2_SCOPE = 'https://www.googleapis.com/auth/drive' DRIVE_CLIENT_ID = 'your drive client id' DRIVE_CLIENT_SECRET = 'your drive client secret' DRIVE_REDIRECT_URI = 'your redirect uri'
nome = 'fazenda', 'caro', 'notebook', 'agua', 'helicoptero', 'aviao' for n in nome: print(f'\no nome {n} tem as vogais:', end=' ') for vogal in n: if vogal.lower() in 'aeiou': print(vogal, end=' ')
load("@rules_vulkan//glsl:repositories.bzl", "glsl_repositories") load("@rules_vulkan//vulkan/platform:windows.bzl", "vulkan_windows") load("@rules_vulkan//vulkan/platform:linux.bzl", "vulkan_linux") def vulkan_repositories(): """Loads the required repositories into the workspace """ vulkan_windows( name = "vulkan_windows" ) vulkan_linux( name = "vulkan_linux" ) glsl_repositories()
# # PySNMP MIB module RFC1382-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/RFC1382-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 17:32:43 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ConstraintsUnion, ValueSizeConstraint, ValueRangeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsIntersection") PositiveInteger, = mibBuilder.importSymbols("RFC1253-MIB", "PositiveInteger") EntryStatus, = mibBuilder.importSymbols("RFC1271-MIB", "EntryStatus") IfIndexType, = mibBuilder.importSymbols("RFC1381-MIB", "IfIndexType") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") NotificationType, NotificationType, ObjectIdentity, IpAddress, TimeTicks, MibIdentifier, Unsigned32, Counter32, transmission, Gauge32, iso, ModuleIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, Counter64, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "NotificationType", "ObjectIdentity", "IpAddress", "TimeTicks", "MibIdentifier", "Unsigned32", "Counter32", "transmission", "Gauge32", "iso", "ModuleIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "Counter64", "Bits") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") x25 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5)) class X121Address(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 17) x25AdmnTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 1), ) if mibBuilder.loadTexts: x25AdmnTable.setStatus('mandatory') x25AdmnEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 1, 1), ).setIndexNames((0, "RFC1382-MIB", "x25AdmnIndex")) if mibBuilder.loadTexts: x25AdmnEntry.setStatus('mandatory') x25AdmnIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25AdmnIndex.setStatus('mandatory') x25AdmnInterfaceMode = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dte", 1), ("dce", 2), ("dxe", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnInterfaceMode.setStatus('mandatory') x25AdmnMaxActiveCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnMaxActiveCircuits.setStatus('mandatory') x25AdmnPacketSequencing = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("modulo8", 1), ("modulo128", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnPacketSequencing.setStatus('mandatory') x25AdmnRestartTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 5), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRestartTimer.setStatus('mandatory') x25AdmnCallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 6), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnCallTimer.setStatus('mandatory') x25AdmnResetTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 7), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnResetTimer.setStatus('mandatory') x25AdmnClearTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 8), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnClearTimer.setStatus('mandatory') x25AdmnWindowTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 9), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnWindowTimer.setStatus('mandatory') x25AdmnDataRxmtTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 10), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnDataRxmtTimer.setStatus('mandatory') x25AdmnInterruptTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 11), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnInterruptTimer.setStatus('mandatory') x25AdmnRejectTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 12), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRejectTimer.setStatus('mandatory') x25AdmnRegistrationRequestTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 13), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRegistrationRequestTimer.setStatus('mandatory') x25AdmnMinimumRecallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 14), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnMinimumRecallTimer.setStatus('mandatory') x25AdmnRestartCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRestartCount.setStatus('mandatory') x25AdmnResetCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnResetCount.setStatus('mandatory') x25AdmnClearCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnClearCount.setStatus('mandatory') x25AdmnDataRxmtCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnDataRxmtCount.setStatus('mandatory') x25AdmnRejectCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRejectCount.setStatus('mandatory') x25AdmnRegistrationRequestCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnRegistrationRequestCount.setStatus('mandatory') x25AdmnNumberPVCs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnNumberPVCs.setStatus('mandatory') x25AdmnDefCallParamId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 22), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnDefCallParamId.setStatus('mandatory') x25AdmnLocalAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 23), X121Address()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnLocalAddress.setStatus('mandatory') x25AdmnProtocolVersionSupported = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 1, 1, 24), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25AdmnProtocolVersionSupported.setStatus('mandatory') x25OperTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 2), ) if mibBuilder.loadTexts: x25OperTable.setStatus('mandatory') x25OperEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 2, 1), ).setIndexNames((0, "RFC1382-MIB", "x25OperIndex")) if mibBuilder.loadTexts: x25OperEntry.setStatus('mandatory') x25OperIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperIndex.setStatus('mandatory') x25OperInterfaceMode = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dte", 1), ("dce", 2), ("dxe", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperInterfaceMode.setStatus('mandatory') x25OperMaxActiveCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperMaxActiveCircuits.setStatus('mandatory') x25OperPacketSequencing = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("modulo8", 1), ("modulo128", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperPacketSequencing.setStatus('mandatory') x25OperRestartTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 5), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRestartTimer.setStatus('mandatory') x25OperCallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 6), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperCallTimer.setStatus('mandatory') x25OperResetTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 7), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperResetTimer.setStatus('mandatory') x25OperClearTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 8), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperClearTimer.setStatus('mandatory') x25OperWindowTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 9), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperWindowTimer.setStatus('mandatory') x25OperDataRxmtTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 10), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDataRxmtTimer.setStatus('mandatory') x25OperInterruptTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 11), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperInterruptTimer.setStatus('mandatory') x25OperRejectTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 12), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRejectTimer.setStatus('mandatory') x25OperRegistrationRequestTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 13), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRegistrationRequestTimer.setStatus('mandatory') x25OperMinimumRecallTimer = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 14), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperMinimumRecallTimer.setStatus('mandatory') x25OperRestartCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRestartCount.setStatus('mandatory') x25OperResetCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperResetCount.setStatus('mandatory') x25OperClearCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperClearCount.setStatus('mandatory') x25OperDataRxmtCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDataRxmtCount.setStatus('mandatory') x25OperRejectCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRejectCount.setStatus('mandatory') x25OperRegistrationRequestCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperRegistrationRequestCount.setStatus('mandatory') x25OperNumberPVCs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperNumberPVCs.setStatus('mandatory') x25OperDefCallParamId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 22), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDefCallParamId.setStatus('mandatory') x25OperLocalAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 23), X121Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperLocalAddress.setStatus('mandatory') x25OperDataLinkId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 24), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperDataLinkId.setStatus('mandatory') x25OperProtocolVersionSupported = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 2, 1, 25), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25OperProtocolVersionSupported.setStatus('mandatory') x25StatTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 3), ) if mibBuilder.loadTexts: x25StatTable.setStatus('mandatory') x25StatEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 3, 1), ).setIndexNames((0, "RFC1382-MIB", "x25StatIndex")) if mibBuilder.loadTexts: x25StatEntry.setStatus('mandatory') x25StatIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatIndex.setStatus('mandatory') x25StatInCalls = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInCalls.setStatus('mandatory') x25StatInCallRefusals = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInCallRefusals.setStatus('mandatory') x25StatInProviderInitiatedClears = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInProviderInitiatedClears.setStatus('mandatory') x25StatInRemotelyInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInRemotelyInitiatedResets.setStatus('mandatory') x25StatInProviderInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInProviderInitiatedResets.setStatus('mandatory') x25StatInRestarts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInRestarts.setStatus('mandatory') x25StatInDataPackets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInDataPackets.setStatus('mandatory') x25StatInAccusedOfProtocolErrors = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInAccusedOfProtocolErrors.setStatus('mandatory') x25StatInInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInInterrupts.setStatus('mandatory') x25StatOutCallAttempts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutCallAttempts.setStatus('mandatory') x25StatOutCallFailures = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutCallFailures.setStatus('mandatory') x25StatOutInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutInterrupts.setStatus('mandatory') x25StatOutDataPackets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutDataPackets.setStatus('mandatory') x25StatOutgoingCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatOutgoingCircuits.setStatus('mandatory') x25StatIncomingCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatIncomingCircuits.setStatus('mandatory') x25StatTwowayCircuits = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatTwowayCircuits.setStatus('mandatory') x25StatRestartTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatRestartTimeouts.setStatus('mandatory') x25StatCallTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatCallTimeouts.setStatus('mandatory') x25StatResetTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatResetTimeouts.setStatus('mandatory') x25StatClearTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatClearTimeouts.setStatus('mandatory') x25StatDataRxmtTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatDataRxmtTimeouts.setStatus('mandatory') x25StatInterruptTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatInterruptTimeouts.setStatus('mandatory') x25StatRetryCountExceededs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatRetryCountExceededs.setStatus('mandatory') x25StatClearCountExceededs = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 3, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25StatClearCountExceededs.setStatus('mandatory') x25ChannelTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 4), ) if mibBuilder.loadTexts: x25ChannelTable.setStatus('mandatory') x25ChannelEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 4, 1), ).setIndexNames((0, "RFC1382-MIB", "x25ChannelIndex")) if mibBuilder.loadTexts: x25ChannelEntry.setStatus('mandatory') x25ChannelIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ChannelIndex.setStatus('mandatory') x25ChannelLIC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelLIC.setStatus('mandatory') x25ChannelHIC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelHIC.setStatus('mandatory') x25ChannelLTC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelLTC.setStatus('mandatory') x25ChannelHTC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelHTC.setStatus('mandatory') x25ChannelLOC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelLOC.setStatus('mandatory') x25ChannelHOC = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 4, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ChannelHOC.setStatus('mandatory') x25CircuitTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 5), ) if mibBuilder.loadTexts: x25CircuitTable.setStatus('mandatory') x25CircuitEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 5, 1), ).setIndexNames((0, "RFC1382-MIB", "x25CircuitIndex"), (0, "RFC1382-MIB", "x25CircuitChannel")) if mibBuilder.loadTexts: x25CircuitEntry.setStatus('mandatory') x25CircuitIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 1), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitIndex.setStatus('mandatory') x25CircuitChannel = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitChannel.setStatus('mandatory') x25CircuitStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("invalid", 1), ("closed", 2), ("calling", 3), ("open", 4), ("clearing", 5), ("pvc", 6), ("pvcResetting", 7), ("startClear", 8), ("startPvcResetting", 9), ("other", 10)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitStatus.setStatus('mandatory') x25CircuitEstablishTime = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 4), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitEstablishTime.setStatus('mandatory') x25CircuitDirection = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("incoming", 1), ("outgoing", 2), ("pvc", 3))).clone('pvc')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitDirection.setStatus('mandatory') x25CircuitInOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInOctets.setStatus('mandatory') x25CircuitInPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInPdus.setStatus('mandatory') x25CircuitInRemotelyInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInRemotelyInitiatedResets.setStatus('mandatory') x25CircuitInProviderInitiatedResets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInProviderInitiatedResets.setStatus('mandatory') x25CircuitInInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInInterrupts.setStatus('mandatory') x25CircuitOutOctets = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitOutOctets.setStatus('mandatory') x25CircuitOutPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitOutPdus.setStatus('mandatory') x25CircuitOutInterrupts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitOutInterrupts.setStatus('mandatory') x25CircuitDataRetransmissionTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitDataRetransmissionTimeouts.setStatus('mandatory') x25CircuitResetTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitResetTimeouts.setStatus('mandatory') x25CircuitInterruptTimeouts = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CircuitInterruptTimeouts.setStatus('mandatory') x25CircuitCallParamId = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 17), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitCallParamId.setStatus('mandatory') x25CircuitCalledDteAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 18), X121Address().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitCalledDteAddress.setStatus('mandatory') x25CircuitCallingDteAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 19), X121Address().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitCallingDteAddress.setStatus('mandatory') x25CircuitOriginallyCalledAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 20), X121Address().clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitOriginallyCalledAddress.setStatus('mandatory') x25CircuitDescr = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 5, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CircuitDescr.setStatus('mandatory') x25ClearedCircuitEntriesRequested = MibScalar((1, 3, 6, 1, 2, 1, 10, 5, 6), PositiveInteger()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25ClearedCircuitEntriesRequested.setStatus('mandatory') x25ClearedCircuitEntriesGranted = MibScalar((1, 3, 6, 1, 2, 1, 10, 5, 7), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitEntriesGranted.setStatus('mandatory') x25ClearedCircuitTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 8), ) if mibBuilder.loadTexts: x25ClearedCircuitTable.setStatus('mandatory') x25ClearedCircuitEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 8, 1), ).setIndexNames((0, "RFC1382-MIB", "x25ClearedCircuitIndex")) if mibBuilder.loadTexts: x25ClearedCircuitEntry.setStatus('mandatory') x25ClearedCircuitIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 1), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitIndex.setStatus('mandatory') x25ClearedCircuitPleIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 2), IfIndexType()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitPleIndex.setStatus('mandatory') x25ClearedCircuitTimeEstablished = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 3), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitTimeEstablished.setStatus('mandatory') x25ClearedCircuitTimeCleared = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 4), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitTimeCleared.setStatus('mandatory') x25ClearedCircuitChannel = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4095))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitChannel.setStatus('mandatory') x25ClearedCircuitClearingCause = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitClearingCause.setStatus('mandatory') x25ClearedCircuitDiagnosticCode = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitDiagnosticCode.setStatus('mandatory') x25ClearedCircuitInPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitInPdus.setStatus('mandatory') x25ClearedCircuitOutPdus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitOutPdus.setStatus('mandatory') x25ClearedCircuitCalledAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 10), X121Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitCalledAddress.setStatus('mandatory') x25ClearedCircuitCallingAddress = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 11), X121Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitCallingAddress.setStatus('mandatory') x25ClearedCircuitClearFacilities = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 8, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 109))).setMaxAccess("readonly") if mibBuilder.loadTexts: x25ClearedCircuitClearFacilities.setStatus('mandatory') x25CallParmTable = MibTable((1, 3, 6, 1, 2, 1, 10, 5, 9), ) if mibBuilder.loadTexts: x25CallParmTable.setStatus('mandatory') x25CallParmEntry = MibTableRow((1, 3, 6, 1, 2, 1, 10, 5, 9, 1), ).setIndexNames((0, "RFC1382-MIB", "x25CallParmIndex")) if mibBuilder.loadTexts: x25CallParmEntry.setStatus('mandatory') x25CallParmIndex = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 1), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CallParmIndex.setStatus('mandatory') x25CallParmStatus = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 2), EntryStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmStatus.setStatus('mandatory') x25CallParmRefCount = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 3), PositiveInteger()).setMaxAccess("readonly") if mibBuilder.loadTexts: x25CallParmRefCount.setStatus('mandatory') x25CallParmInPacketSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096)).clone(128)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInPacketSize.setStatus('mandatory') x25CallParmOutPacketSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096)).clone(128)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutPacketSize.setStatus('mandatory') x25CallParmInWindowSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInWindowSize.setStatus('mandatory') x25CallParmOutWindowSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutWindowSize.setStatus('mandatory') x25CallParmAcceptReverseCharging = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("default", 1), ("accept", 2), ("refuse", 3), ("neverAccept", 4))).clone('refuse')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmAcceptReverseCharging.setStatus('mandatory') x25CallParmProposeReverseCharging = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("default", 1), ("reverse", 2), ("local", 3))).clone('local')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmProposeReverseCharging.setStatus('mandatory') x25CallParmFastSelect = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("default", 1), ("notSpecified", 2), ("fastSelect", 3), ("restrictedFastResponse", 4), ("noFastSelect", 5), ("noRestrictedFastResponse", 6))).clone('noFastSelect')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmFastSelect.setStatus('mandatory') x25CallParmInThruPutClasSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("tcReserved1", 1), ("tcReserved2", 2), ("tc75", 3), ("tc150", 4), ("tc300", 5), ("tc600", 6), ("tc1200", 7), ("tc2400", 8), ("tc4800", 9), ("tc9600", 10), ("tc19200", 11), ("tc48000", 12), ("tc64000", 13), ("tcReserved14", 14), ("tcReserved15", 15), ("tcReserved0", 16), ("tcNone", 17), ("tcDefault", 18))).clone('tcNone')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInThruPutClasSize.setStatus('mandatory') x25CallParmOutThruPutClasSize = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("tcReserved1", 1), ("tcReserved2", 2), ("tc75", 3), ("tc150", 4), ("tc300", 5), ("tc600", 6), ("tc1200", 7), ("tc2400", 8), ("tc4800", 9), ("tc9600", 10), ("tc19200", 11), ("tc48000", 12), ("tc64000", 13), ("tcReserved14", 14), ("tcReserved15", 15), ("tcReserved0", 16), ("tcNone", 17), ("tcDefault", 18))).clone('tcNone')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutThruPutClasSize.setStatus('mandatory') x25CallParmCug = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 4)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCug.setStatus('mandatory') x25CallParmCugoa = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 4)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCugoa.setStatus('mandatory') x25CallParmBcug = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 3)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmBcug.setStatus('mandatory') x25CallParmNui = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmNui.setStatus('mandatory') x25CallParmChargingInfo = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("default", 1), ("noFacility", 2), ("noChargingInfo", 3), ("chargingInfo", 4))).clone('noFacility')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmChargingInfo.setStatus('mandatory') x25CallParmRpoa = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmRpoa.setStatus('mandatory') x25CallParmTrnstDly = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65537)).clone(65536)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmTrnstDly.setStatus('mandatory') x25CallParmCallingExt = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 20), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 40)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCallingExt.setStatus('mandatory') x25CallParmCalledExt = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 40)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCalledExt.setStatus('mandatory') x25CallParmInMinThuPutCls = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 17)).clone(17)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmInMinThuPutCls.setStatus('mandatory') x25CallParmOutMinThuPutCls = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 17)).clone(17)).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmOutMinThuPutCls.setStatus('mandatory') x25CallParmEndTrnsDly = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 6)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmEndTrnsDly.setStatus('mandatory') x25CallParmPriority = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 25), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 6)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmPriority.setStatus('mandatory') x25CallParmProtection = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmProtection.setStatus('mandatory') x25CallParmExptData = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("default", 1), ("noExpeditedData", 2), ("expeditedData", 3))).clone('noExpeditedData')).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmExptData.setStatus('mandatory') x25CallParmUserData = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 28), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 128)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmUserData.setStatus('mandatory') x25CallParmCallingNetworkFacilities = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 29), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCallingNetworkFacilities.setStatus('mandatory') x25CallParmCalledNetworkFacilities = MibTableColumn((1, 3, 6, 1, 2, 1, 10, 5, 9, 1, 30), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 108)).clone(hexValue="")).setMaxAccess("readwrite") if mibBuilder.loadTexts: x25CallParmCalledNetworkFacilities.setStatus('mandatory') x25Restart = NotificationType((1, 3, 6, 1, 2, 1, 10, 5) + (0,1)).setObjects(("RFC1382-MIB", "x25OperIndex")) x25Reset = NotificationType((1, 3, 6, 1, 2, 1, 10, 5) + (0,2)).setObjects(("RFC1382-MIB", "x25CircuitIndex"), ("RFC1382-MIB", "x25CircuitChannel")) x25ProtocolVersion = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10)) x25protocolCcittV1976 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 1)) x25protocolCcittV1980 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 2)) x25protocolCcittV1984 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 3)) x25protocolCcittV1988 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 4)) x25protocolIso8208V1987 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 5)) x25protocolIso8208V1989 = MibIdentifier((1, 3, 6, 1, 2, 1, 10, 5, 10, 6)) mibBuilder.exportSymbols("RFC1382-MIB", x25CallParmInPacketSize=x25CallParmInPacketSize, x25OperInterruptTimer=x25OperInterruptTimer, x25CallParmTable=x25CallParmTable, x25CallParmExptData=x25CallParmExptData, x25StatOutDataPackets=x25StatOutDataPackets, x25AdmnDefCallParamId=x25AdmnDefCallParamId, x25AdmnCallTimer=x25AdmnCallTimer, x25AdmnNumberPVCs=x25AdmnNumberPVCs, x25ClearedCircuitEntry=x25ClearedCircuitEntry, x25ClearedCircuitChannel=x25ClearedCircuitChannel, x25ClearedCircuitClearingCause=x25ClearedCircuitClearingCause, x25CallParmCallingExt=x25CallParmCallingExt, x25Restart=x25Restart, x25CircuitTable=x25CircuitTable, x25CircuitInterruptTimeouts=x25CircuitInterruptTimeouts, x25OperRestartCount=x25OperRestartCount, x25OperWindowTimer=x25OperWindowTimer, x25StatInCallRefusals=x25StatInCallRefusals, x25StatInInterrupts=x25StatInInterrupts, x25StatEntry=x25StatEntry, x25AdmnRegistrationRequestTimer=x25AdmnRegistrationRequestTimer, x25CircuitOutPdus=x25CircuitOutPdus, x25AdmnRestartCount=x25AdmnRestartCount, x25CallParmCalledExt=x25CallParmCalledExt, x25AdmnResetTimer=x25AdmnResetTimer, x25ClearedCircuitEntriesGranted=x25ClearedCircuitEntriesGranted, x25AdmnRejectCount=x25AdmnRejectCount, x25OperRejectCount=x25OperRejectCount, x25StatTwowayCircuits=x25StatTwowayCircuits, x25ClearedCircuitCallingAddress=x25ClearedCircuitCallingAddress, x25StatRestartTimeouts=x25StatRestartTimeouts, x25StatClearCountExceededs=x25StatClearCountExceededs, x25AdmnMaxActiveCircuits=x25AdmnMaxActiveCircuits, x25StatClearTimeouts=x25StatClearTimeouts, x25StatInCalls=x25StatInCalls, x25CallParmUserData=x25CallParmUserData, x25Reset=x25Reset, x25AdmnLocalAddress=x25AdmnLocalAddress, x25StatIndex=x25StatIndex, x25ProtocolVersion=x25ProtocolVersion, x25ChannelEntry=x25ChannelEntry, x25=x25, x25CallParmIndex=x25CallParmIndex, x25CallParmFastSelect=x25CallParmFastSelect, x25StatTable=x25StatTable, x25AdmnPacketSequencing=x25AdmnPacketSequencing, x25ChannelLOC=x25ChannelLOC, x25CallParmInMinThuPutCls=x25CallParmInMinThuPutCls, x25OperTable=x25OperTable, x25StatInProviderInitiatedResets=x25StatInProviderInitiatedResets, x25protocolCcittV1984=x25protocolCcittV1984, x25ClearedCircuitPleIndex=x25ClearedCircuitPleIndex, x25CircuitDescr=x25CircuitDescr, x25AdmnDataRxmtTimer=x25AdmnDataRxmtTimer, x25protocolIso8208V1989=x25protocolIso8208V1989, x25CircuitEstablishTime=x25CircuitEstablishTime, x25CallParmStatus=x25CallParmStatus, x25CircuitChannel=x25CircuitChannel, x25StatInRestarts=x25StatInRestarts, x25OperClearCount=x25OperClearCount, x25OperEntry=x25OperEntry, x25OperIndex=x25OperIndex, x25CircuitDataRetransmissionTimeouts=x25CircuitDataRetransmissionTimeouts, x25ClearedCircuitDiagnosticCode=x25ClearedCircuitDiagnosticCode, x25CallParmEntry=x25CallParmEntry, x25ChannelHOC=x25ChannelHOC, x25OperProtocolVersionSupported=x25OperProtocolVersionSupported, x25StatCallTimeouts=x25StatCallTimeouts, x25ChannelHTC=x25ChannelHTC, x25CircuitResetTimeouts=x25CircuitResetTimeouts, x25ClearedCircuitTimeEstablished=x25ClearedCircuitTimeEstablished, x25CallParmOutPacketSize=x25CallParmOutPacketSize, x25protocolIso8208V1987=x25protocolIso8208V1987, x25StatInProviderInitiatedClears=x25StatInProviderInitiatedClears, X121Address=X121Address, x25OperResetTimer=x25OperResetTimer, x25OperRegistrationRequestCount=x25OperRegistrationRequestCount, x25OperLocalAddress=x25OperLocalAddress, x25AdmnInterruptTimer=x25AdmnInterruptTimer, x25CircuitOutInterrupts=x25CircuitOutInterrupts, x25OperResetCount=x25OperResetCount, x25CircuitInProviderInitiatedResets=x25CircuitInProviderInitiatedResets, x25ClearedCircuitIndex=x25ClearedCircuitIndex, x25CallParmCugoa=x25CallParmCugoa, x25CallParmNui=x25CallParmNui, x25AdmnMinimumRecallTimer=x25AdmnMinimumRecallTimer, x25OperDataRxmtCount=x25OperDataRxmtCount, x25CircuitInPdus=x25CircuitInPdus, x25protocolCcittV1976=x25protocolCcittV1976, x25ClearedCircuitClearFacilities=x25ClearedCircuitClearFacilities, x25AdmnClearCount=x25AdmnClearCount, x25AdmnProtocolVersionSupported=x25AdmnProtocolVersionSupported, x25CallParmBcug=x25CallParmBcug, x25CallParmProposeReverseCharging=x25CallParmProposeReverseCharging, x25AdmnIndex=x25AdmnIndex, x25CallParmRpoa=x25CallParmRpoa, x25StatOutInterrupts=x25StatOutInterrupts, x25CircuitIndex=x25CircuitIndex, x25ClearedCircuitOutPdus=x25ClearedCircuitOutPdus, x25CallParmCallingNetworkFacilities=x25CallParmCallingNetworkFacilities, x25ChannelLIC=x25ChannelLIC, x25CircuitStatus=x25CircuitStatus, x25OperDataLinkId=x25OperDataLinkId, x25StatInRemotelyInitiatedResets=x25StatInRemotelyInitiatedResets, x25ChannelTable=x25ChannelTable, x25protocolCcittV1980=x25protocolCcittV1980, x25CallParmRefCount=x25CallParmRefCount, x25CallParmPriority=x25CallParmPriority, x25ClearedCircuitCalledAddress=x25ClearedCircuitCalledAddress, x25AdmnTable=x25AdmnTable, x25ChannelLTC=x25ChannelLTC, x25OperDefCallParamId=x25OperDefCallParamId, x25CallParmTrnstDly=x25CallParmTrnstDly, x25protocolCcittV1988=x25protocolCcittV1988, x25StatIncomingCircuits=x25StatIncomingCircuits, x25CircuitInInterrupts=x25CircuitInInterrupts, x25CallParmProtection=x25CallParmProtection, x25OperInterfaceMode=x25OperInterfaceMode, x25OperClearTimer=x25OperClearTimer, x25ClearedCircuitEntriesRequested=x25ClearedCircuitEntriesRequested, x25StatOutCallAttempts=x25StatOutCallAttempts, x25CallParmCalledNetworkFacilities=x25CallParmCalledNetworkFacilities, x25CircuitCalledDteAddress=x25CircuitCalledDteAddress, x25StatInDataPackets=x25StatInDataPackets, x25OperRestartTimer=x25OperRestartTimer, x25AdmnDataRxmtCount=x25AdmnDataRxmtCount, x25CallParmAcceptReverseCharging=x25CallParmAcceptReverseCharging, x25AdmnClearTimer=x25AdmnClearTimer, x25ChannelHIC=x25ChannelHIC, x25CircuitOutOctets=x25CircuitOutOctets, x25CallParmInWindowSize=x25CallParmInWindowSize, x25CallParmOutWindowSize=x25CallParmOutWindowSize, x25StatInterruptTimeouts=x25StatInterruptTimeouts, x25OperNumberPVCs=x25OperNumberPVCs, x25CircuitOriginallyCalledAddress=x25CircuitOriginallyCalledAddress, x25CallParmChargingInfo=x25CallParmChargingInfo, x25OperPacketSequencing=x25OperPacketSequencing, x25CircuitInOctets=x25CircuitInOctets, x25ChannelIndex=x25ChannelIndex, x25StatInAccusedOfProtocolErrors=x25StatInAccusedOfProtocolErrors, x25CircuitCallParamId=x25CircuitCallParamId, x25AdmnRestartTimer=x25AdmnRestartTimer, x25CallParmOutThruPutClasSize=x25CallParmOutThruPutClasSize, x25OperCallTimer=x25OperCallTimer, x25StatOutCallFailures=x25StatOutCallFailures, x25AdmnRejectTimer=x25AdmnRejectTimer, x25AdmnEntry=x25AdmnEntry, x25StatDataRxmtTimeouts=x25StatDataRxmtTimeouts, x25OperRejectTimer=x25OperRejectTimer, x25CallParmInThruPutClasSize=x25CallParmInThruPutClasSize, x25OperMaxActiveCircuits=x25OperMaxActiveCircuits, x25ClearedCircuitInPdus=x25ClearedCircuitInPdus, x25CallParmOutMinThuPutCls=x25CallParmOutMinThuPutCls, x25AdmnWindowTimer=x25AdmnWindowTimer, x25CallParmCug=x25CallParmCug, x25AdmnRegistrationRequestCount=x25AdmnRegistrationRequestCount, x25CircuitEntry=x25CircuitEntry, x25CircuitInRemotelyInitiatedResets=x25CircuitInRemotelyInitiatedResets, x25OperMinimumRecallTimer=x25OperMinimumRecallTimer, x25CircuitDirection=x25CircuitDirection, x25ClearedCircuitTimeCleared=x25ClearedCircuitTimeCleared, x25ClearedCircuitTable=x25ClearedCircuitTable, x25OperRegistrationRequestTimer=x25OperRegistrationRequestTimer, x25CallParmEndTrnsDly=x25CallParmEndTrnsDly, x25StatRetryCountExceededs=x25StatRetryCountExceededs, x25OperDataRxmtTimer=x25OperDataRxmtTimer, x25AdmnInterfaceMode=x25AdmnInterfaceMode, x25StatOutgoingCircuits=x25StatOutgoingCircuits, x25AdmnResetCount=x25AdmnResetCount, x25StatResetTimeouts=x25StatResetTimeouts, x25CircuitCallingDteAddress=x25CircuitCallingDteAddress)
class ResponseStatusError(Exception): status: int def __init__(self, message: str, status: int): super().__init__(message) self.status = status def __reduce__(self): # pragma: no cover return (type(self), (*self.args, self.status)) class ConfigDependencyError(Exception): pass class XmlLoadError(Exception): pass class XmlSchemaError(Exception): pass class ReaderError(Exception): pass class TypeAlreadyLoadedError(Exception): pass
input = [16, 11, 15, 0, 1, 7] x = input.pop() seen = {v: i for (i, v) in enumerate(input)} target = 30000000 for i in range(len(input), target - 1): s = seen.get(x) seen[x] = i x = 0 if s is not None: x = i - s print(x) # 0 # 8 # 14 # 8 # 2 # 165 # 1811 # 15075 # 182867 # 623065 # 0 # 10 # 65 # 2095 # 16 # 94 # 2228 # 80680 # 814903 # 0 # 9 # 91 # 181 # 1023 # 7249 # 6368 # 76878 # 66861 # 1311263 # 0 # 10 # 19 # 184 # 5834 # 39203 # 148935 # 2083996 # 0 # 8 # 35 # 614 # 576 # 7998 # 86813 # 153058 # 1867414 # 0 # 9 # 27 # 1518 # 906 # 23793 # 173873 # 874677 # 0 # 8 # 17 # 476 # 6439 # 84939 # 381816 # 3164173 # 0 # 8 # 8 # 1 # 98 # 1405 # 45015 # 60927 # 959333 # 0 # 9 # 25 # 210 # 1536 # 35921 # 1910139
# -*- coding: utf-8 -*- """ ------------------------------------------------- Author: Sz WeChat: itlke-sz ------------------------------------------------- """ __author__ = 'Sz' print("撩课")
def ispangram(str): alphabet = "abcdefghijklmnopqrstuvwxyz" for char in alphabet: if char not in str.lower(): return False return True str = input("enter a sentence :\n ") if ispangram(str): print('contains all alphabets') else: print('does not contain all alphabets')
def bit_floor(n: int) -> int: """Calculate the largest power of two not greater than n. If zero, returns zero.""" if n: # see https://stackoverflow.com/a/14267825/17332200 exp = (n // 2).bit_length() res = 1 << exp return res else: return 0
html = """ <!DOCTYPE html> <html> <head> <script src="qrc:///qtwebchannel/qwebchannel.js"></script> <meta name="viewport" content="initial-scale=1.0, user-scalable=no"> <meta charset="utf-8"> <style> #map { height: 100%; } html, body { height: 100%; margin: 0; padding: 0; } </style> </head> <body> <div id="map"></div> <script async> var jshelper; new QWebChannel(qt.webChannelTransport, function(channel) { jshelper = channel.objects.jshelper; }); let map; let markers = {}; let polylines = {}; let allow_marker_dragging = true; let map_draggable = true; let map_zoomControl = false; let map_scrollwheel = true; let map_disableDoubleClickZoom = false; window.addEventListener('load', (event) => { jshelper.pageIsLoaded(); }); window.addEventListener('resize', (event) => { jshelper.pageIsResized(); }); const image = "https://developers.google.com/maps/documentation/javascript/examples/full/images/beachflag.png"; var customStyle = [ { "featureType": "water", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_1" } ] }, { "featureType": "landscape", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_5" } ] }, { "featureType": "road", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_3" }, { "lightness": -37 } ] }, { "featureType": "poi", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_3" } ] }, { "featureType": "transit", "elementType": "geometry", "stylers": [ { "color": "COLOR_BACKGROUND_3" } ] }, { "elementType": "labels.text.stroke", "stylers": [ { "visibility": "off" }, { "color": "COLOR_ACCENT_4" }, { "weight": 2 }, { "gamma": 0.84 } ] }, { "elementType": "labels.text.fill", "stylers": [ { "color": "COLOR_TEXT_1" } ] }, { "elementType": "labels.icon", "stylers": [ { "visibility": "off" } ] }, ] function initMap() { map = new google.maps.Map(document.getElementById('map'), { zoom: 0, center: {lat: 50, lng: 0}, disableDefaultUI: true, mapTypeId: google.maps.MapTypeId.ROADMAP, styles: customStyle, restriction: { latLngBounds: { north: 85.0, south: -85.0, west: -179.9999, east: 179.9999 }, strictBounds: true } }); map.setOptions({minZoom: 0, maxZoom: 50, draggable: map_draggable, zoomControl: map_zoomControl, scrollwheel: map_scrollwheel, disableDoubleClickZoom: map_disableDoubleClickZoom}); google.maps.event.addListener(map, "rightclick", function (event) { jshelper.mapIsRightClicked(event.latLng.lat(), event.latLng.lng()) }); google.maps.event.addListener(map, 'dragend', function () { var center = map.getCenter(); jshelper.mapIsMoved(center.lat(), center.lng()); }); google.maps.event.addListener(map, 'click', function (event) { jshelper.mapIsClicked(event.latLng.lat(), event.latLng.lng()); }); google.maps.event.addListener(map, 'dblclick', function (event) { jshelper.mapIsDoubleClicked(event.latLng.lat(), event.latLng.lng()); }); google.maps.event.addListenerOnce(map, 'idle', function (){ jshelper.mapIsFullyLoaded(); }); google.maps.event.addListener(map, 'tilesloaded', function () { jshelper.tilesAreFullyLoaded(); }); console.log("Setup compeleted!"); } function addMarker(marker_id, latitude, longitude, params) { console.log("Creating new marker: " + marker_id) const location = new google.maps.LatLng(latitude, longitude); if (marker_id in markers) { return updateMarker(marker_id, {position:location}) } const marker = new google.maps.Marker(Object.assign({}, {position: location, map: map, draggable: allow_marker_dragging, id: marker_id, polylines: []}, params)); google.maps.event.addListener(marker, 'click', function () { jshelper.markerIsClicked(marker_id, marker.position.lat(), marker.position.lng()) }); google.maps.event.addListener(marker, 'dblclick', function () { jshelper.markerIsDoubleClicked(marker_id, marker.position.lat(), marker.position.lng()) }); google.maps.event.addListener(marker, 'rightclick', function () { jshelper.markerIsRightClicked(marker_id, marker.position.lat(), marker.position.lng()) }); google.maps.event.addListener(marker, 'dragend', function () { jshelper.markerIsMoved(marker_id, marker.position.lat(), marker.position.lng()) }); markers[marker_id] = marker; } function addPolyline(polyline_id, coordsArray) { console.log("Creating new polyline: " + polyline_id) for (var i = 0; i < coordsArray.length; i++) { coordsArray[i]["lat"] = parseFloat(coordsArray[i]["lat"]); coordsArray[i]["lng"] = parseFloat(coordsArray[i]["lng"]); } const connection = new google.maps.Polyline({ path: coordsArray, geodesic: true, strokeColor: "#FF0000", strokeOpacity: 1.0, strokeWeight: 2, map: map, markers: [], }); google.maps.event.addListener(connection, 'click', function () { jshelper.polylineIsClicked(polyline_id, connection.getPath().getArray()) }); google.maps.event.addListener(connection, 'dblclick', function () { jshelper.polylineIsDoubleClicked(polyline_id, connection.getPath().getArray()) }); google.maps.event.addListener(connection, 'rightclick', function () { jshelper.polylineIsRightClicked(polyline_id, connection.getPath().getArray()) }); polylines[polyline_id] = connection; } function addPolylineBetweenMarkers(polyline_id, markersArray) { let cordsArray = []; for (let marker_id in markersArray) { cordsArray.push(markers[marker_id].getPosition()); } addPolyline(polyline_id, cordsArray) } function deletePolyline(polyline_id) { polylines[polyline_id].setMap(null); delete polylines[polyline_id]; } function getMarkers() { let resp = {}; for (var mid in markers) { resp[mid] = {lat: markers[mid].position.lat(), lng: markers[mid].position.lng()}; } return resp; } function moveMarker(marker_id, latitude, longitude) { let cords = new google.maps.LatLng(latitude, longitude); markers[marker_id].setPosition(cords); } function deleteMarker(marker_id) { markers[marker_id].setMap(null); delete markers[marker_id]; } function updateMarker(marker_id, extras) { if (!(marker_id in markers)) { return; } markers[marker_id].setOptions(extras); } function enableMarkersDragging(value) { allow_marker_dragging = value; for (var marker_id in markers) { updateMarker(marker_id, {draggable: value}); } } function disableMapDragging(value) { map_draggable = value; map.setOptions({draggable: value}); } function showZoomControl(value) { map_zoomControl = value; map.setOptions({zoomControl: value}); } function disableScrollWheel(value) { map_scrollwheel = value; map.setOptions({scrollwheel: value}); } function disableDoubleClickToZoom(value) { map_disableDoubleClickZoom = value; map.setOptions({disableDoubleClickZoom: value}); } function panToCenter() { map.panTo(map.getCenter()); } </script> <script async src="https://maps.googleapis.com/maps/api/js?key=API_KEY_GOES_HERE&callback=initMap"> </script> </body> </html> """
print("Select operation.") print("1.Add") print("2.Subtract") print("3.Multiply") print("4.Divide") while True: # take input from the user choice = int(input("Enter choice(1/2/3/4): ")) # check if choice is one of the four options if choice in (1, 2, 3, 4): num1 = float(input("Enter first number: ")) num2 = float(input("Enter second number: ")) if choice == 1: print("{} + {} = ".format(num1, num2), (num1 + num2)) elif choice == 2: print("{} - {} = ".format(num1, num2), (num1 - num2)) elif choice == 3: print("{} * {} = ".format(num1, num2), (num1 * num2)) elif choice == 4: print("{} / {} = ".format(num1, num2), (num1 / num2)) # check if user wants another calculation # break the while loop if answer is no next_calculation = input("Let's do next calculation? (yes/no): ") if next_calculation == "no": break else: continue else: print("Invalid Input")
def test_home_retorna_status_code_200(client): response = client.get("/") assert response.status_code == 200 def test_home_retorna_texto_ola(client): response = client.get("/") assert response.text == "ola" def test_echo_retorna_status_code_200(client): response = client.get("/echo") assert response.status_code == 200 def test_home_retorna_texto_echo_man(client): response = client.get("/echo") assert response.text == "echo man!"
#!/usr/bin/python2.4 # # Copyright 2011 Google Inc. All Rights Reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """Builds the test tables. See class comment for more details.""" __author__ = 'bmcquade@google.com (Bryan McQuade)' class TestTableBuilder(object): """Builds a list of test cases based on the public suffix list.""" def __init__(self): self._test_table = [] def BuildTestTable(self, rules): """Generates tuples that contains a test entry hostname,registry. Each test hostname has a registry, which is the part of a hostname that cookies cannot be set on, as well as a hostname, which is the part that comes before the registry. For instance example.co.uk would have a host 'example' and a registry 'co.uk'. Most entries will use a default host, except for exception rules, which use the exception as the host (since cookies can be set on exception rules). """ for rule in rules: parts = rule.split('.') first = parts[0] host = 'example' if first == '*': # Special case: if the first part is '*', generate two tests, # one with 'wc' as the first part, another with 'wildcard' as # the first part. We use strings of differing lengths to make # sure there is no string length specific parsing of # wildcards. parts[0] = 'wildcard' registry = '.'.join(parts) self._test_table.append((host, registry, 0)) parts[0] = 'wc' registry = '.'.join(parts) self._test_table.append((host, registry, 0)) continue is_exception_rule = 0 if first[0] == '!': # This is an exception rule. Strip the leading exclamation and # use the remaining part as the hostname. Everything after is # the registry. host = first[1:] registry = '.'.join(parts[1:]) is_exception_rule = 1 else: registry = '.'.join(parts) self._test_table.append((host, registry, is_exception_rule)) def GetTestTable(self): """Return the test table of (host, registry) tuples.""" return self._test_table
bool_one = 5 != 7 bool_two = 1 + 1 != 2 bool_three = 3 * 3 == 9 print(bool_one) #True print(bool_two) #False print(bool_three) #True my_bool = "true" print(type(my_bool)) #<class 'str'> my_bool_two = True print(type(my_bool_two)) #<class 'bool'> my_bool_three = 452 print(type(my_bool_three)) #<class 'int'>
a = int(input()) b = int(input()) range = range(a, b + 1) list = list(filter(lambda x: x % 3 == 0, range)) print(sum(list) / len(list))
# angle.py: A class describing an angle between three atoms. class Angle: atom1 = "" atom2 = "" atom3 = "" angle = 0.0 def __init__(self, atom1, atom2, atom3, angle): self.atom1 = atom1 self.atom2 = atom2 self.atom3 = atom3 self.angle = angle
#!/usr/bin/env python3 # Each new term in the Fibonacci sequence is generated by adding the previous two terms. By starting with 1 and 2, # the first 10 terms will be: 1, 2, 3, 5, 8, 13, 21, 34, 55, 89, ... By considering the terms in the Fibonacci # sequence whose values do not exceed four million, find the sum of the even-valued terms. def find_even_sum_fib() -> int: a, b = 1, 2 result = 0 while b < 4e6: if b % 2 == 0: result += b b = a + b a = b - a return result if __name__ == "__main__": assert find_even_sum_fib() == 4613732
def solve(data): X, Y, N, W, P1, P2 = data for _ in range(int(input())): data = [int(num) for num in input().split(" ")] print(solve(data))
# -*- coding: utf-8 -*- def main(): n = int(input()) h = int(input()) w = int(input()) print((n - w + 1) * (n - h + 1)) if __name__ == '__main__': main()
class NoInteractionsFound(Exception): def __init__(self, description: str = None, hint: str = None): super(NoInteractionsFound, self).__init__('No CellPhoneDB interacions found in this input.') self.description = description self.hint = hint
# Definition for a binary tree node. # class TreeNode: # def __init__(self, val=0, left=None, right=None): # self.val = val # self.left = left # self.right = right class Solution: def findSecondMinimumValue(self, root: TreeNode) -> int: small = root.val res = [] def rec(root): if root: rec(root.left) res.append(root.val) rec(root.right) rec(root) res = set(res) if len(res)==1: return -1 res = [i for i in res] print(res) res = [i-small for i in res] print(res) max = 0 for i in res: if i==0: res.remove(i) print(res) return min(res)+small
#encoding:utf-8 subreddit = 'Genshin_Impact' t_channel = '@Genshin_Impact_reddit' def send_post(submission, r2t): return r2t.send_simple(submission)
# # PySNMP MIB module DEC-ATM-SIGNALLING-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/DEC-ATM-SIGNALLING-MIB # Produced by pysmi-0.3.4 at Wed May 1 12:37:24 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion") decMIBextension, = mibBuilder.importSymbols("DECATM-MIB", "decMIBextension") ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") TimeTicks, ObjectIdentity, ModuleIdentity, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Unsigned32, Integer32, Counter32, Gauge32, iso, NotificationType, MibIdentifier, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "ObjectIdentity", "ModuleIdentity", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Unsigned32", "Integer32", "Counter32", "Gauge32", "iso", "NotificationType", "MibIdentifier", "Counter64") DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention") decAtmSignallingMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34)) decAtmSignallingMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1)) decSignallingGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1)) decSignallingConfigTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1), ) if mibBuilder.loadTexts: decSignallingConfigTable.setStatus('mandatory') if mibBuilder.loadTexts: decSignallingConfigTable.setDescription('') decSignallingConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decSignallingConfigEntry.setStatus('mandatory') if mibBuilder.loadTexts: decSignallingConfigEntry.setDescription("Each entry describes one UNI / NNI. Note that the table is indexed by 'atm' interfaces, rather than 'aal5' entities.") decAtmSignallingIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: decAtmSignallingIndex.setStatus('mandatory') if mibBuilder.loadTexts: decAtmSignallingIndex.setDescription('An arbitrary integer index that can be used to distinguish among multiple signalling entities for the same (physical) interface.') decAtmSignallingMode = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("autoConfigure", 1), ("pnni", 2), ("uni30", 3), ("uni31", 4), ("uni40", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: decAtmSignallingMode.setStatus('mandatory') if mibBuilder.loadTexts: decAtmSignallingMode.setDescription('Indicates the mode in which the port is configured to run.') decQ2931Group = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2)) decQ2931MsgTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1), ) if mibBuilder.loadTexts: decQ2931MsgTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931MsgTable.setDescription('Describes the number of call/connection processing messages sent and received on each UNI or NNI.') decQ2931MsgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQ2931MsgEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931MsgEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") callProceedingTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: callProceedingTx.setStatus('mandatory') if mibBuilder.loadTexts: callProceedingTx.setDescription('The number of CALL PROCEEDING messages transmitted on this interface.') callProceedingRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: callProceedingRx.setStatus('mandatory') if mibBuilder.loadTexts: callProceedingRx.setDescription('The number of CALL PROCEEDING messages received on this interface.') connectTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectTx.setStatus('mandatory') if mibBuilder.loadTexts: connectTx.setDescription('The number of CONNECT messages transmitted on this interface.') connectRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectRx.setStatus('mandatory') if mibBuilder.loadTexts: connectRx.setDescription('The number of CONNECT messages received on this interface.') connectAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: connectAcknowledgeTx.setDescription('The number of CONNECT ACKNOWLEDGE messages transmitted on this interface.') connectAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: connectAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: connectAcknowledgeRx.setDescription('The number of CONNECT ACKNOWLEDGE messages received on this interface.') setupTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: setupTx.setStatus('mandatory') if mibBuilder.loadTexts: setupTx.setDescription('The number of SETUP messages transmitted on this interface.') setupRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: setupRx.setStatus('mandatory') if mibBuilder.loadTexts: setupRx.setDescription('The number of SETUP messages received on this interface.') releaseTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseTx.setStatus('mandatory') if mibBuilder.loadTexts: releaseTx.setDescription('The number of RELEASE messages transmitted on this interface.') releaseRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseRx.setStatus('mandatory') if mibBuilder.loadTexts: releaseRx.setDescription('The number of RELEASE messages received on this interface.') releaseCompleteTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseCompleteTx.setStatus('mandatory') if mibBuilder.loadTexts: releaseCompleteTx.setDescription('The number of RELEASE COMPLETE messages transmitted on this interface.') releaseCompleteRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: releaseCompleteRx.setStatus('mandatory') if mibBuilder.loadTexts: releaseCompleteRx.setDescription('The number of RELEASE COMPLETE messages received on this interface.') restartTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartTx.setStatus('mandatory') if mibBuilder.loadTexts: restartTx.setDescription('The number of RESTART messages transmitted on this interface.') restartRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartRx.setStatus('mandatory') if mibBuilder.loadTexts: restartRx.setDescription('The number of RESTART messages received on this interface.') restartAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: restartAcknowledgeTx.setDescription('The number of RESTART ACKNOWLEDGE messages transmitted on this interface.') restartAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: restartAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: restartAcknowledgeRx.setDescription('The number of RESTART ACKNOWLEDGE messages received on this interface.') statusTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusTx.setStatus('mandatory') if mibBuilder.loadTexts: statusTx.setDescription('The number of STATUS messages transmitted on this interface.') statusRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusRx.setStatus('mandatory') if mibBuilder.loadTexts: statusRx.setDescription('The number of STATUS messages received on this interface.') statusEnquiryTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusEnquiryTx.setStatus('mandatory') if mibBuilder.loadTexts: statusEnquiryTx.setDescription('The number of STATUS ENQUIRY messages transmitted on this interface.') statusEnquiryRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statusEnquiryRx.setStatus('mandatory') if mibBuilder.loadTexts: statusEnquiryRx.setDescription('The number of STATUS ENQUIRY messages received on this interface.') addPartyTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyTx.setDescription('The number of ADD PARTY messages transmitted on this interface.') addPartyRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRx.setDescription('The number of ADD PARTY messages received on this interface.') addPartyAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyAcknowledgeTx.setDescription('The number of ADD PARTY ACKNOWLEDGE messages transmitted on this interface.') addPartyAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyAcknowledgeRx.setDescription('The number of ADD PARTY ACKNOWLEDGE messages received on this interface.') addPartyRejectTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyRejectTx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRejectTx.setDescription('The number of ADD PARTY REJECT messages transmitted on this interface.') addPartyRejectRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: addPartyRejectRx.setStatus('mandatory') if mibBuilder.loadTexts: addPartyRejectRx.setDescription('The number of ADD PARTY REJECT messages received on this interface.') dropPartyTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyTx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyTx.setDescription('The number of DROP PARTY messages transmitted on this interface.') dropPartyRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyRx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyRx.setDescription('The number of DROP PARTY messages received on this interface.') dropPartyAcknowledgeTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyAcknowledgeTx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyAcknowledgeTx.setDescription('The number of DROP PARTY ACKNOWLEDGE messages transmitted on this interface.') dropPartyAcknowledgeRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 1, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: dropPartyAcknowledgeRx.setStatus('mandatory') if mibBuilder.loadTexts: dropPartyAcknowledgeRx.setDescription('The number of DROP PARTY ACKNOWLEDGE messages received on this interface.') decQ2931StatusTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2), ) if mibBuilder.loadTexts: decQ2931StatusTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931StatusTable.setDescription('Contains additional Q2931 signalling statistics.') decQ2931StatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQ2931StatusEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931StatusEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") totalConns = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: totalConns.setStatus('mandatory') if mibBuilder.loadTexts: totalConns.setDescription('The total number of connections established so far.') activeConns = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: activeConns.setStatus('mandatory') if mibBuilder.loadTexts: activeConns.setDescription('The number of currently-active connections.') lastTxCause = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastTxCause.setStatus('mandatory') if mibBuilder.loadTexts: lastTxCause.setDescription('The most recently transmitted cause code.') lastTxDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastTxDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: lastTxDiagnostic.setDescription('The most recently transmitted diagnostic code.') lastRxCause = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastRxCause.setStatus('mandatory') if mibBuilder.loadTexts: lastRxCause.setDescription('The most recently received cause code.') lastRxDiagnostic = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: lastRxDiagnostic.setStatus('mandatory') if mibBuilder.loadTexts: lastRxDiagnostic.setDescription('The most recently received diagnostic code.') decQ2931TimerTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3), ) if mibBuilder.loadTexts: decQ2931TimerTable.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931TimerTable.setDescription('Allows network managers to examine and configure the timers used for Q.2931 call processing.') decQ2931TimerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQ2931TimerEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQ2931TimerEntry.setDescription("Each entry contains timers for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5'). Sorry about the cryptic timer names, but that's what the ATM Forum calls these timers in the UNI V3.0 Specification.") t303 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 1), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t303.setStatus('mandatory') if mibBuilder.loadTexts: t303.setDescription('SETUP message timeout, in seconds.') t308 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 2), Integer32().clone(30)).setMaxAccess("readonly") if mibBuilder.loadTexts: t308.setStatus('mandatory') if mibBuilder.loadTexts: t308.setDescription('RELEASE message timeout, in seconds.') t309 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 3), Integer32().clone(90)).setMaxAccess("readonly") if mibBuilder.loadTexts: t309.setStatus('mandatory') if mibBuilder.loadTexts: t309.setDescription('SAAL disconnection timeout, in seconds.') t310 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 4), Integer32().clone(10)).setMaxAccess("readonly") if mibBuilder.loadTexts: t310.setStatus('mandatory') if mibBuilder.loadTexts: t310.setDescription('CALL PROCEEDING timeout, in seconds.') t313 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 5), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t313.setStatus('mandatory') if mibBuilder.loadTexts: t313.setDescription('CONNECT timeout, in seconds. This timer is only used on the User side of a UNI.') t316 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 6), Integer32().clone(120)).setMaxAccess("readonly") if mibBuilder.loadTexts: t316.setStatus('mandatory') if mibBuilder.loadTexts: t316.setDescription('RESTART timeout, in seconds.') t317 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: t317.setStatus('mandatory') if mibBuilder.loadTexts: t317.setDescription("RESTART reply timeout, in seconds. This should be less than the value for timer 't316'.") t322 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 8), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t322.setStatus('mandatory') if mibBuilder.loadTexts: t322.setDescription('STATUS ENQUIRY timeout, in seconds.') t398 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 9), Integer32().clone(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: t398.setStatus('mandatory') if mibBuilder.loadTexts: t398.setDescription('DROP PARTY timeout, in seconds.') t399 = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 2, 3, 1, 10), Integer32().clone(14)).setMaxAccess("readonly") if mibBuilder.loadTexts: t399.setStatus('mandatory') if mibBuilder.loadTexts: t399.setDescription('ADD PARTY timeout, in seconds.') decQSaalGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3)) decQSaalMsgTable = MibTable((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1), ) if mibBuilder.loadTexts: decQSaalMsgTable.setStatus('mandatory') if mibBuilder.loadTexts: decQSaalMsgTable.setDescription('') decQSaalMsgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "DEC-ATM-SIGNALLING-MIB", "decAtmSignallingIndex")) if mibBuilder.loadTexts: decQSaalMsgEntry.setStatus('mandatory') if mibBuilder.loadTexts: decQSaalMsgEntry.setDescription("Each entry contains signalling statistics for one UNI / NNI. Note that the table is indexed by ATM ports (ifType = 'atm') as opposed to AAL5 entities (ifType = 'aal5').") txDiscardedSdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: txDiscardedSdus.setStatus('mandatory') if mibBuilder.loadTexts: txDiscardedSdus.setDescription('The number of outgoing SDUs which were discarded.') rxErrorPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rxErrorPdus.setStatus('mandatory') if mibBuilder.loadTexts: rxErrorPdus.setDescription('The number of incoming PDUs which could not be received due to errors.') txErrorPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: txErrorPdus.setStatus('mandatory') if mibBuilder.loadTexts: txErrorPdus.setDescription('The number of transmission errors for outgoing PDUs.') rxDiscardedPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rxDiscardedPdus.setStatus('mandatory') if mibBuilder.loadTexts: rxDiscardedPdus.setDescription('The number of incoming PDUs which were discarded.') txDiscardedPdus = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: txDiscardedPdus.setStatus('mandatory') if mibBuilder.loadTexts: txDiscardedPdus.setDescription('The number of outgoing PDUs which were discarded.') bgnTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgnTx.setStatus('mandatory') if mibBuilder.loadTexts: bgnTx.setDescription('The number of BGN (Request Initialization) messages transmitted over the interface.') bgnRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgnRx.setStatus('mandatory') if mibBuilder.loadTexts: bgnRx.setDescription('The number of BGN (Request Initialization) messages received over the interface.') bgakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgakTx.setStatus('mandatory') if mibBuilder.loadTexts: bgakTx.setDescription('The number of BGAK (Request Acknowledgement) messages transmitted over the interface.') bgakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgakRx.setStatus('mandatory') if mibBuilder.loadTexts: bgakRx.setDescription('The number of BGAK (Request Acknowledgement) messages received over the interface.') endTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endTx.setStatus('mandatory') if mibBuilder.loadTexts: endTx.setDescription('The number of END (Disconnect Command) messages transmitted over the interface.') endRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endRx.setStatus('mandatory') if mibBuilder.loadTexts: endRx.setDescription('The number of END (Disconnect Command) messages received over the interface.') endakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endakTx.setStatus('mandatory') if mibBuilder.loadTexts: endakTx.setDescription('The number of ENDAK (Disconnect Acknowledgement) messages transmitted over the interface.') endakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: endakRx.setStatus('mandatory') if mibBuilder.loadTexts: endakRx.setDescription('The number of ENDAK (Disconnect Acknowledgement) messages received over the interface.') rsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsTx.setStatus('mandatory') if mibBuilder.loadTexts: rsTx.setDescription('The number of RS (Resynchronization Command) messages transmitted over the interface.') rsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsRx.setStatus('mandatory') if mibBuilder.loadTexts: rsRx.setDescription('The number of RS (Resynchronization Command) messages received over the interface.') rsakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsakTx.setStatus('mandatory') if mibBuilder.loadTexts: rsakTx.setDescription('The number of RSAK (Resynchronization Acknowledgement) messages transmitted over the interface.') rsakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: rsakRx.setStatus('mandatory') if mibBuilder.loadTexts: rsakRx.setDescription('The number of RSAK (Resynchronization Acknowledgement) messages received over the interface.') bgrejTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgrejTx.setStatus('mandatory') if mibBuilder.loadTexts: bgrejTx.setDescription('The number of BGREJ (Connection Reject) messages transmitted over the interface.') bgrejRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: bgrejRx.setStatus('mandatory') if mibBuilder.loadTexts: bgrejRx.setDescription('The number of BGREJ (Connection Reject) messages received over the interface.') sdTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdTx.setStatus('mandatory') if mibBuilder.loadTexts: sdTx.setDescription('The number of SD (Sequenced Connection-Mode Data) messages transmitted over the interface.') sdRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdRx.setStatus('mandatory') if mibBuilder.loadTexts: sdRx.setDescription('The number of SD (Sequenced Connection-Mode Data) messages received over the interface.') sdpTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdpTx.setStatus('mandatory') if mibBuilder.loadTexts: sdpTx.setDescription('The number of SDP (Sequenced Connection-Mode Data with request for Receive State Information) messages transmitted over the interface. This object only applies to UNI 3.0.') sdpRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: sdpRx.setStatus('mandatory') if mibBuilder.loadTexts: sdpRx.setDescription('The number of SDP (Sequenced Connection-Mode Data with request for Receive State Information) messages received over the interface. This object only applies to UNI 3.0.') erTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erTx.setStatus('mandatory') if mibBuilder.loadTexts: erTx.setDescription('The number of ER (Recovery Command) messages transmitted over the interface. This object is not applicable to UNI 3.0.') erRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erRx.setStatus('mandatory') if mibBuilder.loadTexts: erRx.setDescription('The number of ER (Recovery Command) messages received over the interface. This object is not applicable to UNI 3.0.') pollTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: pollTx.setStatus('mandatory') if mibBuilder.loadTexts: pollTx.setDescription('The number of POLL (Transmitter State Information with request for Receive State Information) messages transmitted over the interface.') pollRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: pollRx.setStatus('mandatory') if mibBuilder.loadTexts: pollRx.setDescription('The number of POLL (Transmitter State Information with request for Receive State Information) messages received over the interface.') statTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 28), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statTx.setStatus('mandatory') if mibBuilder.loadTexts: statTx.setDescription('The number of STAT (Solicited Receiver State Information) messages transmitted over the interface.') statRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 29), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: statRx.setStatus('mandatory') if mibBuilder.loadTexts: statRx.setDescription('The number of STAT (Solicited Receiver State Information) messages received over the interface.') ustatTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 30), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ustatTx.setStatus('mandatory') if mibBuilder.loadTexts: ustatTx.setDescription('The number of USTAT (Unsolicited Receiver State Info) messages transmitted over the interface.') ustatRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 31), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: ustatRx.setStatus('mandatory') if mibBuilder.loadTexts: ustatRx.setDescription('The number of USTAT (Unsolicited Receiver State Info) messages received over the interface.') udTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 32), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: udTx.setStatus('mandatory') if mibBuilder.loadTexts: udTx.setDescription('The number of UD (Unnumbered User Data) messages transmitted over the interface.') udRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 33), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: udRx.setStatus('mandatory') if mibBuilder.loadTexts: udRx.setDescription('The number of UD (Unnumbered User Data) messages received over the interface.') mdTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 34), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mdTx.setStatus('mandatory') if mibBuilder.loadTexts: mdTx.setDescription('The number of MD (Unnumbered Management Data) messages transmitted over the interface.') mdRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 35), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mdRx.setStatus('mandatory') if mibBuilder.loadTexts: mdRx.setDescription('The number of MD (Unnumbered Management Data) messages received over the interface.') erakTx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 36), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erakTx.setStatus('mandatory') if mibBuilder.loadTexts: erakTx.setDescription('The number of ERAK (Recovery Acknowledgement) messages transmitted over the interface. This object is not applicable to UNI 3.0.') erakRx = MibTableColumn((1, 3, 6, 1, 4, 1, 36, 2, 18, 34, 1, 3, 1, 1, 37), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: erakRx.setStatus('mandatory') if mibBuilder.loadTexts: erakRx.setDescription('The number of ERAK (Recovery Acknowledgement) messages received over the interface. This object is not applicable to UNI 3.0.') mibBuilder.exportSymbols("DEC-ATM-SIGNALLING-MIB", t322=t322, ustatTx=ustatTx, rsakTx=rsakTx, addPartyAcknowledgeTx=addPartyAcknowledgeTx, restartRx=restartRx, pollRx=pollRx, txDiscardedPdus=txDiscardedPdus, activeConns=activeConns, sdpTx=sdpTx, restartAcknowledgeTx=restartAcknowledgeTx, sdRx=sdRx, decSignallingConfigTable=decSignallingConfigTable, decQ2931StatusEntry=decQ2931StatusEntry, t317=t317, connectTx=connectTx, t309=t309, dropPartyTx=dropPartyTx, t313=t313, erakTx=erakTx, t303=t303, releaseTx=releaseTx, pollTx=pollTx, lastTxDiagnostic=lastTxDiagnostic, restartTx=restartTx, sdpRx=sdpRx, dropPartyAcknowledgeTx=dropPartyAcknowledgeTx, decAtmSignallingMIB=decAtmSignallingMIB, mdRx=mdRx, releaseCompleteRx=releaseCompleteRx, t316=t316, endRx=endRx, endakRx=endakRx, sdTx=sdTx, decSignallingConfigEntry=decSignallingConfigEntry, lastRxCause=lastRxCause, statTx=statTx, lastTxCause=lastTxCause, connectRx=connectRx, decQ2931TimerEntry=decQ2931TimerEntry, statusEnquiryRx=statusEnquiryRx, decAtmSignallingMIBObjects=decAtmSignallingMIBObjects, bgakTx=bgakTx, decQSaalMsgEntry=decQSaalMsgEntry, connectAcknowledgeRx=connectAcknowledgeRx, rsRx=rsRx, t310=t310, t398=t398, addPartyRejectTx=addPartyRejectTx, rxErrorPdus=rxErrorPdus, statusEnquiryTx=statusEnquiryTx, rxDiscardedPdus=rxDiscardedPdus, statusTx=statusTx, decAtmSignallingIndex=decAtmSignallingIndex, addPartyRejectRx=addPartyRejectRx, ustatRx=ustatRx, t399=t399, decQ2931MsgEntry=decQ2931MsgEntry, txDiscardedSdus=txDiscardedSdus, erRx=erRx, txErrorPdus=txErrorPdus, releaseCompleteTx=releaseCompleteTx, decAtmSignallingMode=decAtmSignallingMode, decQ2931MsgTable=decQ2931MsgTable, connectAcknowledgeTx=connectAcknowledgeTx, statRx=statRx, bgrejTx=bgrejTx, decQ2931Group=decQ2931Group, setupTx=setupTx, callProceedingTx=callProceedingTx, dropPartyAcknowledgeRx=dropPartyAcknowledgeRx, t308=t308, addPartyTx=addPartyTx, decQ2931StatusTable=decQ2931StatusTable, endakTx=endakTx, statusRx=statusRx, rsakRx=rsakRx, udRx=udRx, addPartyAcknowledgeRx=addPartyAcknowledgeRx, decQ2931TimerTable=decQ2931TimerTable, bgnTx=bgnTx, decSignallingGroup=decSignallingGroup, releaseRx=releaseRx, bgrejRx=bgrejRx, dropPartyRx=dropPartyRx, bgakRx=bgakRx, erakRx=erakRx, mdTx=mdTx, restartAcknowledgeRx=restartAcknowledgeRx, lastRxDiagnostic=lastRxDiagnostic, totalConns=totalConns, erTx=erTx, decQSaalMsgTable=decQSaalMsgTable, addPartyRx=addPartyRx, udTx=udTx, decQSaalGroup=decQSaalGroup, endTx=endTx, bgnRx=bgnRx, setupRx=setupRx, callProceedingRx=callProceedingRx, rsTx=rsTx)
#!/usr/bin/python print("Hello world") print("GOD LOVES YOU") print("John 3:16\n") print("CHRIST JESUS: EMMANUEL...") print("Full of TRUTH & GRACE") print("John 1:17\n") print("Love God: with ALL you are... + the kitchen sink!") print("Love ya Neighbour: as you already love ya self...") print("ENJOY THE DISCIPLESHIP PROCESS") print("HALLELUJAH!!!\n") print("just another pilgrim: Edmund Muzoora BISHANGA") print("#TeamEMMANUELForever") print("#YNWA")
class Category: ANTIQUES_COLLECTABLES = '/for-sale/antiques-collectables/66/' ANTIQUES_COLLECTABLES__AUTOGRAPHS = '/for-sale/antiques-collectables/autographs/984/' ANTIQUES_COLLECTABLES__BOTTLES = '/for-sale/antiques-collectables/bottles/985/' ANTIQUES_COLLECTABLES__CALL_CARDS = '/for-sale/antiques-collectables/call-cards/986/' ANTIQUES_COLLECTABLES__CERAMICS = '/for-sale/antiques-collectables/ceramics/987/' ANTIQUES_COLLECTABLES__CLOCKS_SCIENTIFIC_INSTRUMENTS = '/for-sale/antiques-collectables/clocks-scientific-instruments/988/' ANTIQUES_COLLECTABLES__COINS_NOTES = '/for-sale/antiques-collectables/coins-notes/67/' ANTIQUES_COLLECTABLES__COINS_NOTES__COINS = '/for-sale/antiques-collectables/coins-notes/coins/978/' ANTIQUES_COLLECTABLES__COINS_NOTES__NOTES = '/for-sale/antiques-collectables/coins-notes/notes/979/' ANTIQUES_COLLECTABLES__DOCUMENTS_MAPS = '/for-sale/antiques-collectables/documents-maps/989/' ANTIQUES_COLLECTABLES__FURNITURE = '/for-sale/antiques-collectables/furniture/68/' ANTIQUES_COLLECTABLES__FURNITURE__CHAIRS = '/for-sale/antiques-collectables/furniture/chairs/980/' ANTIQUES_COLLECTABLES__FURNITURE__CHESTS = '/for-sale/antiques-collectables/furniture/chests/981/' ANTIQUES_COLLECTABLES__FURNITURE__TABLES = '/for-sale/antiques-collectables/furniture/tables/982/' ANTIQUES_COLLECTABLES__FURNITURE__OTHER_FURNITURE = '/for-sale/antiques-collectables/furniture/other-furniture/983/' ANTIQUES_COLLECTABLES__JEWELLERY = '/for-sale/antiques-collectables/jewellery/69/' ANTIQUES_COLLECTABLES__MEMORABILIA = '/for-sale/antiques-collectables/memorabilia/70/' ANTIQUES_COLLECTABLES__ORNAMENTS_FIGURINES = '/for-sale/antiques-collectables/ornaments-figurines/303345/' ANTIQUES_COLLECTABLES__POSTCARDS = '/for-sale/antiques-collectables/postcards/990/' ANTIQUES_COLLECTABLES__POSTERS = '/for-sale/antiques-collectables/posters/991/' ANTIQUES_COLLECTABLES__SIGNS = '/for-sale/antiques-collectables/signs/993/' ANTIQUES_COLLECTABLES__SILVER_METAL_WARE = '/for-sale/antiques-collectables/silver-metal-ware/992/' ANTIQUES_COLLECTABLES__STAMPS = '/for-sale/antiques-collectables/stamps/994/' ANTIQUES_COLLECTABLES__OTHER_ANTIQUES_COLLECTABLES = '/for-sale/antiques-collectables/other-antiques-collectables/71/' ART_CRAFT = '/for-sale/art-craft/72/' ART_CRAFT__ART_SUPPLIES_EQUIPMENT = '/for-sale/art-craft/art-supplies-equipment/73/' ART_CRAFT__ARTISAN_FOOD = '/for-sale/art-craft/artisan-food/350/' ART_CRAFT__ARTS_AND_CRAFTS_KITS = '/for-sale/art-craft/arts-and-crafts-kits/346/' ART_CRAFT__CRAFT_SUPPLIES_AND_EQUIPMENT = '/for-sale/art-craft/craft-supplies-and-equipment/349/' ART_CRAFT__FABRIC_TEXTILE = '/for-sale/art-craft/fabric-textile/303346/' ART_CRAFT__PICTURES_PAINTINGS = '/for-sale/art-craft/pictures-paintings/74/' ART_CRAFT__POTTERY_CERAMICS = '/for-sale/art-craft/pottery-ceramics/75/' ART_CRAFT__SCRAPBOOKING = '/for-sale/art-craft/scrapbooking/347/' ART_CRAFT__SCULPTURES_AND_WOODWORK = '/for-sale/art-craft/sculptures-and-woodwork/345/' ART_CRAFT__SEWING_AND_KNITTING = '/for-sale/art-craft/sewing-and-knitting/344/' ART_CRAFT__STATIONERY = '/for-sale/art-craft/stationery/348/' ART_CRAFT__OTHER_ART_CRAFT = '/for-sale/art-craft/other-art-craft/76/' BABY_NURSERY = '/for-sale/baby-nursery/77/' BABY_NURSERY__BABY_GIFTS = '/for-sale/baby-nursery/baby-gifts/479/' BABY_NURSERY__BABY_GIFTS__BOYS = '/for-sale/baby-nursery/baby-gifts/boys/1010/' BABY_NURSERY__BABY_GIFTS__GIRLS = '/for-sale/baby-nursery/baby-gifts/girls/1011/' BABY_NURSERY__BABYROOM_FURNITURE = '/for-sale/baby-nursery/babyroom-furniture/78/' BABY_NURSERY__BABYROOM_FURNITURE__COTS = '/for-sale/baby-nursery/babyroom-furniture/cots/1012/' BABY_NURSERY__BABYROOM_FURNITURE__DRAWERS = '/for-sale/baby-nursery/babyroom-furniture/drawers/1013/' BABY_NURSERY__BABYROOM_FURNITURE__MOBILES = '/for-sale/baby-nursery/babyroom-furniture/mobiles/1015/' BABY_NURSERY__BABYROOM_FURNITURE__MOSES_BASKETS = '/for-sale/baby-nursery/babyroom-furniture/moses-baskets/1014/' BABY_NURSERY__BABYROOM_FURNITURE__TRAVEL_COTS = '/for-sale/baby-nursery/babyroom-furniture/travel-cots/1016/' BABY_NURSERY__CAR_SEATS_TRAVEL = '/for-sale/baby-nursery/car-seats-travel/79/' BABY_NURSERY__CAR_SEATS_TRAVEL__BOOSTER_SEATS = '/for-sale/baby-nursery/car-seats-travel/booster-seats/1018/' BABY_NURSERY__CAR_SEATS_TRAVEL__INFANT_SEATS = '/for-sale/baby-nursery/car-seats-travel/infant-seats/1017/' BABY_NURSERY__CAR_SEATS_TRAVEL__TRAVEL_ACCESSORIES = '/for-sale/baby-nursery/car-seats-travel/travel-accessories/1019/' BABY_NURSERY__CHANGING_BATH_TIME = '/for-sale/baby-nursery/changing-bath-time/80/' BABY_NURSERY__CHANGING_BATH_TIME__CHANGING_BAGS = '/for-sale/baby-nursery/changing-bath-time/changing-bags/1022/' BABY_NURSERY__CHANGING_BATH_TIME__CHANGING_TABLES = '/for-sale/baby-nursery/changing-bath-time/changing-tables/1020/' BABY_NURSERY__CHANGING_BATH_TIME__MATS = '/for-sale/baby-nursery/changing-bath-time/mats/1021/' BABY_NURSERY__CHANGING_BATH_TIME__OTHER = '/for-sale/baby-nursery/changing-bath-time/other/1023/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS = '/for-sale/baby-nursery/clothing-blankets-covers/81/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__ALL_IN_ONES = '/for-sale/baby-nursery/clothing-blankets-covers/all-in-ones/1024/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__BLANKETS_COVERS = '/for-sale/baby-nursery/clothing-blankets-covers/blankets-covers/1031/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__BOTTOMS_TROUSERS = '/for-sale/baby-nursery/clothing-blankets-covers/bottoms-trousers/1127/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__DRESSES_SKIRTS = '/for-sale/baby-nursery/clothing-blankets-covers/dresses-skirts/1030/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__FOOTWEAR = '/for-sale/baby-nursery/clothing-blankets-covers/footwear/1028/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__HATS = '/for-sale/baby-nursery/clothing-blankets-covers/hats/1029/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__JACKETS = '/for-sale/baby-nursery/clothing-blankets-covers/jackets/1026/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__TOPS = '/for-sale/baby-nursery/clothing-blankets-covers/tops/1027/' BABY_NURSERY__CLOTHING_BLANKETS_COVERS__VESTS = '/for-sale/baby-nursery/clothing-blankets-covers/vests/1025/' BABY_NURSERY__FEEDING = '/for-sale/baby-nursery/feeding/82/' BABY_NURSERY__FEEDING__BOTTLES_STERILISERS = '/for-sale/baby-nursery/feeding/bottles-sterilisers/1033/' BABY_NURSERY__FEEDING__FEEDING_EQUIPMENT = '/for-sale/baby-nursery/feeding/feeding-equipment/1034/' BABY_NURSERY__FEEDING__HIGH_CHAIRS = '/for-sale/baby-nursery/feeding/high-chairs/1032/' BABY_NURSERY__PREGNANCY_MATERNITY = '/for-sale/baby-nursery/pregnancy-maternity/267/' BABY_NURSERY__PREGNANCY_MATERNITY__DRESSES = '/for-sale/baby-nursery/pregnancy-maternity/dresses/1035/' BABY_NURSERY__PREGNANCY_MATERNITY__NURSING_BRAS = '/for-sale/baby-nursery/pregnancy-maternity/nursing-bras/1038/' BABY_NURSERY__PREGNANCY_MATERNITY__TOPS = '/for-sale/baby-nursery/pregnancy-maternity/tops/1036/' BABY_NURSERY__PREGNANCY_MATERNITY__TROUSERS = '/for-sale/baby-nursery/pregnancy-maternity/trousers/1037/' BABY_NURSERY__PREGNANCY_MATERNITY__OTHER = '/for-sale/baby-nursery/pregnancy-maternity/other/1039/' BABY_NURSERY__PUSHCHAIRS_PRAMS = '/for-sale/baby-nursery/pushchairs-prams/83/' BABY_NURSERY__PUSHCHAIRS_PRAMS__ACCESSORIES = '/for-sale/baby-nursery/pushchairs-prams/accessories/1044/' BABY_NURSERY__PUSHCHAIRS_PRAMS__BUGGIES = '/for-sale/baby-nursery/pushchairs-prams/buggies/1041/' BABY_NURSERY__PUSHCHAIRS_PRAMS__PRAMS = '/for-sale/baby-nursery/pushchairs-prams/prams/1040/' BABY_NURSERY__PUSHCHAIRS_PRAMS__TRAVEL_SYSTEMS = '/for-sale/baby-nursery/pushchairs-prams/travel-systems/1043/' BABY_NURSERY__PUSHCHAIRS_PRAMS__TWIN_DOUBLE_BUGGIES = '/for-sale/baby-nursery/pushchairs-prams/twin-double-buggies/1042/' BABY_NURSERY__SAFETY_MONITORS = '/for-sale/baby-nursery/safety-monitors/84/' BABY_NURSERY__SAFETY_MONITORS__GATES = '/for-sale/baby-nursery/safety-monitors/gates/1045/' BABY_NURSERY__SAFETY_MONITORS__MONITORS = '/for-sale/baby-nursery/safety-monitors/monitors/1046/' BABY_NURSERY__SAFETY_MONITORS__SAFETY_ACCESSORIES = '/for-sale/baby-nursery/safety-monitors/safety-accessories/1047/' BABY_NURSERY__TOYS = '/for-sale/baby-nursery/toys/85/' BABY_NURSERY__TOYS__ACTIVITY_MATS = '/for-sale/baby-nursery/toys/activity-mats/1048/' BABY_NURSERY__TOYS__DOLLS = '/for-sale/baby-nursery/toys/dolls/1049/' BABY_NURSERY__TOYS__MUSICAL_TOYS = '/for-sale/baby-nursery/toys/musical-toys/1052/' BABY_NURSERY__TOYS__RATTLES = '/for-sale/baby-nursery/toys/rattles/1050/' BABY_NURSERY__TOYS__SOFT_TOYS = '/for-sale/baby-nursery/toys/soft-toys/1051/' BABY_NURSERY__TOYS__OTHER_BABY_TOYS = '/for-sale/baby-nursery/toys/other-baby-toys/1053/' BABY_NURSERY__WALKERS_BOUNCERS = '/for-sale/baby-nursery/walkers-bouncers/303347/' BABY_NURSERY__WALKERS_BOUNCERS__BOUNCERS = '/for-sale/baby-nursery/walkers-bouncers/bouncers/1055/' BABY_NURSERY__WALKERS_BOUNCERS__SWINGS = '/for-sale/baby-nursery/walkers-bouncers/swings/1056/' BABY_NURSERY__WALKERS_BOUNCERS__WALKERS = '/for-sale/baby-nursery/walkers-bouncers/walkers/1054/' BABY_NURSERY__OTHER_BABY_NURSERY = '/for-sale/baby-nursery/other-baby-nursery/86/' BOOKS_MAGAZINES = '/for-sale/books-magazines/87/' BOOKS_MAGAZINES__ART_ARCHITECTURE_AND_PHOTOGRAPHY = '/for-sale/books-magazines/art-architecture-and-photography/567/' BOOKS_MAGAZINES__AUDIOBOOKS = '/for-sale/books-magazines/audiobooks/568/' BOOKS_MAGAZINES__BIOGRAPHIES = '/for-sale/books-magazines/biographies/569/' BOOKS_MAGAZINES__BULK = '/for-sale/books-magazines/bulk/88/' BOOKS_MAGAZINES__CHILDREN_BABIES = '/for-sale/books-magazines/children-babies/89/' BOOKS_MAGAZINES__DIY_GARDENING = '/for-sale/books-magazines/diy-gardening/571/' BOOKS_MAGAZINES__FICTION = '/for-sale/books-magazines/fiction/90/' BOOKS_MAGAZINES__FOOD_AND_DRINK = '/for-sale/books-magazines/food-and-drink/570/' BOOKS_MAGAZINES__MAGAZINES_COMICS = '/for-sale/books-magazines/magazines-comics/91/' BOOKS_MAGAZINES__NON_FICTION = '/for-sale/books-magazines/non-fiction/92/' BOOKS_MAGAZINES__SCHOOL_COLLEGE_BOOKS = '/for-sale/books-magazines/school-college-books/93/' BOOKS_MAGAZINES__TRAVEL = '/for-sale/books-magazines/travel/303348/' BOOKS_MAGAZINES__OTHER_BOOKS_MAGAZINES = '/for-sale/books-magazines/other-books-magazines/36/' BUSINESS_OFFICE = '/for-sale/business-office/94/' BUSINESS_OFFICE__BUSINESS_SHOP_FITTINGS = '/for-sale//business-office/business-shop-fittings/890/' BUSINESS_OFFICE__BUSINESS_STOCK = '/for-sale//business-office/business-stock/891/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE = '/for-sale/business-office/businesses-for-sale/268/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__BUSINESS_SERVICES = '/for-sale/business-office/businesses-for-sale/business-services/881/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__MANUFACTURING = '/for-sale/business-office/businesses-for-sale/manufacturing/880/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__RETAIL = '/for-sale/business-office/businesses-for-sale/retail/879/' BUSINESS_OFFICE__BUSINESSES_FOR_SALE__TAXI_PLATES = '/for-sale/business-office/businesses-for-sale/taxi-plates/882/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES = '/for-sale/business-office/office-equipment-supplies/95/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES__CATERING_EQUIPMENT = '/for-sale/business-office/office-equipment-supplies/catering-equipment/885/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES__INDUSTRIAL_EQUIPMENT = '/for-sale/business-office/office-equipment-supplies/industrial-equipment/884/' BUSINESS_OFFICE__OFFICE_EQUIPMENT_SUPPLIES__STATIONERY_SUPPLIES = '/for-sale/business-office/office-equipment-supplies/stationery-supplies/883/' BUSINESS_OFFICE__OFFICE_FURNITURE = '/for-sale/business-office/office-furniture/96/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_CABINETS = '/for-sale/business-office/office-furniture/office-cabinets/887/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_DESKS = '/for-sale/business-office/office-furniture/office-desks/889/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_SHELVING = '/for-sale/business-office/office-furniture/office-shelving/888/' BUSINESS_OFFICE__OFFICE_FURNITURE__OFFICE_TABLES_CHAIRS = '/for-sale/business-office/office-furniture/office-tables-chairs/886/' BUSINESS_OFFICE__OTHER_BUSINESS_OFFICE = '/for-sale/business-office/other-business-office/97/' CARS_MOTORBIKES_BOATS = '/for-sale/cars-motorbikes-boats/46/' CARS_MOTORBIKES_BOATS__BOATS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/boats-accessories/98/' CARS_MOTORBIKES_BOATS__BOATS_ACCESSORIES__BOATS = '/for-sale/cars-motorbikes-boats/boats-accessories/boats/1128/' CARS_MOTORBIKES_BOATS__BOATS_ACCESSORIES__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/boats-accessories/parts-accessories/1129/' CARS_MOTORBIKES_BOATS__CAMPERS_MOTORHOMES = '/for-sale/cars-motorbikes-boats/campers-motorhomes/477/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/car-parts-accessories/45/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__ALARMS_SECURITY = '/for-sale/cars-motorbikes-boats/car-parts-accessories/alarms-security/1131/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__ALLOYS_WHEELS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/alloys-wheels/1130/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__AUDIO = '/for-sale/cars-motorbikes-boats/car-parts-accessories/audio/1134/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__CARS_FOR_BREAKING = '/for-sale/cars-motorbikes-boats/car-parts-accessories/cars-for-breaking/1135/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__ENGINE_PARTS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/engine-parts/1137/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__EXTERIOR_PARTS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/exterior-parts/1133/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__INTERIORS_PARTS = '/for-sale/cars-motorbikes-boats/car-parts-accessories/interiors-parts/1132/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__TYRES = '/for-sale/cars-motorbikes-boats/car-parts-accessories/tyres/1136/' CARS_MOTORBIKES_BOATS__CAR_PARTS_ACCESSORIES__OTHER = '/for-sale/cars-motorbikes-boats/car-parts-accessories/other/1138/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/99/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES__CARAVANS = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/caravans/1139/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES__MOBILE_HOMES = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/mobile-homes/1140/' CARS_MOTORBIKES_BOATS__CARAVANS_MOBILE_HOMES__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/caravans-mobile-homes/parts-accessories/1141/' CARS_MOTORBIKES_BOATS__CARS = '/for-sale/cars-motorbikes-boats/cars/2/' CARS_MOTORBIKES_BOATS__COACHES_BUSES = '/for-sale/cars-motorbikes-boats/coaches-buses/100/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/101/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__ACCESSORIES = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/accessories/1146/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__CLOTHING_BOOTS = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/clothing-boots/1143/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__HELMETS = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/helmets/1145/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__PARTS = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/parts/1144/' CARS_MOTORBIKES_BOATS__MOTORBIKE_PARTS_ACCESSORIES__WHEELS_TYRES = '/for-sale/cars-motorbikes-boats/motorbike-parts-accessories/wheels-tyres/1142/' CARS_MOTORBIKES_BOATS__MOTORBIKES = '/for-sale/cars-motorbikes-boats/motorbikes/47/' CARS_MOTORBIKES_BOATS__PLANT_MACHINERY = '/for-sale/cars-motorbikes-boats/plant-machinery/892/' CARS_MOTORBIKES_BOATS__QUADS = '/for-sale/cars-motorbikes-boats/quads/102/' CARS_MOTORBIKES_BOATS__QUADS__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/quads/parts-accessories/1148/' CARS_MOTORBIKES_BOATS__QUADS__QUADS = '/for-sale/cars-motorbikes-boats/quads/quads/1147/' CARS_MOTORBIKES_BOATS__SCOOTERS = '/for-sale/cars-motorbikes-boats/scooters/893/' CARS_MOTORBIKES_BOATS__SCOOTERS__MOBILITY_SCOOTERS = '/for-sale/cars-motorbikes-boats/scooters/mobility-scooters/1150/' CARS_MOTORBIKES_BOATS__SCOOTERS__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/scooters/parts-accessories/1151/' CARS_MOTORBIKES_BOATS__SCOOTERS__SCOOTERS = '/for-sale/cars-motorbikes-boats/scooters/scooters/1149/' CARS_MOTORBIKES_BOATS__TRAILERS = '/for-sale/cars-motorbikes-boats/trailers/104/' CARS_MOTORBIKES_BOATS__TRAILERS__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/trailers/parts-accessories/1153/' CARS_MOTORBIKES_BOATS__TRAILERS__TRAILERS = '/for-sale/cars-motorbikes-boats/trailers/trailers/1152/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL = '/for-sale/cars-motorbikes-boats/trucks-commercial/105/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__COMMERCIAL_4_X_4S = '/for-sale/cars-motorbikes-boats/trucks-commercial/commercial-4-x-4s/1156/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__COMMERCIAL_VANS = '/for-sale/cars-motorbikes-boats/trucks-commercial/commercial-vans/1155/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/trucks-commercial/parts-accessories/1157/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__TRUCKS = '/for-sale/cars-motorbikes-boats/trucks-commercial/trucks/1154/' CARS_MOTORBIKES_BOATS__TRUCKS_COMMERCIAL__OTHER = '/for-sale/cars-motorbikes-boats/trucks-commercial/other/1158/' CARS_MOTORBIKES_BOATS__VINTAGE_CLASSIC = '/for-sale/cars-motorbikes-boats/vintage-classic/106/' CARS_MOTORBIKES_BOATS__VINTAGE_CLASSIC__PARTS_ACCESSORIES = '/for-sale/cars-motorbikes-boats/vintage-classic/parts-accessories/1160/' CARS_MOTORBIKES_BOATS__VINTAGE_CLASSIC__VEHICLES = '/for-sale/cars-motorbikes-boats/vintage-classic/vehicles/1159/' CARS_MOTORBIKES_BOATS__OTHER_CARS_MOTORBIKES_BOATS = '/for-sale/cars-motorbikes-boats/other-cars-motorbikes-boats/107/' CLOTHES_SHOES_ACCESSORIES = '/for-sale/clothes-shoes-accessories/114/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES = '/for-sale/clothes-shoes-accessories/accessories/115/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__BELTS = '/for-sale/clothes-shoes-accessories/accessories/belts/352/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/355/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES__READING_GLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/reading-glasses/647/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES__SUN_GLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/sun-glasses/648/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLASSES_SUNGLASSES__OTHER_GLASSES = '/for-sale/clothes-shoes-accessories/accessories/glasses-sunglasses/other-glasses/649/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/353/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES__GLOVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/gloves/650/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES__SCARVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/scarves/651/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__GLOVES_SCARVES__OTHER_GLOVES_SCARVES = '/for-sale/clothes-shoes-accessories/accessories/gloves-scarves/other-gloves-scarves/652/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/354/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__CAPS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/caps/655/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__MENS_HATS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/mens-hats/653/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__WOMENS_HATS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/womens-hats/654/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__HATS_CAPS__OTHER_HATS_CAPS = '/for-sale/clothes-shoes-accessories/accessories/hats-caps/other-hats-caps/656/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/356/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES__PURSES = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/purses/658/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES__WALLETS = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/wallets/657/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__WALLETS_PURSES__OTHER_WALLETS_PURSES = '/for-sale/clothes-shoes-accessories/accessories/wallets-purses/other-wallets-purses/659/' CLOTHES_SHOES_ACCESSORIES__ACCESSORIES__OTHER_ACCESSORIES = '/for-sale/clothes-shoes-accessories/accessories/other-accessories/357/' CLOTHES_SHOES_ACCESSORIES__BAGS = '/for-sale/clothes-shoes-accessories/bags/116/' CLOTHES_SHOES_ACCESSORIES__BAGS__BACKPACK_RUCKSACK = '/for-sale/clothes-shoes-accessories/bags/backpack-rucksack/666/' CLOTHES_SHOES_ACCESSORIES__BAGS__CLUTCH = '/for-sale/clothes-shoes-accessories/bags/clutch/664/' CLOTHES_SHOES_ACCESSORIES__BAGS__MENS_BAGS = '/for-sale/clothes-shoes-accessories/bags/mens-bags/660/' CLOTHES_SHOES_ACCESSORIES__BAGS__SHOPPER = '/for-sale/clothes-shoes-accessories/bags/shopper/665/' CLOTHES_SHOES_ACCESSORIES__BAGS__SHOULDER = '/for-sale/clothes-shoes-accessories/bags/shoulder/662/' CLOTHES_SHOES_ACCESSORIES__BAGS__SUITCASES = '/for-sale/clothes-shoes-accessories/bags/suitcases/667/' CLOTHES_SHOES_ACCESSORIES__BAGS__TOTES = '/for-sale/clothes-shoes-accessories/bags/totes/663/' CLOTHES_SHOES_ACCESSORIES__BAGS__TRAVEL = '/for-sale/clothes-shoes-accessories/bags/travel/248/' CLOTHES_SHOES_ACCESSORIES__BAGS__WOMENS_BAGS = '/for-sale/clothes-shoes-accessories/bags/womens-bags/661/' CLOTHES_SHOES_ACCESSORIES__BAGS__OTHER_BAGS = '/for-sale/clothes-shoes-accessories/bags/other-bags/668/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/246/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/358/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__GILETS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/gilets/672/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__RAINCOATS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/raincoats/671/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__SUMMER_COATS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/summer-coats/670/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__WINTER_COATS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/winter-coats/669/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COATS_JACKETS__OTHER_COATS_JACKETS = '/for-sale/clothes-shoes-accessories/boyswear/coats-jackets/other-coats-jackets/673/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/366/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS__JACKETS = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/jackets/675/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS__SUITS = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/suits/674/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__COMMUNION_OUTFITS__OTHER_COMMUNION = '/for-sale/clothes-shoes-accessories/boyswear/communion-outfits/other-communion/676/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/359/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/jeans/677/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/trousers/678/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JEANS_TROUSERS__OTHER_JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/jeans-trousers/other-jeans-trousers/679/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/369/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/cardigans/680/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/hoodies/682/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/jumpers/681/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__JUMPERS_KNITWEAR__OTHER_JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/boyswear/jumpers-knitwear/other-jumpers-knitwear/683/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__PYJAMAS = '/for-sale/clothes-shoes-accessories/boyswear/pyjamas/361/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/367/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS__LONG_SLEEVE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/long-sleeve-shirts/685/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS__SHORT_SLEEVE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/short-sleeve-shirts/684/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHIRTS__OTHER_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/shirts/other-shirts/686/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/boyswear/shorts/362/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/368/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__FOOTBALL_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/football-sportswear/687/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__RUGBY_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/rugby-sportswear/688/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/tracksuits/689/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SPORTSWEAR__OTHER_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/sportswear/other-sportswear/690/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/364/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__BERMUDA = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/bermuda/693/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__SWIM_SHOES = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-shoes/694/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__SWIM_SUIT = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-suit/691/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__SWIM_TOGS = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/swim-togs/692/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__SWIMWEAR__OTHER_SWIMWEAR = '/for-sale/clothes-shoes-accessories/boyswear/swimwear/other-swimwear/695/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/360/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS__LONG_SLEEVE_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/long-sleeve-tee-shirts/696/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS__SHORT_SLEEVE_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/short-sleeve-tee-shirts/697/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__TOPS_TEE_SHIRTS__OTHER_TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/tops-tee-shirts/other-tops-tee-shirts/698/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNDERWEAR_SOCKS = '/for-sale/clothes-shoes-accessories/boyswear/underwear-socks/363/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM = '/for-sale/clothes-shoes-accessories/boyswear/uniform/365/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__JUMPERS = '/for-sale/clothes-shoes-accessories/boyswear/uniform/jumpers/699/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__SHIRTS = '/for-sale/clothes-shoes-accessories/boyswear/uniform/shirts/701/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__TROUSERS = '/for-sale/clothes-shoes-accessories/boyswear/uniform/trousers/700/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__UNIFORM__OTHER_UNIFORM = '/for-sale/clothes-shoes-accessories/boyswear/uniform/other-uniform/702/' CLOTHES_SHOES_ACCESSORIES__BOYSWEAR__OTHER_BOYSWEAR = '/for-sale/clothes-shoes-accessories/boyswear/other-boyswear/370/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS = '/for-sale/clothes-shoes-accessories/fancy-dress/303349/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__BOYS = '/for-sale/clothes-shoes-accessories/fancy-dress/boys/703/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__GIRLS = '/for-sale/clothes-shoes-accessories/fancy-dress/girls/704/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__MEN = '/for-sale/clothes-shoes-accessories/fancy-dress/men/705/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__UNISEX = '/for-sale/clothes-shoes-accessories/fancy-dress/unisex/1384/' CLOTHES_SHOES_ACCESSORIES__FANCY_DRESS__WOMEN = '/for-sale/clothes-shoes-accessories/fancy-dress/women/706/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/247/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/371/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__GILETS = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/gilets/710/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__RAINCOAT = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/raincoat/709/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__SUMMER = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/summer/708/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__WINTER = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/winter/707/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COATS_JACKETS__OTHER_COATS_JACKETS = '/for-sale/clothes-shoes-accessories/girlswear/coats-jackets/other-coats-jackets/711/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/380/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS__ACCESSORIES = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/accessories/713/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS__DRESSES = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/dresses/712/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__COMMUNION_OUTFITS__OTHER_COMMUNION = '/for-sale/clothes-shoes-accessories/girlswear/communion-outfits/other-communion/714/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__DRESSES = '/for-sale/clothes-shoes-accessories/girlswear/dresses/375/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/372/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/jeans/715/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/girlswear/jeans-trousers/trousers/716/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/382/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/cardigans/717/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/hoodies/719/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/jumpers/718/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__JUMPERS_KNITWEAR__OTHER_JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/girlswear/jumpers-knitwear/other-jumpers-knitwear/720/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__PYJAMAS = '/for-sale/clothes-shoes-accessories/girlswear/pyjamas/374/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/girlswear/shorts/412/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS = '/for-sale/clothes-shoes-accessories/girlswear/skirts/376/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS__LONG = '/for-sale/clothes-shoes-accessories/girlswear/skirts/long/722/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS__SHORT = '/for-sale/clothes-shoes-accessories/girlswear/skirts/short/721/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SKIRTS__OTHER_SKIRTS = '/for-sale/clothes-shoes-accessories/girlswear/skirts/other-skirts/723/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SOCKS_TIGHTS = '/for-sale/clothes-shoes-accessories/girlswear/socks-tights/414/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/381/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/bottoms/725/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__TOPS = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/tops/724/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/tracksuits/726/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SPORTSWEAR__OTHER_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/sportswear/other-sportswear/727/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/378/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__BIKINIS = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/bikinis/731/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/bottoms/730/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__SWIMSUIT = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/swimsuit/728/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__SWIMWEAR__TOPS = '/for-sale/clothes-shoes-accessories/girlswear/swimwear/tops/729/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/373/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__TOPS_TEE_SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/long-sleeve/732/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__TOPS_TEE_SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/girlswear/tops-tee-shirts/short-sleeve/733/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNDERWEAR = '/for-sale/clothes-shoes-accessories/girlswear/underwear/377/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM = '/for-sale/clothes-shoes-accessories/girlswear/uniform/379/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__JUMPERS = '/for-sale/clothes-shoes-accessories/girlswear/uniform/jumpers/734/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__SKIRTS = '/for-sale/clothes-shoes-accessories/girlswear/uniform/skirts/735/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__TROUSERS = '/for-sale/clothes-shoes-accessories/girlswear/uniform/trousers/736/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__UNIFORM__OTHER_UNIFORM = '/for-sale/clothes-shoes-accessories/girlswear/uniform/other-uniform/737/' CLOTHES_SHOES_ACCESSORIES__GIRLSWEAR__OTHER_GIRLSWEAR = '/for-sale/clothes-shoes-accessories/girlswear/other-girlswear/383/' KIDSWEAR = '/for-sale/kidswear/303510/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR = '/for-sale/clothes-shoes-accessories/menswear/118/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/384/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__GILET = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/gilet/742/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__RAINCOATS = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/raincoats/741/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__SUMMER = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/summer/740/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__WINTER = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/winter/739/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__COATS_JACKETS__OTHER_COATS_JACKETS = '/for-sale/clothes-shoes-accessories/menswear/coats-jackets/other-coats-jackets/743/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/385/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/jeans/744/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/menswear/jeans-trousers/trousers/745/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/392/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/cardigans/746/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/hoodies/748/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/jumpers/747/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__JUMPERS_KNITWEAR__OTHER_JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/menswear/jumpers-knitwear/other-jumpers-knitwear/749/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS = '/for-sale/clothes-shoes-accessories/menswear/shirts/388/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/shirts/long-sleeve/750/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/shirts/short-sleeve/751/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHIRTS__OTHER_SHIRTS = '/for-sale/clothes-shoes-accessories/menswear/shirts/other-shirts/752/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/menswear/shorts/387/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SLEEPWEAR = '/for-sale/clothes-shoes-accessories/menswear/sleepwear/410/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/menswear/sportswear/391/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/menswear/sportswear/bottoms/756/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__FOOTBALL = '/for-sale/clothes-shoes-accessories/menswear/sportswear/football/753/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__RUGBY = '/for-sale/clothes-shoes-accessories/menswear/sportswear/rugby/754/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__TOPS = '/for-sale/clothes-shoes-accessories/menswear/sportswear/tops/757/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/menswear/sportswear/tracksuits/755/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SPORTSWEAR__OTHER_SPORTSWEAR = '/for-sale/clothes-shoes-accessories/menswear/sportswear/other-sportswear/758/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SUITS = '/for-sale/clothes-shoes-accessories/menswear/suits/390/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/menswear/swimwear/389/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/386/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__TOPS_TEE_SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/long-sleeve/759/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__TOPS_TEE_SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/menswear/tops-tee-shirts/short-sleeve/760/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__UNDERWEAR_SOCKS = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/393/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__UNDERWEAR_SOCKS__SOCKS = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/socks/762/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__UNDERWEAR_SOCKS__UNDERWEAR = '/for-sale/clothes-shoes-accessories/menswear/underwear-socks/underwear/761/' CLOTHES_SHOES_ACCESSORIES__MENSWEAR__OTHER_MENSWEAR = '/for-sale/clothes-shoes-accessories/menswear/other-menswear/394/' CLOTHES_SHOES_ACCESSORIES__SHOES = '/for-sale/clothes-shoes-accessories/shoes/119/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS = '/for-sale/clothes-shoes-accessories/shoes/boys/406/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__BOOTS = '/for-sale/clothes-shoes-accessories/shoes/boys/boots/766/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__CASUAL = '/for-sale/clothes-shoes-accessories/shoes/boys/casual/1264/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__FORMAL = '/for-sale/clothes-shoes-accessories/shoes/boys/formal/769/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/boys/sandals/768/' CLOTHES_SHOES_ACCESSORIES__SHOES__BOYS__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/boys/trainers/767/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS = '/for-sale/clothes-shoes-accessories/shoes/girls/407/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__BOOTS = '/for-sale/clothes-shoes-accessories/shoes/girls/boots/771/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__CASUAL = '/for-sale/clothes-shoes-accessories/shoes/girls/casual/770/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__FORMAL = '/for-sale/clothes-shoes-accessories/shoes/girls/formal/774/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/girls/sandals/773/' CLOTHES_SHOES_ACCESSORIES__SHOES__GIRLS__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/girls/trainers/772/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN = '/for-sale/clothes-shoes-accessories/shoes/men/408/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__BOOTS = '/for-sale/clothes-shoes-accessories/shoes/men/boots/776/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__CASUAL = '/for-sale/clothes-shoes-accessories/shoes/men/casual/775/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__FORMAL = '/for-sale/clothes-shoes-accessories/shoes/men/formal/779/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/men/sandals/778/' CLOTHES_SHOES_ACCESSORIES__SHOES__MEN__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/men/trainers/777/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN = '/for-sale/clothes-shoes-accessories/shoes/women/409/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__ANKLE_BOOTS = '/for-sale/clothes-shoes-accessories/shoes/women/ankle-boots/781/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__FLATS = '/for-sale/clothes-shoes-accessories/shoes/women/flats/780/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__HIGH_HEELS = '/for-sale/clothes-shoes-accessories/shoes/women/high-heels/784/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__SANDALS = '/for-sale/clothes-shoes-accessories/shoes/women/sandals/783/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__TALL_BOOTS = '/for-sale/clothes-shoes-accessories/shoes/women/tall-boots/786/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__TRAINERS = '/for-sale/clothes-shoes-accessories/shoes/women/trainers/782/' CLOTHES_SHOES_ACCESSORIES__SHOES__WOMEN__WEDGES = '/for-sale/clothes-shoes-accessories/shoes/women/wedges/785/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING = '/for-sale/clothes-shoes-accessories/vintage-clothing/120/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__ACCESSORIES = '/for-sale/clothes-shoes-accessories/vintage-clothing/accessories/791/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__DRESSES_SKIRTS = '/for-sale/clothes-shoes-accessories/vintage-clothing/dresses-skirts/790/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__JACKETS = '/for-sale/clothes-shoes-accessories/vintage-clothing/jackets/787/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__TOPS = '/for-sale/clothes-shoes-accessories/vintage-clothing/tops/788/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__TROUSERS = '/for-sale/clothes-shoes-accessories/vintage-clothing/trousers/789/' CLOTHES_SHOES_ACCESSORIES__VINTAGE_CLOTHING__OTHER_VINTAGE = '/for-sale/clothes-shoes-accessories/vintage-clothing/other-vintage/792/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR = '/for-sale/clothes-shoes-accessories/womenswear/122/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__BLOUSES_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/416/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__BLOUSES_SHIRTS__LONG_SLEEVE = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/long-sleeve/793/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__BLOUSES_SHIRTS__SHORT_SLEEVE = '/for-sale/clothes-shoes-accessories/womenswear/blouses-shirts/short-sleeve/794/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/395/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__BLAZER = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/blazer/795/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__DENIM = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/denim/797/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__LEATHER = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/leather/796/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__COATS_JACKETS__WINTER_SUMMER = '/for-sale/clothes-shoes-accessories/womenswear/coats-jackets/winter-summer/798/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES = '/for-sale/clothes-shoes-accessories/womenswear/dresses/398/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__DEBS = '/for-sale/clothes-shoes-accessories/womenswear/dresses/debs/801/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__MAXI = '/for-sale/clothes-shoes-accessories/womenswear/dresses/maxi/802/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__MIDI = '/for-sale/clothes-shoes-accessories/womenswear/dresses/midi/803/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__DRESSES__MINI = '/for-sale/clothes-shoes-accessories/womenswear/dresses/mini/804/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JEANS_TROUSERS = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/396/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JEANS_TROUSERS__JEANS = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/jeans/799/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JEANS_TROUSERS__TROUSERS = '/for-sale/clothes-shoes-accessories/womenswear/jeans-trousers/trousers/800/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/404/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR__CARDIGANS = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/cardigans/806/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR__HOODIES = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/hoodies/807/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__JUMPERS_KNITWEAR__JUMPERS = '/for-sale/clothes-shoes-accessories/womenswear/jumpers-knitwear/jumpers/805/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__LINGERIE = '/for-sale/clothes-shoes-accessories/womenswear/lingerie/400/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/womenswear/shorts/413/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SHORTS__CASUAL = '/for-sale/clothes-shoes-accessories/womenswear/shorts/casual/809/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SHORTS__TAILORED = '/for-sale/clothes-shoes-accessories/womenswear/shorts/tailored/808/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS = '/for-sale/clothes-shoes-accessories/womenswear/skirts/399/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS__MAXI = '/for-sale/clothes-shoes-accessories/womenswear/skirts/maxi/810/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS__MIDI = '/for-sale/clothes-shoes-accessories/womenswear/skirts/midi/811/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SKIRTS__MINI = '/for-sale/clothes-shoes-accessories/womenswear/skirts/mini/812/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SLEEPWEAR = '/for-sale/clothes-shoes-accessories/womenswear/sleepwear/411/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SOCKS_TIGHTS = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/415/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SOCKS_TIGHTS__SOCKS = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/socks/813/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SOCKS_TIGHTS__TIGHTS = '/for-sale/clothes-shoes-accessories/womenswear/socks-tights/tights/814/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/403/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__BOTTOMS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/bottoms/819/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__SHORTS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/shorts/817/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__TEAM_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/team-shirts/815/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__TOPS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/tops/818/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SPORTSWEAR__TRACKSUITS = '/for-sale/clothes-shoes-accessories/womenswear/sportswear/tracksuits/816/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS = '/for-sale/clothes-shoes-accessories/womenswear/suits/402/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS__JACKETS = '/for-sale/clothes-shoes-accessories/womenswear/suits/jackets/820/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS__SETS = '/for-sale/clothes-shoes-accessories/womenswear/suits/sets/822/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SUITS__TROUSERS = '/for-sale/clothes-shoes-accessories/womenswear/suits/trousers/821/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SWIMWEAR = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/401/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SWIMWEAR__BIKINIS = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/bikinis/824/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__SWIMWEAR__SWIMSUITS = '/for-sale/clothes-shoes-accessories/womenswear/swimwear/swimsuits/823/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/397/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS__TEE_SHIRTS = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/tee-shirts/825/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS__TOPS = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/tops/826/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__TOPS_TEE_SHIRTS__VEST_STRAPPY_CAMI = '/for-sale/clothes-shoes-accessories/womenswear/tops-tee-shirts/vest-strappy-cami/827/' CLOTHES_SHOES_ACCESSORIES__WOMENSWEAR__OTHER_WOMENSWEAR = '/for-sale/clothes-shoes-accessories/womenswear/other-womenswear/405/' CLOTHES_SHOES_ACCESSORIES__OTHER_CLOTHES_SHOES_ACCESSORIES = '/for-sale/clothes-shoes-accessories/other-clothes-shoes-accessories/123/' COMPUTERS = '/for-sale/computers/124/' COMPUTERS__APPLE_COMPUTERS = '/for-sale/computers/apple-computers/517/' COMPUTERS__APPLE_COMPUTERS__APPLE_TV = '/for-sale/computers/apple-computers/apple-tv/526/' COMPUTERS__APPLE_COMPUTERS__IBOOK = '/for-sale/computers/apple-computers/ibook/518/' COMPUTERS__APPLE_COMPUTERS__IMAC = '/for-sale/computers/apple-computers/imac/519/' COMPUTERS__APPLE_COMPUTERS__MAC_ACCESSORIES = '/for-sale/computers/apple-computers/mac-accessories/525/' COMPUTERS__APPLE_COMPUTERS__MAC_MINI = '/for-sale/computers/apple-computers/mac-mini/521/' COMPUTERS__APPLE_COMPUTERS__MAC_PRO = '/for-sale/computers/apple-computers/mac-pro/520/' COMPUTERS__APPLE_COMPUTERS__MACBOOK = '/for-sale/computers/apple-computers/macbook/522/' COMPUTERS__APPLE_COMPUTERS__MACBOOK_AIR = '/for-sale/computers/apple-computers/macbook-air/523/' COMPUTERS__APPLE_COMPUTERS__MACBOOK_PRO = '/for-sale/computers/apple-computers/macbook-pro/524/' COMPUTERS__APPLE_COMPUTERS__OTHER_APPLE_PRODUCTS = '/for-sale/computers/apple-computers/other-apple-products/527/' COMPUTERS__DESKTOPS_AND_MONITORS = '/for-sale/computers/desktops-and-monitors/125/' COMPUTERS__CABLES_AND_ADAPTORS = '/for-sale/computers/cables-and-adaptors/546/' COMPUTERS__CABLES_AND_ADAPTORS__AUDIO_CABLES = '/for-sale/computers/cables-and-adaptors/audio-cables/552/' COMPUTERS__CABLES_AND_ADAPTORS__DVI_CABLES = '/for-sale/computers/cables-and-adaptors/dvi-cables/551/' COMPUTERS__CABLES_AND_ADAPTORS__HDMI_CABLES = '/for-sale/computers/cables-and-adaptors/hdmi-cables/550/' COMPUTERS__CABLES_AND_ADAPTORS__NETWORK_CABLES = '/for-sale/computers/cables-and-adaptors/network Cables/549/' COMPUTERS__CABLES_AND_ADAPTORS__USB_CABLES = '/for-sale/computers/cables-and-adaptors/usb-cables/547/' COMPUTERS__CABLES_AND_ADAPTORS__VGA_CABLES = '/for-sale/computers/cables-and-adaptors/vga-cables/548/' COMPUTERS__PRINTERS_AND_SCANNERS__LASER_PRINTERS = '/for-sale/computers/printers-and-scanners/laser-printers/540/' COMPUTERS__PRINTERS_AND_SCANNERS__PHOTO_PRINTERS = '/for-sale/computers/printers-and-scanners/photo-printers/542/' COMPUTERS__PRINTERS_AND_SCANNERS__PRINTER_AND_SCANNER_SUPPLIES = '/for-sale/computers/printers-and-scanners/printer-and-scanner-supplies/545/' COMPUTERS__PRINTERS_AND_SCANNERS__SCANNERS = '/for-sale/computers/printers-and-scanners/scanners/543/' COMPUTERS__PRINTERS_AND_SCANNERS__OTHER_PRINTERS_AND_SCANNERS = '/for-sale/computers/printers-and-scanners/other-printers-and-scanners/544/' COMPUTERS__SERVERS = '/for-sale/computers/servers/131/' COMPUTERS__SOFTWARE = '/for-sale/computers/software/132/' COMPUTERS__SOFTWARE__BUSINESS_AND_FINANCE = '/for-sale/computers/software/business-and-finance/554/' COMPUTERS__SOFTWARE__EDUCATION_AND_REFERENCE = '/for-sale/computers/software/education-and-reference/556/' COMPUTERS__SOFTWARE__GRAPHICS_AND_DESIGN = '/for-sale/computers/software/graphics-and-design/555/' COMPUTERS__SOFTWARE__HOBBES_AND_INTERESTS = '/for-sale/computers/software/hobbes-and-interests/557/' COMPUTERS__SOFTWARE__OPERATING_SYSTEMS = '/for-sale/computers/software/operating-systems/560/' COMPUTERS__SOFTWARE__SECURITY_AND_ANTIVIRUS = '/for-sale/computers/software/security-and-antivirus/558/' COMPUTERS__SOFTWARE__VIDEO_AND_MUSIC = '/for-sale/computers/software/video-and-music/559/' COMPUTERS__SOFTWARE__OTHER_SOFTWARE = '/for-sale/computers/software/other-software/561/' COMPUTERS__OTHER_COMPUTERS = '/for-sale/computers/other-computers/133/' CONSOLES_GAMES = '/for-sale/consoles-games/134/' CONSOLES_GAMES__ACCESSORIES = '/for-sale/consoles-games/accessories/135/' CONSOLES_GAMES__ARCADE_RETRO = '/for-sale/consoles-games/arcade-retro/738/' CONSOLES_GAMES__GAMES = '/for-sale/consoles-games/games/136/' CONSOLES_GAMES__NINTENDO = '/for-sale/consoles-games/nintendo/137/' CONSOLES_GAMES__PLAYSTATION = '/for-sale/consoles-games/playstation/138/' CONSOLES_GAMES__XBOX = '/for-sale/consoles-games/xbox/139/' CONSOLES_GAMES__OTHER_CONSOLES_GAMES = '/for-sale/consoles-games/other-consoles-games/12/' CRAZY_RANDOM_STUFF = '/for-sale/crazy-random-stuff/32/' DIY_RENOVATION = '/for-sale/diy-renovation/140/' DIY_RENOVATION__BUILDING_MATERIALS = '/for-sale/diy-renovation/building-materials/141/' DIY_RENOVATION__BUILDING_MATERIALS__BATHROOM = '/for-sale/diy-renovation/building-materials/bathroom/995/' DIY_RENOVATION__BUILDING_MATERIALS__DOOR_WINDOWS = '/for-sale/diy-renovation/building-materials/door-windows/997/' DIY_RENOVATION__BUILDING_MATERIALS__HEATING_MATERIALS = '/for-sale/diy-renovation/building-materials/heating-materials/998/' DIY_RENOVATION__BUILDING_MATERIALS__KITCHEN = '/for-sale/diy-renovation/building-materials/kitchen/999/' DIY_RENOVATION__BUILDING_MATERIALS__PLUMBING_GAS = '/for-sale/diy-renovation/building-materials/plumbing-gas/1000/' DIY_RENOVATION__BUILDING_MATERIALS__TILES_FLOORING = '/for-sale/diy-renovation/building-materials/tiles-flooring/996/' DIY_RENOVATION__BUILDING_MATERIALS__OTHER_BUILDING_MATERIALS = '/for-sale/diy-renovation/building-materials/other-building-materials/1001/' DIY_RENOVATION__FIXTURES_FITTINGS = '/for-sale/diy-renovation/fixtures-fittings/142/' DIY_RENOVATION__FIXTURES_FITTINGS__HANDLES = '/for-sale/diy-renovation/fixtures-fittings/handles/1002/' DIY_RENOVATION__FIXTURES_FITTINGS__KNOBS = '/for-sale/diy-renovation/fixtures-fittings/knobs/1004/' DIY_RENOVATION__FIXTURES_FITTINGS__LOCKS_LATCHES = '/for-sale/diy-renovation/fixtures-fittings/locks-latches/1003/' DIY_RENOVATION__FIXTURES_FITTINGS__OTHER_FIXTURES_FITTINGS = '/for-sale/diy-renovation/fixtures-fittings/other-fixtures-fittings/1005/' DIY_RENOVATION__MACHINERY_TOOLS = '/for-sale/diy-renovation/machinery-tools/143/' DIY_RENOVATION__MACHINERY_TOOLS__HAND_TOOLS = '/for-sale/diy-renovation/machinery-tools/hand-tools/1006/' DIY_RENOVATION__MACHINERY_TOOLS__HEAVY_MACHINERY = '/for-sale/diy-renovation/machinery-tools/heavy-machinery/1008/' DIY_RENOVATION__MACHINERY_TOOLS__POWER_TOOLS = '/for-sale/diy-renovation/machinery-tools/power-tools/1007/' DIY_RENOVATION__MACHINERY_TOOLS__TOOL_PARTS_ACCESSORIES = '/for-sale/diy-renovation/machinery-tools/tool-parts-accessories/1009/' DIY_RENOVATION__OTHER_DIY_RENOVATION = '/for-sale/diy-renovation/other-diy-renovation/144/' DVD_CD_MOVIES = '/for-sale/dvd-cd-movies/108/' DVD_CD_MOVIES__BLU_RAY = '/for-sale/dvd-cd-movies/blu-ray/109/' DVD_CD_MOVIES__BULK = '/for-sale/dvd-cd-movies/bulk/110/' DVD_CD_MOVIES__CD = '/for-sale/dvd-cd-movies/cd/111/' DVD_CD_MOVIES__DVD = '/for-sale/dvd-cd-movies/dvd/112/' DVD_CD_MOVIES__TAPES = '/for-sale/dvd-cd-movies/tapes/245/' DVD_CD_MOVIES__VHS = '/for-sale/dvd-cd-movies/vhs/113/' DVD_CD_MOVIES__VINYL = '/for-sale/dvd-cd-movies/vinyl/244/' DVD_CD_MOVIES__OTHER_DVD_CD_MOVIES = '/for-sale/dvd-cd-movies/other-dvd-cd-movies/13/' ELECTRONICS = '/for-sale/electronics/145/' ELECTRONICS__CABLES = '/for-sale/electronics/cables/303353/' ELECTRONICS__DVD_PLAYER_BLU_RAY_AND_VCR = '/for-sale/electronics/dvd-player-blu-ray-and-vcr/146/' ELECTRONICS__E_READERS = '/for-sale/electronics/e-readers/578/' ELECTRONICS__HEADPHONES_EARPHONES = '/for-sale/electronics/headphones-earphones/579/' ELECTRONICS__HOME_AUDIO = '/for-sale/electronics/home-audio/147/' ELECTRONICS__IPOD_MP3 = '/for-sale/electronics/ipod-mp3/150/' ELECTRONICS__MEDIA_PLAYERS = '/for-sale/electronics/media-players/577/' ELECTRONICS__PHONE_FAX = '/for-sale/electronics/phone-fax/148/' ELECTRONICS__PROJECTOR = '/for-sale/electronics/projector/303352/' ELECTRONICS__SAT_NAV = '/for-sale/electronics/sat-nav/303351/' ELECTRONICS__SATELLITE = '/for-sale/electronics/satellite/251/' ELECTRONICS__TV = '/for-sale/electronics/tv/149/' ELECTRONICS__OTHER_ELECTRONICS = '/for-sale/electronics/other-electronics/50/' FARMING = '/for-sale/farming/582/' FARMING__FARM_FEEDS = '/for-sale/farming/farm-feeds/584/' FARMING__FARM_MACHINERY = '/for-sale/farming/farm-machinery/103/' FARMING__FARMING_EQUIPMENT = '/for-sale/farming/farming-equipment/583/' FARMING__LIVESTOCK = '/for-sale/farming/livestock/585/' FARMING__LIVESTOCK__BEEF_CATTLE = '/for-sale/farming/livestock/beef-cattle/586/' FARMING__LIVESTOCK__DAIRY_CATTLE = '/for-sale/farming/livestock/dairy-cattle/596/' FARMING__LIVESTOCK__GOATS = '/for-sale/farming/livestock/goats/597/' FARMING__LIVESTOCK__PIGS = '/for-sale/farming/livestock/pigs/587/' FARMING__LIVESTOCK__POULTRY = '/for-sale/farming/livestock/poultry/598/' FARMING__LIVESTOCK__SHEEP = '/for-sale/farming/livestock/sheep/588/' FARMING__TRACTORS_TRAILERS = '/for-sale/farming/tractors-trailers/589/' FARMING__TRACTORS_TRAILERS__TRACTOR_PARTS = '/for-sale/farming/tractors-trailers/tractor-parts/592/' FARMING__TRACTORS_TRAILERS__TRACTORS = '/for-sale/farming/tractors-trailers/tractors/590/' FARMING__TRACTORS_TRAILERS__TRAILERS_LINK_BOXES = '/for-sale/farming/tractors-trailers/trailers-link-boxes/593/' FARMING__TRACTORS_TRAILERS__VINTAGE_TRACTORS = '/for-sale/farming/tractors-trailers/vintage-tractors/591/' FARMING__TRACTORS_TRAILERS__OTHER_TRACTORS_TRAILERS = '/for-sale/farming/tractors-trailers/other-tractors-trailers/594/' FARMING__OTHER_FARMING = '/for-sale/farming/other-farming/595/' HEALTH_BEAUTY = '/for-sale/health-beauty/151/' HEALTH_BEAUTY__FRAGRANCES = '/for-sale/health-beauty/fragrances/1378/' HEALTH_BEAUTY__FRAGRANCES__MENS_FRAGRANCES = '/for-sale/health-beauty/fragrances/mens-fragrances/155/' HEALTH_BEAUTY__FRAGRANCES__UNISEX_FRAGRANCES = '/for-sale/health-beauty/fragrances/unisex-fragrances/1379/' HEALTH_BEAUTY__FRAGRANCES__WOMENS_FRAGRANCES = '/for-sale/health-beauty/fragrances/womens-fragrances/157/' HEALTH_BEAUTY__HAIR_CARE_GROOMING = '/for-sale/health-beauty/hair-care-grooming/152/' HEALTH_BEAUTY__HEALTHCARE = '/for-sale/health-beauty/healthcare/153/' HEALTH_BEAUTY__MAKEUP_SKIN_CARE = '/for-sale/health-beauty/makeup-skin-care/154/' HEALTH_BEAUTY__MANICURE_PEDICURE = '/for-sale/health-beauty/manicure-pedicure/581/' HEALTH_BEAUTY__OTHER_HEALTH_BEAUTY = '/for-sale/health-beauty/other-health-beauty/158/' HOME_GARDEN = '/for-sale/home-garden/159/' HOME_GARDEN__BATHROOM = '/for-sale/home-garden/bathroom/161/' HOME_GARDEN__BATHROOM__BATHROOM_FITTINGS = '/for-sale/home-garden/bathroom/bathroom-fittings/897/' HOME_GARDEN__BATHROOM__BATHS = '/for-sale/home-garden/bathroom/baths/895/' HOME_GARDEN__BATHROOM__SHOWERS = '/for-sale/home-garden/bathroom/showers/894/' HOME_GARDEN__BATHROOM__TOILETS = '/for-sale/home-garden/bathroom/toilets/896/' HOME_GARDEN__BEDS_BEDROOM = '/for-sale/home-garden/beds-bedroom/162/' HOME_GARDEN__BEDS_BEDROOM__BEDS = '/for-sale/home-garden/beds-bedroom/beds/902/' HOME_GARDEN__BEDS_BEDROOM__BEDS__DOUBLE = '/for-sale/home-garden/beds-bedroom/beds/double/909/' HOME_GARDEN__BEDS_BEDROOM__BEDS__KIDS_BEDS_BUNK_BEDS = '/for-sale/home-garden/beds-bedroom/beds/kids-beds-bunk-beds/912/' HOME_GARDEN__BEDS_BEDROOM__BEDS__KING_SIZE = '/for-sale/home-garden/beds-bedroom/beds/king-size/911/' HOME_GARDEN__BEDS_BEDROOM__BEDS__MATTRESSES = '/for-sale/home-garden/beds-bedroom/beds/mattresses/913/' HOME_GARDEN__BEDS_BEDROOM__BEDS__QUEEN_SIZE = '/for-sale/home-garden/beds-bedroom/beds/queen-size/910/' HOME_GARDEN__BEDS_BEDROOM__BEDS__SINGLE = '/for-sale/home-garden/beds-bedroom/beds/single/908/' HOME_GARDEN__BEDS_BEDROOM__BEDS__SOFA_BEDS = '/for-sale/home-garden/beds-bedroom/beds/sofa-beds/914/' HOME_GARDEN__BEDS_BEDROOM__CHESTS = '/for-sale/home-garden/beds-bedroom/chests/903/' HOME_GARDEN__BEDS_BEDROOM__DRESSING_TABLES = '/for-sale/home-garden/beds-bedroom/dressing-tables/906/' HOME_GARDEN__BEDS_BEDROOM__LOCKERS = '/for-sale/home-garden/beds-bedroom/lockers/904/' HOME_GARDEN__BEDS_BEDROOM__WARDROBES = '/for-sale/home-garden/beds-bedroom/wardrobes/905/' HOME_GARDEN__BEDS_BEDROOM__OTHER = '/for-sale/home-garden/beds-bedroom/other/907/' HOME_GARDEN__BLINDS_CURTAINS = '/for-sale/home-garden/blinds-curtains/163/' HOME_GARDEN__BLINDS_CURTAINS__BLINDS = '/for-sale/home-garden/blinds-curtains/blinds/915/' HOME_GARDEN__BLINDS_CURTAINS__CURTAINS = '/for-sale/home-garden/blinds-curtains/curtains/916/' HOME_GARDEN__BLINDS_CURTAINS__FITTINGS_ACCESSORIES = '/for-sale/home-garden/blinds-curtains/fittings-accessories/917/' HOME_GARDEN__CARPETS_RUGS = '/for-sale/home-garden/carpets-rugs/342/' HOME_GARDEN__CARPETS_RUGS__CARPETS = '/for-sale/home-garden/carpets-rugs/carpets/918/' HOME_GARDEN__CARPETS_RUGS__RUGS = '/for-sale/home-garden/carpets-rugs/rugs/919/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS = '/for-sale/home-garden/celebrations-and-occasions/478/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__BIRTHDAY = '/for-sale/home-garden/celebrations-and-occasions/birthday/480/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS = '/for-sale/home-garden/celebrations-and-occasions/christmas/481/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_CLOTHES = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-clothes/858/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_DECORATIONS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-decorations/853/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_HAMPERS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-hampers/860/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_LIGHTS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-lights/857/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_STOCKINGS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-stockings/859/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_TABLEWARE = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-tableware/855/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_TREES_STANDS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-trees-stands/854/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__CHRISTMAS_WREATHS_GARLANDS_PLANTS = '/for-sale/home-garden/celebrations-and-occasions/christmas/christmas-wreaths-garlands-plants/856/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__CHRISTMAS__OTHER_CHRISTMAS_ITEMS = '/for-sale/home-garden/celebrations-and-occasions/christmas/other-christmas-items/861/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__GREETINGS_CARDS = '/for-sale/home-garden/celebrations-and-occasions/greetings-cards/482/' HOME_GARDEN__HALLOWEEN_DECORATIONS = '/for-sale/home-garden/halloween-decorations/303509/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__HAMPERS = '/for-sale/home-garden/celebrations-and-occasions/hampers/488/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__HEN_STAG_PARTY_SUPPLIES = '/for-sale/home-garden/celebrations-and-occasions/hen-stag-party-supplies/599/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__WEDDING__PARTY_DECORATIONS_AND_SUPPLIES = '/for-sale/home-garden/celebrations-and-occasions/wedding/party-decorations-and-supplies/486/' HOME_GARDEN__CELEBRATIONS_AND_OCCASIONS__WEDDING__OTHER_CELEBRATIONS_AND_OCCASIONS = '/for-sale/home-garden/celebrations-and-occasions/wedding/other-celebrations-and-occasions/487/' HOME_GARDEN__DINING_UTENSILS = '/for-sale/home-garden/dining-utensils/959/' HOME_GARDEN__DINING_UTENSILS__CUPS_GLASSES = '/for-sale/home-garden/dining-utensils/cups-glasses/963/' HOME_GARDEN__DINING_UTENSILS__DINNERWARE = '/for-sale/home-garden/dining-utensils/dinnerware/964/' HOME_GARDEN__DINING_UTENSILS__PANS_BAKEWARE = '/for-sale/home-garden/dining-utensils/pans-bakeware/961/' HOME_GARDEN__DINING_UTENSILS__POTS = '/for-sale/home-garden/dining-utensils/pots/960/' HOME_GARDEN__DINING_UTENSILS__UTENSILS_CUTLERY = '/for-sale/home-garden/dining-utensils/utensils-cutlery/962/' HOME_GARDEN__DINING_UTENSILS__OTHER_DINING_UTENSILS = '/for-sale/home-garden/dining-utensils/other-dining-utensils/965/' HOME_GARDEN__FURNITURE = '/for-sale/home-garden/furniture/270/' HOME_GARDEN__FURNITURE__ARMCHAIRS = '/for-sale/home-garden/furniture/armchairs/867/' HOME_GARDEN__FURNITURE__BOOKCASES = '/for-sale/home-garden/furniture/bookcases/869/' HOME_GARDEN__FURNITURE__CABINETS = '/for-sale/home-garden/furniture/cabinets/863/' HOME_GARDEN__FURNITURE__COFFEE_TABLES = '/for-sale/home-garden/furniture/coffee-tables/864/' HOME_GARDEN__FURNITURE__DINING_TABLES_CHAIRS = '/for-sale/home-garden/furniture/dining-tables-chairs/865/' HOME_GARDEN__FURNITURE__OCCASIONAL_FURNITURE = '/for-sale/home-garden/furniture/occasional-furniture/866/' HOME_GARDEN__FURNITURE__SOFAS_SUITES = '/for-sale/home-garden/furniture/sofas-suites/862/' HOME_GARDEN__FURNITURE__STOOLS = '/for-sale/home-garden/furniture/stools/868/' HOME_GARDEN__FURNITURE__OTHER_FURNITURE = '/for-sale/home-garden/furniture/other-furniture/870/' GARDEN_PATIO = '/for-sale/garden-patio/1162/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/160/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__BBQ_ACCESSORIES = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/bbq-accessories/901/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__CHARCOAL_BBQ_S = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/charcoal-bbq-s/899/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__GAS_BBQ_S = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/gas-bbq-s/898/' HOME_GARDEN__GARDEN_PATIO__BBQ_S_OUTDOOR_HEATERS__OUTDOOR_HEATERS = '/for-sale/home-garden/garden-patio/bbq-s-outdoor-heaters/outdoor-heaters/900/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE = '/for-sale/home-garden/garden-patio/garden-furniture/164/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__BENCHES = '/for-sale/home-garden/garden-patio/garden-furniture/benches/921/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__GAZEBOS = '/for-sale/home-garden/garden-patio/garden-furniture/gazebos/924/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__TABLES_CHAIRS = '/for-sale/home-garden/garden-patio/garden-furniture/tables-chairs/920/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__UMBRELLAS = '/for-sale/home-garden/garden-patio/garden-furniture/umbrellas/926/' HOME_GARDEN__GARDEN_PATIO__GARDEN_FURNITURE__OTHER = '/for-sale/home-garden/garden-patio/garden-furniture/other/1163/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS = '/for-sale/home-garden/garden-patio/garden-tools/165/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__CHAINSAWS = '/for-sale/home-garden/garden-patio/garden-tools/chainsaws/931/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__HAND_TOOLS = '/for-sale/home-garden/garden-patio/garden-tools/hand-tools/1164/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__HEDGE_CUTTERS = '/for-sale/home-garden/garden-patio/garden-tools/hedge-cutters/929/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__POWER_WASHERS = '/for-sale/home-garden/garden-patio/garden-tools/power-washers/930/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__STRIMMERS = '/for-sale/home-garden/garden-patio/garden-tools/strimmers/928/' HOME_GARDEN__GARDEN_PATIO__GARDEN_TOOLS__OTHER = '/for-sale/home-garden/garden-patio/garden-tools/other/932/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS = '/for-sale/home-garden/garden-patio/lawnmowers/927/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__ELECTRIC = '/for-sale/home-garden/garden-patio/lawnmowers/electric/1166/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__MANUAL = '/for-sale/home-garden/garden-patio/lawnmowers/manual/1168/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__PETROL = '/for-sale/home-garden/garden-patio/lawnmowers/petrol/1165/' HOME_GARDEN__GARDEN_PATIO__LAWNMOWERS__RIDE_ON = '/for-sale/home-garden/garden-patio/lawnmowers/ride-on/1167/' HOME_GARDEN__GARDEN_PATIO__SHEDS_GARDEN_STORAGE = '/for-sale/home-garden/garden-patio/sheds-garden-storage/170/' HOME_GARDEN__GARDEN_PATIO__SHEDS_GARDEN_STORAGE__GARDEN_STORAGE = '/for-sale/home-garden/garden-patio/sheds-garden-storage/garden-storage/1170/' HOME_GARDEN__GARDEN_PATIO__SHEDS_GARDEN_STORAGE__SHEDS = '/for-sale/home-garden/garden-patio/sheds-garden-storage/sheds/1169/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/1171/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES__BIRD_BOXES = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/bird-boxes/925/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES__GARDEN_ORNAMENTS = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/garden-ornaments/1172/' HOME_GARDEN__GARDEN_PATIO__STATUES_ORNAMENTS_BIRD_BOXES__GARDEN_STATUES = '/for-sale/home-garden/garden-patio/statues-ornaments-bird-boxes/garden-statues/923/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS = '/for-sale/home-garden/garden-patio/trees-plants-pots/1173/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__PLANTS_TREES = '/for-sale/home-garden/garden-patio/trees-plants-pots/plants-trees/169/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__POTS = '/for-sale/home-garden/garden-patio/trees-plants-pots/pots/1174/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__SEEDS_BULBS = '/for-sale/home-garden/garden-patio/trees-plants-pots/seeds-bulbs/1175/' HOME_GARDEN__GARDEN_PATIO__TREES_PLANTS_POTS__SOIL_GRAVEL = '/for-sale/home-garden/garden-patio/trees-plants-pots/soil-gravel/1176/' HOME_GARDEN__GLASS_CRYSTAL = '/for-sale/home-garden/glass-crystal/343/' HOME_GARDEN__GLASS_CRYSTAL__GLASS = '/for-sale/home-garden/glass-crystal/glass/936/' HOME_GARDEN__GLASS_CRYSTAL__TIPPERARY = '/for-sale/home-garden/glass-crystal/tipperary/934/' HOME_GARDEN__GLASS_CRYSTAL__WATERFORD = '/for-sale/home-garden/glass-crystal/waterford/933/' HOME_GARDEN__GLASS_CRYSTAL__OTHER_CRYSTAL = '/for-sale/home-garden/glass-crystal/other-crystal/935/' HOME_GARDEN__HEATING = '/for-sale/home-garden/heating/253/' HOME_GARDEN__HEATING__BOILERS = '/for-sale/home-garden/heating/boilers/941/' HOME_GARDEN__HEATING__ELECTRIC = '/for-sale/home-garden/heating/electric/938/' HOME_GARDEN__HEATING__FIREPLACES = '/for-sale/home-garden/heating/fireplaces/1262/' HOME_GARDEN__HEATING__GAS = '/for-sale/home-garden/heating/gas/937/' HOME_GARDEN__HEATING__RADIATORS = '/for-sale/home-garden/heating/radiators/939/' HOME_GARDEN__HEATING__STOVES = '/for-sale/home-garden/heating/stoves/940/' HOME_GARDEN__HOME_DECOR = '/for-sale/home-garden/home-decor/166/' HOME_GARDEN__HOME_DECOR__BASKETS = '/for-sale/home-garden/home-decor/baskets/942/' HOME_GARDEN__HOME_DECOR__CANDLES_CANDLE_HOLDERS = '/for-sale/home-garden/home-decor/candles-candle-holders/943/' HOME_GARDEN__HOME_DECOR__CLOCKS = '/for-sale/home-garden/home-decor/clocks/944/' HOME_GARDEN__HOME_DECOR__CUSHIONS = '/for-sale/home-garden/home-decor/cushions/945/' HOME_GARDEN__HOME_DECOR__FLOWERS = '/for-sale/home-garden/home-decor/flowers/946/' HOME_GARDEN__HOME_DECOR__FRAMES = '/for-sale/home-garden/home-decor/frames/947/' HOME_GARDEN__HOME_DECOR__MIRRORS = '/for-sale/home-garden/home-decor/mirrors/948/' HOME_GARDEN__HOME_DECOR__ORNAMENTS = '/for-sale/home-garden/home-decor/ornaments/949/' HOME_GARDEN__HOME_DECOR__OTHER_HOME_DECOR = '/for-sale/home-garden/home-decor/other-home-decor/950/' HOME_GARDEN__HOME_STORAGE = '/for-sale/home-garden/home-storage/1161/' HOME_GARDEN__KITCHEN_APPLIANCES = '/for-sale/home-garden/kitchen-appliances/167/' HOME_GARDEN__KITCHEN_APPLIANCES__DISHWASHERS = '/for-sale/home-garden/kitchen-appliances/dishwashers/871/' HOME_GARDEN__KITCHEN_APPLIANCES__FREEZERS = '/for-sale/home-garden/kitchen-appliances/freezers/877/' HOME_GARDEN__KITCHEN_APPLIANCES__FRIDGES = '/for-sale/home-garden/kitchen-appliances/fridges/872/' HOME_GARDEN__KITCHEN_APPLIANCES__HOBS = '/for-sale/home-garden/kitchen-appliances/hobs/876/' HOME_GARDEN__KITCHEN_APPLIANCES__MICROWAVES = '/for-sale/home-garden/kitchen-appliances/microwaves/874/' HOME_GARDEN__KITCHEN_APPLIANCES__OVENS = '/for-sale/home-garden/kitchen-appliances/ovens/875/' HOME_GARDEN__KITCHEN_APPLIANCES__SMALL_KITCHEN_APPLIANCES = '/for-sale/home-garden/kitchen-appliances/small-kitchen-appliances/878/' HOME_GARDEN__KITCHEN_APPLIANCES__WASHING_MACHINES = '/for-sale/home-garden/kitchen-appliances/washing-machines/873/' HOME_GARDEN__LAUNDRY_CLEANING = '/for-sale/home-garden/laundry-cleaning/168/' HOME_GARDEN__LAUNDRY_CLEANING__CLEANING_MATERIALS = '/for-sale/home-garden/laundry-cleaning/cleaning-materials/971/' HOME_GARDEN__LAUNDRY_CLEANING__CLOTHES_LINES = '/for-sale/home-garden/laundry-cleaning/clothes-lines/968/' HOME_GARDEN__LAUNDRY_CLEANING__IRONING_BOARDS = '/for-sale/home-garden/laundry-cleaning/ironing-boards/967/' HOME_GARDEN__LAUNDRY_CLEANING__IRONS = '/for-sale/home-garden/laundry-cleaning/irons/966/' HOME_GARDEN__LAUNDRY_CLEANING__TUMBLE_DRYERS = '/for-sale/home-garden/laundry-cleaning/tumble-dryers/969/' HOME_GARDEN__LAUNDRY_CLEANING__VACUUM_CLEANERS = '/for-sale/home-garden/laundry-cleaning/vacuum-cleaners/970/' HOME_GARDEN__LAUNDRY_CLEANING__OTHER_LAUNDRY_CLEANING = '/for-sale/home-garden/laundry-cleaning/other-laundry-cleaning/972/' HOME_GARDEN__LIGHTING = '/for-sale/home-garden/lighting/580/' HOME_GARDEN__LIGHTING__CEILING_LIGHTS = '/for-sale/home-garden/lighting/ceiling-lights/975/' HOME_GARDEN__LIGHTING__FLOOR_LAMPS = '/for-sale/home-garden/lighting/floor-lamps/974/' HOME_GARDEN__LIGHTING__LIGHT_BULBS = '/for-sale/home-garden/lighting/light-bulbs/977/' HOME_GARDEN__LIGHTING__TABLE_LAMPS = '/for-sale/home-garden/lighting/table-lamps/973/' HOME_GARDEN__LIGHTING__WALL_LIGHTS = '/for-sale/home-garden/lighting/wall-lights/976/' HOME_GARDEN__OTHER_HOME_GARDEN = '/for-sale/home-garden/other-home-garden/171/' JEWELLERY_WATCHES = '/for-sale/jewellery-watches/172/' JEWELLERY_WATCHES__BRACELETS_BANGLES = '/for-sale/jewellery-watches/bracelets-bangles/173/' JEWELLERY_WATCHES__BRACELETS_BANGLES__BANGLES = '/for-sale/jewellery-watches/bracelets-bangles/bangles/1057/' JEWELLERY_WATCHES__BRACELETS_BANGLES__BEADED = '/for-sale/jewellery-watches/bracelets-bangles/beaded/1059/' JEWELLERY_WATCHES__BRACELETS_BANGLES__CHARM = '/for-sale/jewellery-watches/bracelets-bangles/charm/1058/' JEWELLERY_WATCHES__BRACELETS_BANGLES__COSTUME = '/for-sale/jewellery-watches/bracelets-bangles/costume/1063/' JEWELLERY_WATCHES__BRACELETS_BANGLES__DIAMOND = '/for-sale/jewellery-watches/bracelets-bangles/diamond/1065/' JEWELLERY_WATCHES__BRACELETS_BANGLES__GOLD = '/for-sale/jewellery-watches/bracelets-bangles/gold/1061/' JEWELLERY_WATCHES__BRACELETS_BANGLES__LEATHER = '/for-sale/jewellery-watches/bracelets-bangles/leather/1062/' JEWELLERY_WATCHES__BRACELETS_BANGLES__PEARL = '/for-sale/jewellery-watches/bracelets-bangles/pearl/1064/' JEWELLERY_WATCHES__BRACELETS_BANGLES__SILVER = '/for-sale/jewellery-watches/bracelets-bangles/silver/1060/' JEWELLERY_WATCHES__BROOCHES = '/for-sale/jewellery-watches/brooches/174/' JEWELLERY_WATCHES__EARRINGS = '/for-sale/jewellery-watches/earrings/175/' JEWELLERY_WATCHES__EARRINGS__COSTUME = '/for-sale/jewellery-watches/earrings/costume/1068/' JEWELLERY_WATCHES__EARRINGS__DIAMOND = '/for-sale/jewellery-watches/earrings/diamond/1070/' JEWELLERY_WATCHES__EARRINGS__DROP = '/for-sale/jewellery-watches/earrings/drop/1071/' JEWELLERY_WATCHES__EARRINGS__GOLD = '/for-sale/jewellery-watches/earrings/gold/1066/' JEWELLERY_WATCHES__EARRINGS__PEARL = '/for-sale/jewellery-watches/earrings/pearl/1069/' JEWELLERY_WATCHES__EARRINGS__SILVER = '/for-sale/jewellery-watches/earrings/silver/1067/' JEWELLERY_WATCHES__EARRINGS__STUD = '/for-sale/jewellery-watches/earrings/stud/1072/' JEWELLERY_WATCHES__KIDS_WATCHES = '/for-sale/jewellery-watches/kids-watches/176/' JEWELLERY_WATCHES__MATCHING_SETS = '/for-sale/jewellery-watches/matching-sets/256/' JEWELLERY_WATCHES__MATCHING_SETS__BEADED = '/for-sale/jewellery-watches/matching-sets/beaded/1075/' JEWELLERY_WATCHES__MATCHING_SETS__CHARM = '/for-sale/jewellery-watches/matching-sets/charm/1076/' JEWELLERY_WATCHES__MATCHING_SETS__COSTUME = '/for-sale/jewellery-watches/matching-sets/costume/1079/' JEWELLERY_WATCHES__MATCHING_SETS__CRYSTAL = '/for-sale/jewellery-watches/matching-sets/crystal/1077/' JEWELLERY_WATCHES__MATCHING_SETS__GOLD = '/for-sale/jewellery-watches/matching-sets/gold/1074/' JEWELLERY_WATCHES__MATCHING_SETS__PEARL = '/for-sale/jewellery-watches/matching-sets/pearl/1078/' JEWELLERY_WATCHES__MATCHING_SETS__SILVER = '/for-sale/jewellery-watches/matching-sets/silver/1073/' JEWELLERY_WATCHES__MENS_WATCHES = '/for-sale/jewellery-watches/mens-watches/177/' JEWELLERY_WATCHES__MENS_WATCHES__CASUAL = '/for-sale/jewellery-watches/mens-watches/casual/1080/' JEWELLERY_WATCHES__MENS_WATCHES__DRESS = '/for-sale/jewellery-watches/mens-watches/dress/1081/' JEWELLERY_WATCHES__MENS_WATCHES__SPORTS = '/for-sale/jewellery-watches/mens-watches/sports/1082/' JEWELLERY_WATCHES__MENS_WATCHES__VINTAGE = '/for-sale/jewellery-watches/mens-watches/vintage/1083/' JEWELLERY_WATCHES__NECKLACES_PENDANTS = '/for-sale/jewellery-watches/necklaces-pendants/178/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__BEADED = '/for-sale/jewellery-watches/necklaces-pendants/beaded/1085/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__CHARM = '/for-sale/jewellery-watches/necklaces-pendants/charm/1084/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__COSTUME = '/for-sale/jewellery-watches/necklaces-pendants/costume/1090/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__CRYSTAL = '/for-sale/jewellery-watches/necklaces-pendants/crystal/1087/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__DIAMOND = '/for-sale/jewellery-watches/necklaces-pendants/diamond/1089/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__GOLD = '/for-sale/jewellery-watches/necklaces-pendants/gold/1263/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__PEARL = '/for-sale/jewellery-watches/necklaces-pendants/pearl/1088/' JEWELLERY_WATCHES__NECKLACES_PENDANTS__SILVER = '/for-sale/jewellery-watches/necklaces-pendants/silver/1086/' JEWELLERY_WATCHES__RINGS = '/for-sale/jewellery-watches/rings/179/' JEWELLERY_WATCHES__RINGS__COSTUME = '/for-sale/jewellery-watches/rings/costume/1096/' JEWELLERY_WATCHES__RINGS__DIAMOND = '/for-sale/jewellery-watches/rings/diamond/1094/' JEWELLERY_WATCHES__RINGS__ENGAGEMENT = '/for-sale/jewellery-watches/rings/engagement/1095/' JEWELLERY_WATCHES__RINGS__GOLD = '/for-sale/jewellery-watches/rings/gold/1091/' JEWELLERY_WATCHES__RINGS__PLATINUM = '/for-sale/jewellery-watches/rings/platinum/1093/' JEWELLERY_WATCHES__RINGS__SILVER = '/for-sale/jewellery-watches/rings/silver/1092/' JEWELLERY_WATCHES__WOMENS_WATCHES = '/for-sale/jewellery-watches/womens-watches/180/' JEWELLERY_WATCHES__WOMENS_WATCHES__CASUAL = '/for-sale/jewellery-watches/womens-watches/casual/1097/' JEWELLERY_WATCHES__WOMENS_WATCHES__DRESS = '/for-sale/jewellery-watches/womens-watches/dress/1098/' JEWELLERY_WATCHES__WOMENS_WATCHES__SPORTS = '/for-sale/jewellery-watches/womens-watches/sports/1099/' JEWELLERY_WATCHES__WOMENS_WATCHES__VINTAGE = '/for-sale/jewellery-watches/womens-watches/vintage/1100/' JEWELLERY_WATCHES__OTHER_JEWELLERY_WATCHES = '/for-sale/jewellery-watches/other-jewellery-watches/181/' JOBS = '/jobs/3/' MOBILE_PHONES_ACCESSORIES = '/for-sale/mobile-phones-accessories/185/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES = '/for-sale/mobile-phones-accessories/accessories/186/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__BATTERIES = '/for-sale/mobile-phones-accessories/accessories/batteries/1101/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__BLUETOOTH = '/for-sale/mobile-phones-accessories/accessories/bluetooth/1105/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__CABLES = '/for-sale/mobile-phones-accessories/accessories/cables/1102/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__CAR_KITS = '/for-sale/mobile-phones-accessories/accessories/car-kits/1103/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__CASES_COVERS = '/for-sale/mobile-phones-accessories/accessories/cases-covers/1104/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__SCREEN_PROTECTORS = '/for-sale/mobile-phones-accessories/accessories/screen-protectors/1106/' MOBILE_PHONES_ACCESSORIES__ACCESSORIES__OTHER_ACCESSORIES = '/for-sale/mobile-phones-accessories/accessories/other-accessories/1107/' MOBILE_PHONES_ACCESSORIES__CHARGER = '/for-sale/mobile-phones-accessories/charger/187/' MOBILE_PHONES_ACCESSORIES__CHARGER__APPLE = '/for-sale/mobile-phones-accessories/charger/apple/1113/' MOBILE_PHONES_ACCESSORIES__CHARGER__BLACKBERRY = '/for-sale/mobile-phones-accessories/charger/blackberry/1108/' MOBILE_PHONES_ACCESSORIES__CHARGER__HTC = '/for-sale/mobile-phones-accessories/charger/htc/1112/' MOBILE_PHONES_ACCESSORIES__CHARGER__LG = '/for-sale/mobile-phones-accessories/charger/lg/1110/' MOBILE_PHONES_ACCESSORIES__CHARGER__MOTOROLA = '/for-sale/mobile-phones-accessories/charger/motorola/1114/' MOBILE_PHONES_ACCESSORIES__CHARGER__NOKIA = '/for-sale/mobile-phones-accessories/charger/nokia/1109/' MOBILE_PHONES_ACCESSORIES__CHARGER__SAMSUNG = '/for-sale/mobile-phones-accessories/charger/samsung/1111/' MOBILE_PHONES_ACCESSORIES__CHARGER__SONYERICSSON = '/for-sale/mobile-phones-accessories/charger/sonyericsson/1115/' MOBILE_PHONES_ACCESSORIES__CHARGER__OTHER_MOBILES = '/for-sale/mobile-phones-accessories/charger/other-mobiles/1116/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES = '/for-sale/mobile-phones-accessories/mobile-phones/188/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__APPLE = '/for-sale/mobile-phones-accessories/mobile-phones/apple/1122/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__BLACKBERRY = '/for-sale/mobile-phones-accessories/mobile-phones/blackberry/1117/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__HTC = '/for-sale/mobile-phones-accessories/mobile-phones/htc/1121/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__LG = '/for-sale/mobile-phones-accessories/mobile-phones/lg/1119/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__MOTOROLA = '/for-sale/mobile-phones-accessories/mobile-phones/motorola/1123/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__NEXUS = '/for-sale/mobile-phones-accessories/mobile-phones/nexus/1125/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__NOKIA = '/for-sale/mobile-phones-accessories/mobile-phones/nokia/1118/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__SAMSUNG = '/for-sale/mobile-phones-accessories/mobile-phones/samsung/1120/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__SONYERICSSON = '/for-sale/mobile-phones-accessories/mobile-phones/sonyericsson/1124/' MOBILE_PHONES_ACCESSORIES__MOBILE_PHONES__OTHER_MOBILES = '/for-sale/mobile-phones-accessories/mobile-phones/other-mobiles/1126/' MOBILE_PHONES_ACCESSORIES__PDAS = '/for-sale/mobile-phones-accessories/pdas/257/' MOBILE_PHONES_ACCESSORIES__OTHER_MOBILE_PHONES_ACCESSORIES = '/for-sale/mobile-phones-accessories/other-mobile-phones-accessories/14/' MUSIC_INSTRUMENTS_EQUIPMENT = '/for-sale/music-instruments-equipment/54/' MUSIC_INSTRUMENTS_EQUIPMENT__BRASS_WIND_INSTRUMENTS = '/for-sale/music-instruments-equipment/brass-wind-instruments/195/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_EQUIPMENT = '/for-sale/music-instruments-equipment/dj-equipment/420/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_EFFECTS = '/for-sale/music-instruments-equipment/dj-effects/426/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_MIXERS = '/for-sale/music-instruments-equipment/dj-mixers/425/' MUSIC_INSTRUMENTS_EQUIPMENT__DJ_SETS = '/for-sale/music-instruments-equipment/dj-sets/427/' MUSIC_INSTRUMENTS_EQUIPMENT__CD_PLAYERS = '/for-sale/music-instruments-equipment/cd-players/422/' MUSIC_INSTRUMENTS_EQUIPMENT__TURNTABLES = '/for-sale/music-instruments-equipment/Turntables/421/' MUSIC_INSTRUMENTS_EQUIPMENT__OTHER_DJ_EQUIPMENT = '/for-sale/music-instruments-equipment/other-dj-equipment/428/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS_PERCUSSION = '/for-sale/music-instruments-equipment/drums-percussion/190/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS = '/for-sale/music-instruments-equipment/drums/431/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__CYMBALS = '/for-sale/music-instruments-equipment/drums/cymbals/435/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__DRUM_ACCESSORIES = '/for-sale/music-instruments-equipment/drums/drum-accessories/437/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__DRUM_HARDWARE = '/for-sale/music-instruments-equipment/drums/drum-hardware/436/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__DRUM_KITS = '/for-sale/music-instruments-equipment/drums/drum-kits/432/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS_PERCUSSION__DRUMS__ELECTRONIC_DRUMS = '/for-sale/music-instruments-equipment/drums-percussion/drums/electronic-drums/1381/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__SNARES = '/for-sale/music-instruments-equipment/drums/snares/433/' MUSIC_INSTRUMENTS_EQUIPMENT__DRUMS__TOMS = '/for-sale/music-instruments-equipment/drums/toms/434/' MUSIC_INSTRUMENTS_EQUIPMENT__PERCUSSION = '/for-sale/music-instruments-equipment/percussion/429/' MUSIC_INSTRUMENTS_EQUIPMENT__OTHER_DRUMS_PERCUSSION = '/for-sale/music-instruments-equipment/other-drums-percussion/430/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS = '/for-sale/music-instruments-equipment/guitar-bass/191/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/448/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__ACOUSTIC_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/acoustic-basses/450/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__BASS_ACCESSORIES = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-accessories/453/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__BASS_AMPS = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-amps/451/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__BASS_EFFECTS = '/for-sale/music-instruments-equipment/guitar-bass/basses/bass-effects/452/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__ELECTRIC_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/electric-basses/474/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__JAZZ_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/jazz-basses/449/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__BASSES__OTHER_BASSES = '/for-sale/music-instruments-equipment/guitar-bass/basses/other-basses/454/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/439/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__ACOUSTIC_GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/acoustic-guitars/440/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__CLASSICAL_GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/classical-guitars/442/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__ELECTRIC_GUITARS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/electric-guitars/441/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__GUITAR_ACCESSORIES = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-accessories/446/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__GUITAR_AMPS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-amps/444/' MUSIC_INSTRUMENTS_EQUIPMENT__GUITAR_BASS__GUITARS__GUITAR_EFFECTS = '/for-sale/music-instruments-equipment/guitar-bass/guitars/guitar-effects/445/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__MICROPHONES = '/for-sale/music-instruments-equipment/pro-audio/microphones/463/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__MIXING_DESKS = '/for-sale/music-instruments-equipment/pro-audio/mixing-desks/461/' MUSIC_INSTRUMENTS_EQUIPMENT__POWER_AMPLIFIERS__PA_SYSTEMS = '/for-sale/music-instruments-equipment/power-amplifiers/pa-systems/475/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__POWER_AMPLIFIERS = '/for-sale/music-instruments-equipment/pro-audio/power-amplifiers/462/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__RECORDING_EQUIPMENT = '/for-sale/music-instruments-equipment/pro-audio/recording-equipment/466/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__SPEAKERS = '/for-sale/music-instruments-equipment/pro-audio/speakers/460/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__STANDS = '/for-sale/music-instruments-equipment/pro-audio/stands/464/' MUSIC_INSTRUMENTS_EQUIPMENT__PRO_AUDIO__OTHER_PRO_AUDIO = '/for-sale/music-instruments-equipment/pro-audio/other-pro-audio/467/' MUSIC_INSTRUMENTS_EQUIPMENT__SHEET_MUSIC = '/for-sale/music-instruments-equipment/sheet-music/438/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING = '/for-sale/music-instruments-equipment/string/194/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__ACCESSORIES = '/for-sale/music-instruments-equipment/string/accessories/472/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__BANJOS = '/for-sale/music-instruments-equipment/string/banjos/470/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__CELLOS = '/for-sale/music-instruments-equipment/string/cellos/471/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__MANDOLINS = '/for-sale/music-instruments-equipment/string/mandolins/469/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__VIOLINS = '/for-sale/music-instruments-equipment/string/violins/468/' MUSIC_INSTRUMENTS_EQUIPMENT__STRING__OTHER_STRING = '/for-sale/music-instruments-equipment/string/other-string/473/' MUSIC_INSTRUMENTS_EQUIPMENT__OTHER_MUSIC_INSTRUMENTS_EQUIPMENT = '/for-sale/music-instruments-equipment/other-music-instruments-equipment/16/' PETS = '/for-sale/pets/624/' PETS__LOST_FOUND = '/for-sale/pets/lost-found/633/' PETS__LOST_FOUND__LOST_PETS = '/for-sale/pets/lost-found/lost-pets/634/' PETS__PET_ACCESSORIES = '/for-sale/pets/pet-accessories/636/' PETS__PET_ACCESSORIES__CAGES = '/for-sale/pets/pet-accessories/cages/638/' PETS__PET_ACCESSORIES__CAT_ACCESSORIES = '/for-sale/pets/pet-accessories/cat-accessories/637/' PETS__PET_ACCESSORIES__DOG_ACCESSORIES = '/for-sale/pets/pet-accessories/dog-accessories/639/' PETS__PET_ACCESSORIES__FISH_TANKS = '/for-sale/pets/pet-accessories/fish-tanks/640/' PETS__PET_ACCESSORIES__REPTILE_TANKS = '/for-sale/pets/pet-accessories/reptile-tanks/641/' PETS__PET_ACCESSORIES__OTHER = '/for-sale/pets/pet-accessories/other/642/' PETS__PET_ADOPTION = '/for-sale/pets/pet-adoption/625/' PETS__PET_ADOPTION__BIRDS = '/for-sale/pets/pet-adoption/birds/628/' PETS__PET_ADOPTION__CATS = '/for-sale/pets/pet-adoption/cats/627/' PETS__PET_ADOPTION__FISH = '/for-sale/pets/pet-adoption/fish/629/' PETS__PET_ADOPTION__REPTILES = '/for-sale/pets/pet-adoption/reptiles/630/' PETS__PET_ADOPTION__SMALL_FURRIES = '/for-sale/pets/pet-adoption/small-furries/631/' PHOTOGRAPHY = '/for-sale/photography/196/' PHOTOGRAPHY__CAMERA_ACCESSORIES = '/for-sale/photography/camera-accessories/200/' PHOTOGRAPHY__DIGITAL_CAMERAS = '/for-sale/photography/digital-cameras/197/' PHOTOGRAPHY__FILM_CAMERAS = '/for-sale/photography/film-cameras/198/' PHOTOGRAPHY__LENSES = '/for-sale/photography/lenses/201/' PHOTOGRAPHY__TELESCOPES_BINOCULARS = '/for-sale/photography/telescopes-binoculars/264/' PHOTOGRAPHY__VIDEO_CAMERAS = '/for-sale/photography/video-cameras/199/' PHOTOGRAPHY__OTHER_PHOTOGRAPHY = '/for-sale/photography/other-photography/51/' SERVICES = '/services/202/' SERVICES__BEAUTY_SERVICES = '/services/beauty-services/1344/' SERVICES__BEAUTY_SERVICES__BROWS_LASHES = '/services/beauty-services/brows-lashes/1374/' SERVICES__BEAUTY_SERVICES__HAIRDRESSERS = '/services/beauty-services/hairdressers/1345/' SERVICES__BEAUTY_SERVICES__MAKEUP = '/services/beauty-services/makeup/1346/' SERVICES__BEAUTY_SERVICES__OTHER_BEAUTY_SERVICES = '/services/beauty-services/other-beauty-services/1351/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES = '/services/business-professional-services/203/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__BUSINESS_SERVICES_STATIONARY = '/services/business-professional-services/business-services-stationary/1272/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__CONSULTANTS = '/services/business-professional-services/consultants/1268/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__FINANCIAL_SERVICES = '/services/business-professional-services/financial-services/1265/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__FREELANCE = '/services/business-professional-services/freelance/1269/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__WEB_APP_SERVICES = '/services/business-professional-services/web-app-services/1267/' SERVICES__BUSINESS_PROFESSIONAL_SERVICES__OTHER_BUSINESS_SERVICES = '/services/business-professional-services/other-business-services/1273/' SERVICES__CHILDCARE_SERVICES = '/services/childcare-services/1364/' SERVICES__CHILDCARE_SERVICES__OTHER_CHILDCARE_SERVICES = '/services/childcare-services/other-childcare-services/1368/' SERVICES__CLEANING_SERVICES = '/services/cleaning-services/1358/' SERVICES__CLEANING_SERVICES__BUSINESS_COMMERCIAL_CLEANING = '/services/cleaning-services/business-commercial-cleaning/1360/' SERVICES__CLEANING_SERVICES__FLOOR_CLEANING_POLISHING = '/services/cleaning-services/floor-cleaning-polishing/1362/' SERVICES__CLEANING_SERVICES__HOME_CLEANING = '/services/cleaning-services/home-cleaning/1359/' SERVICES__CLEANING_SERVICES__LAUNDRY_IRONING = '/services/cleaning-services/laundry-ironing/1375/' SERVICES__CLEANING_SERVICES__MOTOR_CLEANING_VALETING = '/services/cleaning-services/motor-cleaning-valeting/1361/' SERVICES__CLEANING_SERVICES__OTHER_CLEANING_SERVICES = '/services/cleaning-services/other-cleaning-services/1363/' SERVICES__ELECTRONIC_SERVICES = '/services/electronic-services/303355/' SERVICES__ELECTRONIC_SERVICES__COMPUTER_CONSOLE_REPAIR = '/services/electronic-services/computer-console-repair/603/' SERVICES__ELECTRONIC_SERVICES__HOME_APPLIANCE_REPAIR = '/services/electronic-services/home-appliance-repair/1323/' SERVICES__ELECTRONIC_SERVICES__PHONE_REPAIR_UNLOCKING = '/services/electronic-services/phone-repair-unlocking/602/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__BUILDING_SUPPLIERS = '/services/home-garden-construction-services/building-suppliers/1307/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__DECKING = '/services/home-garden-construction-services/decking/1298/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__FLOORING = '/services/home-garden-construction-services/flooring/1302/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__FUEL = '/services/home-garden-construction-services/fuel/1306/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__GARDENING_LANDSCAPING = '/services/home-garden-construction-services/gardening-landscaping/1297/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__GATES_FENCING = '/services/home-garden-construction-services/gates-fencing/1299/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__KITCHENS_BEDROOMS_BATHROOMS = '/services/home-garden-construction-services/kitchens-bedrooms-bathrooms/1303/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__RENOVATIONS_EXTENSIONS = '/services/home-garden-construction-services/renovations-extensions/1305/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__SKIPS_WASTE_COLLECTION = '/services/home-garden-construction-services/skips-waste-collection/1369/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__WINDOWS_DOORS = '/services/home-garden-construction-services/windows-doors/1304/' SERVICES__HOME_GARDEN_CONSTRUCTION_SERVICES__OTHER_HOME_GARDEN_CONSTRUCTION = '/services/home-garden-construction-services/other-home-garden-construction/1308/' SERVICES__MOTOR_SERVICES = '/services/motor-services/600/' SERVICES__MOTOR_SERVICES__BREAKDOWN_RECOVERY = '/services/motor-services/breakdown-recovery/1275/' SERVICES__MOTOR_SERVICES__CAR_PARTS_EQUIPMENT = '/services/motor-services/car-parts-equipment/1281/' SERVICES__MOTOR_SERVICES__CASH_FOR_CARS = '/services/motor-services/cash-for-cars/1279/' SERVICES__MOTOR_SERVICES__MECHANICS = '/services/motor-services/mechanics/1274/' SERVICES__MOTOR_SERVICES__PANEL_BEATING_BODYWORK = '/services/motor-services/panel-beating-bodywork/1277/' SERVICES__MOTOR_SERVICES__SCRAPYARDS_BREAKERS = '/services/motor-services/scrapyards-breakers/1276/' SERVICES__MOTOR_SERVICES__TYRES = '/services/motor-services/tyres/1278/' SERVICES__MOTOR_SERVICES__OTHER_MOTOR_SERVICES = '/services/motor-services/other-motor-services/1282/' SERVICES__PARTY_EVENT_SERVICES = '/services/party-event-services/1352/' SERVICES__PARTY_EVENT_SERVICES__BOUNCY_CASTLES = '/services/party-event-services/bouncy-castles/1373/' SERVICES__PARTY_EVENT_SERVICES__CATERING_CAKES = '/services/party-event-services/catering-cakes/1355/' SERVICES__PARTY_EVENT_SERVICES__FURNITURE_HIRE = '/services/party-event-services/furniture-hire/1354/' SERVICES__PARTY_EVENT_SERVICES__KIDS_ENTERTAINMENT = '/services/party-event-services/kids-entertainment/1356/' SERVICES__PARTY_EVENT_SERVICES__OTHER_EVENT_SERVICES = '/services/party-event-services/other-event-services/1357/' SERVICES__PET_ANIMAL_SERVICES = '/services/pet-animal-services/643/' SERVICES__PET_ANIMAL_SERVICES__DOG_WALKING = '/services/pet-animal-services/dog-walking/1311/' SERVICES__PET_ANIMAL_SERVICES__GROOMING = '/services/pet-animal-services/grooming/1310/' SERVICES__PET_ANIMAL_SERVICES__PET_BOARDING = '/services/pet-animal-services/pet-boarding/1309/' SERVICES__PET_ANIMAL_SERVICES__OTHER_ANIMAL_SERVICES = '/services/pet-animal-services/other-animal-services/1312/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES = '/services/photography-video-services/573/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__PHOTOGRAPHY = '/services/photography-video-services/photography/1313/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__PRINTING = '/services/photography-video-services/printing/1315/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__VIDEOGRAPHER = '/services/photography-video-services/videographer/1314/' SERVICES__PHOTOGRAPHY_VIDEO_SERVICES__OTHER_PHOTOGRAPHY_SERVICES = '/services/photography-video-services/other-photography-services/1316/' SERVICES__SPORTS_SERVICES = '/services/sports-services/1383/' SERVICES__TRADESMEN = '/services/tradesmen/204/' SERVICES__TRADESMEN__CARPENTERS = '/services/tradesmen/carpenters/1370/' SERVICES__TRADESMEN__ELECTRICIANS = '/services/tradesmen/electricians/1285/' SERVICES__TRADESMEN__HANDYMEN = '/services/tradesmen/handymen/1287/' SERVICES__TRADESMEN__HEATING_BOILER_TECHNICIANS = '/services/tradesmen/heating-boiler-technicians/1284/' SERVICES__TRADESMEN__PAINTERS_DECORATORS = '/services/tradesmen/painters-decorators/1286/' SERVICES__TRADESMEN__PLASTERERS = '/services/tradesmen/plasterers/1371/' SERVICES__TRADESMEN__PLUMBERS = '/services/tradesmen/plumbers/1283/' SERVICES__TRADESMEN__ROOFERS = '/services/tradesmen/roofers/1380/' SERVICES__TRADESMEN__TILERS = '/services/tradesmen/tilers/1372/' SERVICES__TRADESMEN__OTHER_TRADESMEN = '/services/tradesmen/other-tradesmen/1288/' SERVICES__TRANSPORT_SERVICES = '/services/transport-services/574/' SERVICES__TRANSPORT_SERVICES__DELIVERY_COURIERS = '/services/transport-services/delivery-couriers/1326/' SERVICES__TRANSPORT_SERVICES__MAN_WITH_A_VAN = '/services/transport-services/man-with-a-van/1325/' SERVICES__TRANSPORT_SERVICES__OTHER_TRANSPORT_SERVICES = '/services/transport-services/other-transport-services/1327/' SERVICES__TUITION_CLASSES = '/services/tuition-classes/206/' SERVICES__TUITION_CLASSES__GRINDS = '/services/tuition-classes/grinds/1328/' SERVICES__TUITION_CLASSES__LANGUAGE_CLASSES = '/services/tuition-classes/language-classes/1330/' SERVICES__TUITION_CLASSES__MUSIC_LESSONS = '/services/tuition-classes/music-lessons/1329/' SERVICES__TUITION_CLASSES__OTHER_TUITION_CLASSES = '/services/tuition-classes/other-tuition-classes/1333/' SERVICES__WEDDING_SERVICES = '/services/wedding-services/303356/' SERVICES__WEDDING_SERVICES__WEDDING_CAKES_CATERING = '/services/wedding-services/wedding-cakes-catering/1340/' SERVICES__WEDDING_SERVICES__WEDDING_FLORISTS = '/services/wedding-services/wedding-florists/1335/' SERVICES__WEDDING_SERVICES__WEDDING_JEWELLERS = '/services/wedding-services/wedding-jewellers/1342/' SERVICES__WEDDING_SERVICES__WEDDING_PHOTOGRAPHY_VIDEO = '/services/wedding-services/wedding-photography-video/1337/' SERVICES__WEDDING_SERVICES__WEDDING_RENTALS = '/services/wedding-services/wedding-rentals/1339/' SERVICES__WEDDING_SERVICES__OTHER_WEDDING_SERVICES = '/services/wedding-services/other-wedding-services/1343/' SERVICES__OTHER_SERVICES = '/services/other-services/38/' SPORTS_FITNESS = '/for-sale/sports-fitness/207/' SPORTS_FITNESS__AIRSOFT_ACCESSORIES = '/for-sale/sports-fitness/airsoft-accessories/763/' SPORTS_FITNESS__AIRSOFT_ACCESSORIES__AIRSOFT_ACCESSORIES = '/for-sale/sports-fitness/airsoft-accessories/airsoft-accessories/765/' SPORTS_FITNESS__AIRSOFT_ACCESSORIES__AIRSOFT_CLOTHING = '/for-sale/sports-fitness/airsoft-accessories/airsoft-clothing/764/' SPORTS_FITNESS__BIKES = '/for-sale/sports-fitness/bikes/209/' SPORTS_FITNESS__BIKES__BIKE_CLOTHES_SHOES = '/for-sale/sports-fitness/bikes/bike-clothes-shoes/844/' SPORTS_FITNESS__BIKES__BIKE_FRAMES = '/for-sale/sports-fitness/bikes/bike-frames/846/' SPORTS_FITNESS__BIKES__BIKE_HELMETS_PROTECTION = '/for-sale/sports-fitness/bikes/bike-helmets-protection/845/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/835/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_COMPUTERS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-computers/841/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_GROUP_SETS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-group-sets/842/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_LIGHTS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-lights/839/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_LOCKS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-locks/836/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_SADDLES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-saddles/838/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__BIKE_TYRES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/bike-tyres/837/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__CHILD_BIKE_SEATS = '/for-sale/sports-fitness/bikes/bike-parts-accessories/child-bike-seats/840/' SPORTS_FITNESS__BIKES__BIKE_PARTS_ACCESSORIES__OTHER_BIKE_PARTS_ACCESSORIES = '/for-sale/sports-fitness/bikes/bike-parts-accessories/other-bike-parts-accessories/843/' SPORTS_FITNESS__BIKES__BIKE_WHEELS = '/for-sale/sports-fitness/bikes/bike-wheels/847/' SPORTS_FITNESS__BIKES__BMX = '/for-sale/for-sale/sports-fitness/bikes/bmx/848/' SPORTS_FITNESS__BIKES__ELECTRIC_FOLDING_BIKES = '/for-sale/sports-fitness/bikes/electric-folding-bikes/834/' SPORTS_FITNESS__BIKES__FIXIES_SINGLESPEED_BIKES = '/for-sale/sports-fitness/bikes/fixies-singlespeed-bikes/831/' SPORTS_FITNESS__BIKES__HYBRID_BIKES = '/for-sale/sports-fitness/bikes/hybrid-bikes/833/' SPORTS_FITNESS__BIKES__KIDS_BIKES = '/for-sale/sports-fitness/bikes/kids-bikes/828/' SPORTS_FITNESS__BIKES__LADIES_BIKES = '/for-sale/sports-fitness/bikes/ladies-bikes/832/' SPORTS_FITNESS__BIKES__MOUNTAIN_BIKES = '/for-sale/sports-fitness/bikes/mountain-bikes/829/' SPORTS_FITNESS__BIKES__ROAD_BIKES = '/for-sale/sports-fitness/bikes/road-bikes/830/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS = '/for-sale/sports-fitness/camping-outdoor-pursuits/260/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS__CAMPING_EQUIPMENT = '/for-sale/sports-fitness/camping-outdoor-pursuits/camping-equipment/1177/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS__HIKING_EQUIPMENT = '/for-sale/sports-fitness/camping-outdoor-pursuits/hiking-equipment/1178/' SPORTS_FITNESS__CAMPING_OUTDOOR_PURSUITS__TENTS = '/for-sale/sports-fitness/camping-outdoor-pursuits/tents/1179/' SPORTS_FITNESS__DANCING_GYMNASTICS = '/for-sale/sports-fitness/dancing-gymnastics/1180/' SPORTS_FITNESS__DANCING_GYMNASTICS__BALLET = '/for-sale/sports-fitness/dancing-gymnastics/ballet/1181/' SPORTS_FITNESS__DANCING_GYMNASTICS__GYMNASTICS = '/for-sale/sports-fitness/dancing-gymnastics/gymnastics/1183/' SPORTS_FITNESS__DANCING_GYMNASTICS__IRISH_DANCING = '/for-sale/sports-fitness/dancing-gymnastics/irish-dancing/1182/' SPORTS_FITNESS__DANCING_GYMNASTICS__OTHER = '/for-sale/sports-fitness/dancing-gymnastics/other/1184/' SPORTS_FITNESS__EQUESTRIAN = '/for-sale/sports-fitness/equestrian/258/' SPORTS_FITNESS__EQUESTRIAN__BRIDLES_REINS = '/for-sale/sports-fitness/equestrian/bridles-reins/1185/' SPORTS_FITNESS__EQUESTRIAN__CLOTHING_FOOTWEAR = '/for-sale/sports-fitness/equestrian/clothing-footwear/1186/' SPORTS_FITNESS__EQUESTRIAN__GROOMING_CARE = '/for-sale/sports-fitness/equestrian/grooming-care/1187/' SPORTS_FITNESS__EQUESTRIAN__SADDLES_STIRRUPS = '/for-sale/sports-fitness/equestrian/saddles-stirrups/1188/' SPORTS_FITNESS__EQUESTRIAN__OTHER = '/for-sale/sports-fitness/equestrian/other/1189/' SPORTS_FITNESS__EXERCISE_EQUIPMENT = '/for-sale/sports-fitness/exercise-equipment/208/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__BENCHES = '/for-sale/sports-fitness/exercise-equipment/benches/1190/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__CROSS_TRAINERS = '/for-sale/sports-fitness/exercise-equipment/cross-trainers/1191/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__EXERCISE_BIKES = '/for-sale/sports-fitness/exercise-equipment/exercise-bikes/1192/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__TREADMILLS = '/for-sale/sports-fitness/exercise-equipment/treadmills/1193/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__WEIGHTS = '/for-sale/sports-fitness/exercise-equipment/weights/1194/' SPORTS_FITNESS__EXERCISE_EQUIPMENT__OTHER = '/for-sale/sports-fitness/exercise-equipment/other/1195/' SPORTS_FITNESS__FISHING = '/for-sale/sports-fitness/fishing/210/' SPORTS_FITNESS__FISHING__BAIT = '/for-sale/sports-fitness/fishing/bait/1196/' SPORTS_FITNESS__FISHING__CLOTHING = '/for-sale/sports-fitness/fishing/clothing/1197/' SPORTS_FITNESS__FISHING__FLIES = '/for-sale/sports-fitness/fishing/flies/1198/' SPORTS_FITNESS__FISHING__LINES = '/for-sale/sports-fitness/fishing/lines/1199/' SPORTS_FITNESS__FISHING__LURES = '/for-sale/sports-fitness/fishing/lures/1200/' SPORTS_FITNESS__FISHING__REELS = '/for-sale/sports-fitness/fishing/reels/1201/' SPORTS_FITNESS__FISHING__RODS = '/for-sale/sports-fitness/fishing/rods/1202/' SPORTS_FITNESS__FISHING__OTHER = '/for-sale/sports-fitness/fishing/other/1203/' SPORTS_FITNESS__GOLF = '/for-sale/sports-fitness/golf/211/' SPORTS_FITNESS__GOLF__BAGS = '/for-sale/sports-fitness/golf/bags/1204/' SPORTS_FITNESS__GOLF__BALLS = '/for-sale/sports-fitness/golf/balls/1205/' SPORTS_FITNESS__GOLF__CLOTHING_FOOTWEAR = '/for-sale/sports-fitness/golf/clothing-footwear/1207/' SPORTS_FITNESS__GOLF__DRIVERS = '/for-sale/sports-fitness/golf/drivers/1206/' SPORTS_FITNESS__GOLF__HYBRIDS = '/for-sale/sports-fitness/golf/hybrids/1377/' SPORTS_FITNESS__GOLF__IRONS = '/for-sale/sports-fitness/golf/irons/1208/' SPORTS_FITNESS__GOLF__PUTTERS = '/for-sale/sports-fitness/golf/putters/1209/' SPORTS_FITNESS__GOLF__SETS = '/for-sale/sports-fitness/golf/sets/1210/' SPORTS_FITNESS__GOLF__TROLLEYS = '/for-sale/sports-fitness/golf/trolleys/1211/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING = '/for-sale/sports-fitness/martial-arts-boxing/213/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING__BOXING = '/for-sale/sports-fitness/martial-arts-boxing/boxing/1212/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING__MARTIAL_ARTS = '/for-sale/sports-fitness/martial-arts-boxing/martial-arts/1213/' SPORTS_FITNESS__MARTIAL_ARTS_BOXING__PUNCH_KICK_BAGS = '/for-sale/sports-fitness/martial-arts-boxing/punch-kick-bags/1214/' SPORTS_FITNESS__RACKET_SPORTS = '/for-sale/sports-fitness/racket-sports/214/' SPORTS_FITNESS__RACKET_SPORTS__BADMINTON = '/for-sale/sports-fitness/racket-sports/badminton/1215/' SPORTS_FITNESS__RACKET_SPORTS__SQUASH = '/for-sale/sports-fitness/racket-sports/squash/1216/' SPORTS_FITNESS__RACKET_SPORTS__TABLE_TENNIS = '/for-sale/sports-fitness/racket-sports/table-tennis/1217/' SPORTS_FITNESS__RACKET_SPORTS__TENNIS = '/for-sale/sports-fitness/racket-sports/tennis/1218/' SPORTS_FITNESS__RACKET_SPORTS__OTHER = '/for-sale/sports-fitness/racket-sports/other/1219/' SPORTS_FITNESS__RUNNING_TRACK_FIELD = '/for-sale/sports-fitness/running-track-field/215/' SPORTS_FITNESS__RUNNING_TRACK_FIELD__RUNNING_SHOES = '/for-sale/sports-fitness/running-track-field/running-shoes/1220/' SPORTS_FITNESS__RUNNING_TRACK_FIELD__TRACK_EQUIPMENT = '/for-sale/sports-fitness/running-track-field/track-equipment/1221/' SPORTS_FITNESS__RUNNING_TRACK_FIELD__OTHER = '/for-sale/sports-fitness/running-track-field/other/1222/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING = '/for-sale/sports-fitness/skateboard-rollerblading/217/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING__ACCESSORIES = '/for-sale/sports-fitness/skateboard-rollerblading/accessories/1225/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING__ROLLERBLADES = '/for-sale/sports-fitness/skateboard-rollerblading/rollerblades/1223/' SPORTS_FITNESS__SKATEBOARD_ROLLERBLADING__SKATEBOARDS = '/for-sale/sports-fitness/skateboard-rollerblading/skateboards/1224/' SPORTS_FITNESS__SKI_SNOWBOARDING = '/for-sale/sports-fitness/ski-snowboarding/218/' SPORTS_FITNESS__SKI_SNOWBOARDING__ACCESSORIES = '/for-sale/sports-fitness/ski-snowboarding/accessories/1226/' SPORTS_FITNESS__SKI_SNOWBOARDING__BINDINGS = '/for-sale/sports-fitness/ski-snowboarding/bindings/1227/' SPORTS_FITNESS__SKI_SNOWBOARDING__BOOTS = '/for-sale/sports-fitness/ski-snowboarding/boots/1231/' SPORTS_FITNESS__SKI_SNOWBOARDING__BOOTS__SKI = '/for-sale/sports-fitness/ski-snowboarding/boots/ski/1232/' SPORTS_FITNESS__SKI_SNOWBOARDING__BOOTS__SNOWBOARDING = '/for-sale/sports-fitness/ski-snowboarding/boots/snowboarding/1233/' SPORTS_FITNESS__SKI_SNOWBOARDING__CLOTHING = '/for-sale/sports-fitness/ski-snowboarding/clothing/1228/' SPORTS_FITNESS__SKI_SNOWBOARDING__SKIS = '/for-sale/sports-fitness/ski-snowboarding/skis/1229/' SPORTS_FITNESS__SKI_SNOWBOARDING__SNOWBOARDS = '/for-sale/sports-fitness/ski-snowboarding/snowboards/1230/' SPORTS_FITNESS__SNOOKER_POOL_DARTS = '/for-sale/sports-fitness/snooker-pool-darts/219/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__DARTS = '/for-sale/sports-fitness/snooker-pool-darts/darts/1234/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__POOL = '/for-sale/sports-fitness/snooker-pool-darts/pool/1235/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__POOL__ACCESSORIES = '/for-sale/sports-fitness/snooker-pool-darts/pool/accessories/1237/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__POOL__TABLES = '/for-sale/sports-fitness/snooker-pool-darts/pool/tables/1236/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__SNOOKER = '/for-sale/sports-fitness/snooker-pool-darts/snooker/1238/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__SNOOKER__ACCESSORIES = '/for-sale/sports-fitness/snooker-pool-darts/snooker/accessories/1240/' SPORTS_FITNESS__SNOOKER_POOL_DARTS__SNOOKER__TABLES = '/for-sale/sports-fitness/snooker-pool-darts/snooker/tables/1239/' SPORTS_FITNESS__SUPPLEMENTS = '/for-sale/sports-fitness/supplements/1261/' SPORTS_FITNESS__TEAM_SPORTS = '/for-sale/sports-fitness/team-sports/212/' SPORTS_FITNESS__TEAM_SPORTS__BASKETBALL = '/for-sale/sports-fitness/team-sports/basketball/1241/' SPORTS_FITNESS__TEAM_SPORTS__CRICKET = '/for-sale/sports-fitness/team-sports/cricket/1242/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR = '/for-sale/sports-fitness/team-sports/footwear/1247/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR__ASTRO_TURF = '/for-sale/sports-fitness/team-sports/footwear/astro-turf/1249/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR__BOOTS = '/for-sale/sports-fitness/team-sports/footwear/boots/1248/' SPORTS_FITNESS__TEAM_SPORTS__FOOTWEAR__OTHER = '/for-sale/sports-fitness/team-sports/footwear/other/1250/' SPORTS_FITNESS__TEAM_SPORTS__GAA = '/for-sale/sports-fitness/team-sports/gaa/1251/' SPORTS_FITNESS__TEAM_SPORTS__GAA__GAELIC_FOOTBALL = '/for-sale/sports-fitness/team-sports/gaa/gaelic-football/1253/' SPORTS_FITNESS__TEAM_SPORTS__GAA__HURLING_CAMOGIE = '/for-sale/sports-fitness/team-sports/gaa/hurling-camogie/1252/' SPORTS_FITNESS__TEAM_SPORTS__HOCKEY = '/for-sale/sports-fitness/team-sports/hockey/1243/' SPORTS_FITNESS__TEAM_SPORTS__RUGBY = '/for-sale/sports-fitness/team-sports/rugby/1244/' SPORTS_FITNESS__TEAM_SPORTS__SOCCER = '/for-sale/sports-fitness/team-sports/soccer/1245/' SPORTS_FITNESS__TEAM_SPORTS__OTHER = '/for-sale/sports-fitness/team-sports/other/1246/' SPORTS_FITNESS__WATER_SPORTS = '/for-sale/sports-fitness/water-sports/222/' SPORTS_FITNESS__WATER_SPORTS__DIVING = '/for-sale/sports-fitness/water-sports/diving/1254/' SPORTS_FITNESS__WATER_SPORTS__KAYAKING = '/for-sale/sports-fitness/water-sports/kayaking/1255/' SPORTS_FITNESS__WATER_SPORTS__KITE_SURFING = '/for-sale/sports-fitness/water-sports/kite-surfing/1256/' SPORTS_FITNESS__WATER_SPORTS__SURFING = '/for-sale/sports-fitness/water-sports/surfing/1257/' SPORTS_FITNESS__WATER_SPORTS__WETSUITS = '/for-sale/sports-fitness/water-sports/wetsuits/1258/' SPORTS_FITNESS__WATER_SPORTS__WIND_SURFING = '/for-sale/sports-fitness/water-sports/wind-surfing/1259/' SPORTS_FITNESS__WATER_SPORTS__OTHER = '/for-sale/sports-fitness/water-sports/other/1260/' SPORTS_FITNESS__OTHER_SPORTS_FITNESS = '/for-sale/sports-fitness/other-sports-fitness/52/' TICKETS = '/for-sale/tickets/62/' TICKETS__CONCERTS_FESTIVALS = '/for-sale/tickets/concerts-festivals/225/' TICKETS__SPORTS = '/for-sale/tickets/sports/226/' TICKETS__THEATRE_SHOWS = '/for-sale/tickets/theatre-shows/227/' TICKETS__TRAVEL = '/for-sale/tickets/travel/265/' TICKETS__VOUCHERS = '/for-sale/tickets/vouchers/266/' TICKETS__OTHER_TICKETS = '/for-sale/tickets/other-tickets/63/' TOYS_GAMES = '/for-sale/toys-games/229/' TOYS_GAMES__ACTION_FIGURES = '/for-sale/toys-games/action-figures/231/' TOYS_GAMES__ADULT_THEMED_GAMES = '/for-sale/toys-games/adult-themed-games/418/' TOYS_GAMES__DOLLS = '/for-sale/toys-games/dolls/232/' TOYS_GAMES__EDUCATIONAL_TOYS = '/for-sale/toys-games/educational-toys/233/' TOYS_GAMES__GAMES_PUZZLES = '/for-sale/toys-games/games-puzzles/230/' TOYS_GAMES__GARDEN_TOYS = '/for-sale/toys-games/garden-toys/241/' TOYS_GAMES__LEGO_BUILDING_TOYS = '/for-sale/toys-games/lego-building-toys/235/' TOYS_GAMES__MODELS = '/for-sale/toys-games/models/236/' TOYS_GAMES__POKER = '/for-sale/toys-games/poker/351/' TOYS_GAMES__POOLS_WATER_GAMES = '/for-sale/toys-games/pools-water-games/240/' TOYS_GAMES__RADIO_CONTROL = '/for-sale/toys-games/radio-control/237/' TOYS_GAMES__SOFT_TOYS = '/for-sale/toys-games/soft-toys/238/' TOYS_GAMES__TOY_CARS_TRAINS_BOATS_PLANES = '/for-sale/toys-games/toy-cars-trains-boats-planes/239/' TOYS_GAMES__OTHER_TOYS_GAMES = '/for-sale/toys-games/other-toys-games/242/' WEDDING = '/for-sale/wedding/644/' WEDDING__ACCESSORIES = '/for-sale/wedding/accessories/484/' WEDDING__BRIDESMAIDS_DRESSES = '/for-sale/wedding/bridesmaids-dresses/645/' WEDDING__GIFTS = '/for-sale/wedding/gifts/485/' WEDDING__GROOM = '/for-sale/wedding/groom/646/' WEDDING__DRESSES = '/for-sale/wedding/dresses/121/' WEDDING__OTHER = '/for-sale/wedding/other/483/'
i = 0 v = "test" c = 0.1 print("{0} {1} {2}".format(i, c, v))
{ "origin": [ "Where in the world am I? #Place#? I should be in prison. ", "#greeting#, remember to thank #Place# for their sacrifice of hosting Trump today! Someone save me.", "I escaped to #Place# but Trumps on my tail! I need help!", "Things I overhear: collusion....Idoit....#Phrase#......", "I'm having a great time in #Place#! I flew away and hope to never see him again, wait, is that...? Oh no.", "#greeting#! Decided to stop by at #Place#! If you live here, please keep an eye out so you don't become another victim of Trump! Stay safe!", "Oh my, I just saw a #animal# in #Place#! I hope it carries me away somewhere safe!", "Yay! #animal# is running off with me in #Place#! I'm free!", "True Trump quotes: #true# #impeach", "Many words have been thrown my way like: #noun#. And you know what? I'm not even mad, its true.", "Boy, I sure love to dance with #animal#! Damn it, Trump found me again... see you later friends!", "I know the real reason Trump doesn't own a pet...it's because he is afriad of #animal# and thinks that a dog will act the same way."], "animal": ["Aardvark", "Abyssinian", "Adelie Penguin", "Affenpinscher", "Afghan Hound", "African Bush Elephant", "African Civet", "African Clawed Frog", "African Forest Elephant", "African Palm Civet", "African Penguin", "African Tree Toad", "Airedale Terrier", "Akbash", "Akita", "Alaskan Malamute", "Albatross", "Aldabra Giant Tortoise", "Alligator", "American Staffordshire Terrier", "American Water Spaniel", "Angelfish", "Ant", "Anteater", "Antelope", "Arctic Fox", "Arctic Hare", "Arctic Wolf", "Armadillo", "Asian Elephant", "Asian Giant Hornet", "Asian Palm Civet", "Asiatic Black Bear", "Australian Mist", "Australian Shepherd", "Australian Terrier", "Avocet", "Axolotl", "Aye Aye", "Baboon", "Bactrian Camel", "Badger", "Balinese", "Banded Palm Civet", "Bandicoot", "Barb", "Barn Owl", "Barnacle", "Barracuda", "Basking Shark", "Basset Hound", "Bat", "Bavarian Mountain Hound", "Beagle", "Bear", "Bearded Collie", "Bearded Dragon", "Beaver", "Bedlington Terrier", "Beetle", "Bengal Tiger", "Bichon Frise", "Binturong", "Bird","Birds Of Paradise", "Birman", "Bison", "Black Bear", "Black Rhinoceros", "Black Russian Terrier", "Black Widow Spider", "Blue Whale", "Bobcat", "Bombay", "Bongo", "Bonobo", "Booby", "Bornean Orang-utan", "Borneo Elephant", "Boston Terrier", "Bottle Nosed Dolphin", "Boykin Spaniel", "Brazilian Terrier", "Brown Bear", "Budgerigar", "Buffalo", "Bull Mastiff", "Bull Shark", "Bull Terrier", "Bullfrog", "Bumble Bee", "Burmese", "Burrowing Frog", "Butterfly", "Butterfly Fish", "Caiman", "Caiman Lizard", "Cairn Terrier", "Camel", "Capybara", "Caracal", "Cassowary", "Caterpillar", "Catfish", "Cavalier King Charles Spaniel", "Centipede", "Cesky Fousek", "Chameleon", "Chamois", "Cheetah", "Chesapeake Bay Retriever", "Chicken", "Chimpanzee", "Chinchilla", "Chinook", "Chinstrap Penguin", "Chipmunk", "Chow Chow", "Cichlid", "Clouded Leopard", "Clown Fish", "Coati", "Cockroach", "Collared Peccary", "Collie", "Common Buzzard", "Common Frog", "Common Loon", "Common Toad", "Coral", "Cottontop Tamarin", "Cougar", "Cow", "Coyote", "Crab", "Crab-Eating Macaque", "Crane", "Crested Penguin", "Crocodile", "Cross River Gorilla", "Curly Coated Retriever", "Cuscus", "Cuttlefish", "Darwin's Frog", "Deer", "Desert Tortoise", "Deutsche Bracke", "Dhole", "Dingo", "Discus", "Doberman Pinscher", "Dodo", "Dogo Argentino", "Dogue De Bordeaux", "Dolphin", "Donkey", "Dormouse", "Dragonfly", "Drever", "Duck", "Dugong", "Dunker", "Dusky Dolphin", "Dwarf Crocodile", "Eagle", "Earwig", "Eastern Gorilla", "Eastern Lowland Gorilla", "Echidna", "Edible Frog", "Egyptian Mau", "Electric Eel", "Elephant", "Elephant Seal", "Elephant Shrew", "Emperor Penguin", "Emperor Tamarin", "Emu", "Epagneul Pont Audemer", "Falcon", "Fennec Fox", "Ferret", "Fin Whale", "Finnish Spitz", "Fire-Bellied Toad", "Fish", "Flamingo", "Flounder", "Fly", "Flying Squirrel", "Fossa", "Fox", "Frigatebird", "Frilled Lizard", "Frog", "Fur Seal", "Galapagos Penguin", "Galapagos Tortoise", "Gar", "Gecko", "Gentoo Penguin", "Geoffroys Tamarin", "Gerbil", "Gharial", "Giant African Land Snail", "Giant Clam", "Giant Panda Bear", "Giant Schnauzer", "Gibbon", "Gila Monster", "Giraffe", "Glass Lizard", "Glow Worm", "Goat", "Golden Lion Tamarin", "Golden Oriole", "Goose", "Gopher", "Gorilla", "Grasshopper", "Great White Shark", "Green Bee-Eater", "Grey Mouse Lemur", "Grey Reef Shark", "Grey Seal", "Grizzly Bear", "Grouse", "Guinea Fowl", "Guinea Pig", "Guppy", "Hammerhead Shark", "Hamster", "Hare", "Harrier", "Havanese", "Hedgehog", "Hercules Beetle", "Hermit Crab", "Heron", "Highland Cattle", "Himalayan", "Hippopotamus", "Honey Bee", "Horn Shark", "Horned Frog", "Horse", "Horseshoe Crab", "Howler Monkey", "Human", "Humboldt Penguin", "Hummingbird", "Humpback Whale", "Hyena", "Ibis", "Ibizan Hound", "Iguana", "Impala", "Indian Elephant", "Indian Palm Squirrel", "Indian Rhinoceros", "Indian Star Tortoise", "Indochinese Tiger", "Indri", "Insect", "Jackal", "Jaguar", "Japanese Chin", "Japanese Macaque", "Javan Rhinoceros", "Javanese", "Jellyfish", "Kakapo", "Kangaroo", "Keel Billed Toucan", "Killer Whale", "King Crab", "King Penguin", "Kingfisher", "Kiwi", "Koala", "Komodo Dragon", "Kudu", "Labradoodle", "Labrador Retriever", "Ladybird", "Leaf-Tailed Gecko", "Lemming", "Lemur", "Leopard", "Leopard Cat", "Leopard Seal", "Leopard Tortoise", "Liger", "Lion", "Lionfish", "Little Penguin", "Lizard", "Llama", "Lobster", "Long-Eared Owl", "Lynx", "Macaroni Penguin", "Macaw", "Magellanic Penguin", "Magpie", "Malayan Civet", "Malayan Tiger", "Manatee", "Mandrill", "Manta Ray", "Marine Toad", "Markhor", "Marsh Frog", "Masked Palm Civet", "Mayfly", "Meerkat", "Millipede", "Minke Whale", "Mole", "Molly", "Mongoose", "Mongrel", "Monitor Lizard", "Monkey", "Monte Iberia Eleuth", "Moorhen", "Moose", "Moray Eel", "Moth", "Mountain Gorilla", "Mountain Lion", "Mouse", "Mule", "Neanderthal", "Neapolitan Mastiff", "Newfoundland", "Newt", "Nightingale", "Norwegian Forest", "Numbat", "Nurse Shark", "Ocelot", "Octopus", "Okapi", "Olm", "Opossum", "Orang-utan", "Ostrich", "Otter", "Oyster", "Pademelon", "Panther", "Parrot", "Patas Monkey", "Peacock", "Pelican", "Penguin", "Persian", "Pheasant", "Pied Tamarin", "Pig", "Pika", "Pike", "Pink Fairy Armadillo", "Piranha", "Platypus", "Pointer", "Poison Dart Frog", "Polar Bear", "Pond Skater", "Pool Frog", "Porcupine", "Possum", "Prawn", "Proboscis Monkey", "Puffer Fish", "Puffin", "Pug", "Puma", "Purple Emperor", "Puss Moth", "Pygmy Hippopotamus", "Pygmy Marmoset", "Quail", "Quetzal", "Quokka", "Quoll", "Rabbit", "Raccoon", "Radiated Tortoise", "Ragdoll", "Rat", "Rattlesnake", "Red Knee Tarantula", "Red Panda", "Red Wolf", "Red-handed Tamarin", "Reindeer", "Rhinoceros", "River Dolphin", "River Turtle", "Robin", "Rock Hyrax", "Rockhopper Penguin", "Roseate Spoonbill", "Royal Penguin", "Russian Blue", "Sabre-Toothed Tiger", "Saint Bernard", "Salamander", "Sand Lizard", "Saola", "Scorpion", "Scorpion Fish", "Sea Dragon", "Sea Lion", "Sea Otter", "Sea Slug", "Sea Squirt", "Sea Turtle", "Sea Urchin", "Seahorse", "Seal", "Serval", "Sheep", "Shih Tzu", "Shrimp", "Siamese Fighting Fish", "Siberian Tiger", "Silver Dollar", "Skunk", "Sloth", "Slow Worm", "Snail", "Snake", "Snapping Turtle", "Snowshoe", "Snowy Owl", "Somali", "South China Tiger", "Spadefoot Toad", "Sparrow", "Spectacled Bear", "Sperm Whale", "Spider Monkey", "Spiny Dogfish", "Sponge", "Squid", "Squirrel", "Squirrel Monkey", "Sri Lankan Elephant", "Stag Beetle", "Starfish", "Stellers Sea Cow", "Stick Insect", "Stingray", "Stoat", "Striped Rocket Frog", "Sumatran Elephant", "Sumatran Orang-utan", "Sumatran Rhinoceros", "Sumatran Tiger", "Sun Bear", "Swan", "Tang", "Tapanuli Orang-utan", "Tapir", "Tarsier", "Tasmanian Devil", "Tawny Owl", "Termite", "Tetra", "Thorny Devil", "Tibetan Mastiff", "Tiffany", "Tiger", "Tiger Salamander", "Tiger Shark", "Tortoise", "Toucan", "Tree Frog", "Tropicbird", "Tuatara", "Turkey", "Turkish Angora", "Uakari", "Uguisu", "Umbrellabird", "Vampire Bat", "Vervet Monkey", "Vulture", "Wallaby", "Walrus", "Warthog", "Wasp", "Water Buffalo", "Water Dragon", "Water Vole", "Weasel", "Welsh Corgi", "West Highland Terrier", "Western Gorilla", "Western Lowland Gorilla", "Whale Shark", "Whippet", "White Faced Capuchin", "White Rhinoceros", "White Tiger", "Wild Boar", "Wildebeest", "Wolf", "Wolverine", "Wombat", "Woodlouse", "Woodpecker", "Woolly Mammoth", "Woolly Monkey", "Wrasse", "X-Ray Tetra", "Yak", "Yellow-Eyed Penguin", "Yorkshire Terrier", "Zebra", "Zebra Shark", "Zebu", "Zonkey", "Zorse"], "noun": ["pheasant", "bug", "far too expensive bunch of thread", "taxpayer payed bunch of twigs", "bobcat toy", "meat hat", "ass hat", "corn colored corncob", "little son", "politician hat made by mommy", "Last minute cosplay", "leftover mop", "water", "vegan top hat", "purple pestilence", "pelicans dinner", "day old fish", "cat vomit", "college student funded wig", "MAGA hat extension", "disrespecting women wig"], "adjective": ["horrendous", "vegan", "scrawny", "questionable", "swift", "(you said hair Jimmy? That doesn't sound quite right.)", "quality", "affordable", "menswear", "unfitting", "gross", "updo"], "greeting": ["Howdy", "What's up ya'll", "Yo", "Welcome", "It's me again"], "Phrase": ["Putin is huuuuge, the best", "I hate everyone", "Alright! I did it! Okay? I did the bad stuff." , "mexicans are in Spain and it's all crazy."], "true": ["I've always said, 'If you need Viagra, you're probably with the wrong girl.'", "I love her … upper body.", "Look at that face. Would anybody vote for that? Can you imagine that, the face of our next president? I mean, she's a woman, and I'm not supposed to say bad things, but really, folks, come on. Are we serious?", "Why does she keep interrupting everybody?", "She's certainly not hot.", "Horseface" , "I promise not to talk about your massive plastic surgeries that didn't work.", "I know where she went, it's disgusting, I don't want to talk about it … No, it's too disgusting. Don't say it, it's disgusting.", "If she were a man, I don't think she'd get five percent of the vote." , "Does she look presidential, fellas? Give me a break.", "Such a nasty woman.", "Unattractive both inside and out. I fully understand why her former husband left her for a man — he made a good decision.", "A crazed, crying lowlife", "Does she have a good body? No. Does she have a fat ass? Absolutely.", "Sadly, she's no longer a 10.", "She does have a very nice figure ... if [she] weren't my daughter, perhaps I'd be dating her.", "She's actually always been very voluptuous.","How do the breasts look?", "Well, I think that she's got a lot of Marla. She's a really beautiful baby, and she's got Marla's legs. We don't know whether she's got this part yet, but time will tell.", "26,000 unreported sexual assaults in the military — only 238 convictions. What did these geniuses expect when they put men & women together?", "We could say, politically correct, that look doesn't matter, but the look obviously matters. Like you wouldn't have your job if you weren't beautiful.", "I've got to use some Tic Tacs, just in case I start kissing her. You know I'm automatically attracted to beautiful — I just start kissing them. It's like a magnet. Just kiss. I don't even wait. And when you're a star, they let you do it. You can do anything ... Grab them by the pussy. You can do anything." , "Nobody has more respect for women than I do. Nobody. Nobody has more respect." ], "Place": ["Afghanistan", "Albania", "Algeria", "Andorra", "Angola", "Antigua and Barbuda", "Argentina", "Armenia", "Australia", "Austria", "Azerbaijan", "The Bahamas", "Bahrain", "Bangladesh", "Barbados", "Belarus", "Belgium", "Belize", "Benin", "Bhutan", "Bolivia", "Bosnia and Herzegovina", "Botswana", "Brazil", "Brunei", "Bulgaria", "Burkina Faso", "Burundi", "Cabo Verde", "Cambodia", "Cameroon", "Canada", "the Central African Republic", "Chad", "Chile", "China", "Colombia", "Comoros", "Congo", "the Democratic Republic of the Congo", "Costa Rica", "Côte d’Ivoire", "Croatia", "Cuba","Cyprus","the Czech Republic","Denmark","Djibouti","Dominica","Dominican Republic","East Timor (Timor-Leste)","Ecuador","Egypt","El Salvador","Equatorial Guinea","Eritrea","Estonia","Eswatini","Ethiopia","Fiji","Finland","France","Gabon","The Gambia","Georgia","Germany","Ghana","Greece","Grenada","Guatemala","Guinea","Guinea-Bissau","Guyana","Haiti","Honduras","Hungary","Iceland","India","Indonesia","Iran","Iraq","Ireland","Israel","Italy","Jamaica","Japan","Jordan","Kazakhstan","Kenya","Kiribati","Korea, North","Korea, South","Kosovo","Kuwait","Kyrgyzstan","Laos","Latvia","Lebanon","Lesotho","Liberia","Libya","Liechtenstein","Lithuania","Luxembourg","Madagascar","Malawi","Malaysia","Maldives","Mali","Malta","the Marshall Islands","Mauritania","Mauritius","Mexico","Micronesia","Moldova","Monaco","Mongolia","Montenegro","Morocco","Mozambique","Myanmar (Burma)","Namibia","Nauru","Nepal","Netherlands","New Zealand","Nicaragua","Niger","Nigeria","North Macedonia","Norway","Oman","Pakistan","Palau","Panama","Papua New Guinea","Paraguay","Peru","the Philippines","Poland","Portugal","Qatar","Romania","Russia","Rwanda","Saint Kitts and Nevis","Saint Lucia","Saint Vincent and the Grenadines","Samoa","San Marino","Sao Tome and Principe","Saudi Arabia","Senegal","Serbia","Seychelles","Sierra Leone","Singapore","Slovakia","Slovenia","the Solomon Islands","Somalia","South Africa","Spain","Sri Lanka","Sudan","Sudan, South","Suriname","Sweden","Switzerland","Syria","Taiwan","Tajikistan","Tanzania","Thailand","Togo","Tonga","Trinidad and Tobago","Tunisia","Turkey","Turkmenistan","Tuvalu","Uganda","Ukraine","the United Arab Emirates","the United Kingdom","the United States","Uruguay","Uzbekistan","Vanuatu","Vatican City","Venezuela","Vietnam","Yemen","Zambia","Zimbabwe"] }
hour_test = 6 if not args.hr: hr = convertMonDayHr(hour_test) elif hour_test < 12: hr = convertMonDayHr(hour_test) hr = "上午" + hr elif hour_test > 12: hr = convertMonDayHr(hour_test - 12) hr = "下午" + hr else: hr = convertMonDayHr(hour_test) hr = "下午" + hr
'''def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(0,n-i-1): if arr[j] > arr[j+1]: temp = arr[j] arr[j] = arr[j+1] arr[j+1] = temp arr = [10,9,15,1,5,2,6,3] bubbleSort(arr) print('Sorted array: ') for i in range(len(arr)): print(arr[i]) ''' # OR use this ''' def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(0,n-i-1): if arr[j] > arr[j+1]: swap(arr, j, j+1) def swap(arr, x, y): temp = arr[x] arr[x] = arr[y] arr[y] = temp ''' # OR use this,swap from last def bubbleSort(arr): n = len(arr) for i in range(n): for j in range(n-1,i,-1): if arr[j] < arr[j-1]: swap(arr, j, j-1) def swap(arr, x, y): temp = arr[x] arr[x] = arr[y] arr[y] = temp arr = [10,9,15,1,5,2,6,3] bubbleSort(arr) print('Sorted array: ') print(arr)
# Create 2 variables for future operations x = 0b101001 # Here we create 2 variables with values x = 41, y = 38 y = 0b100110 # We create bit numbers with the "0b" notation. print(x, y) # Bitwise AND -- "&" # It returns 1 if two of the bits 1 and 0 if one of the bits 1 or both 0 z = x & y # which makes z = 0b00100000, z = 32 print(bin(z)) # We can use format string to help us to print numbers in bit formation # Bitwise OR -- "|" # It returns 1 if one of the bits 1 and returns 0 in other cases z = x | y # which makes z = 0b00101111, z = 47 print(bin(z)) # We use built-in bin function to print numbers in bit format # Bitwise XOR -- "^" # It returns 1 if one of the bits 1 but not both z = x ^ y # which makes z = 0b00001111, z = 15 print(bin(z)) # Bitwise Shift left -- "<<" # Shifts number by "" bits to left z = x << 1 # shifts x by 1 bit and creates z = 0b1010010 # x was x = 0b101001 z = x << 4 # which shifts x by 4 bits and z = 0b1010010000 z = x >> 1 # we can also shift right z = 0b10100 print(bin(z))
# -*- coding:utf-8 -*- ''' A string is considered to be in title case if each word in the string is either (a) capitalised (that is, only the first letter of the word is in upper case) or (b) considered to be an exception and put entirely into lower case unless it is the first word, which is always capitalised. 将参数A 里面的单词全部改成首字母大写其余小写,而参数B里面的则是要排除转换的单词(第一个单词一定要转换的)。 title_case('a clash of KINGS', 'a an the of') # should return: 'A Clash of Kings' title_case('THE WIND IN THE WILLOWS', 'The In') # should return: 'The Wind in the Willows' title_case('the quick brown fox') # should return: 'The Quick Brown Fox' ''' def title_case(title, minor_words=""): if title == "" : return "" lt = str(title).title().split() nt = list() nt.append(lt[0]) for s in lt[1:] : nt.append(str(s).lower() if str(minor_words).lower().split().__contains__(str(s).lower()) else str(s)) return " ".join(nt) print(title_case('a clash of KINGS', 'a an the of')) print(title_case('First a of in','an often into')) print(title_case('')) def title_case2(title, minor_words=''): title = title.capitalize().split() minor_words = minor_words.lower().split() return ' '.join([word if word in minor_words else word.capitalize() for word in title]) def title_case3(title, minor_words=''): return ' '.join(w if w in minor_words.lower().split() and i else w.capitalize() for i, w in enumerate(title.lower().split())) def title_case4(title, minor_words=''): return ' '.join(c if c in minor_words.lower().split() else c.title() for c in title.capitalize().split()) print(title_case2(''))
class Node: """Create a Node object""" def __init__(self, val, next=None): """Constructor for the Node object""" self.val = val self._next = next if val is None: raise TypeError('Must pass a value') def __repr__(self): return '{val}'.format(val=self.val) class Stack: """Create a Stack data structure""" def __init__(self, iterable=[]): self.top = None self._size = 0 if type(iterable) is not list: raise TypeError('Invalid iterable') for item in iterable: self.push(item) def __repr__(self): return f'Top of stack is {self.top.val}' def push(self, val): """Insert a node to top of stack""" try: node = Node(val, self.top) except TypeError: return self.top self.top = node self._size += 1 return self.top def pop(self): """Remove the top node from stack""" removed_node = self.top self.top = self.top._next self._size -= 1 return removed_node.val def multi_bracket_validation(input): """Validate for symantically correct multi-brackets in a string""" brackets = Stack() for i in input: if i == '(' or i == '[' or i == '{': brackets.push(i) elif i == ')' or i == ']' or i == '}': if brackets._size == 0: return False elif i == ')' and brackets.top.val == '(': brackets.pop() elif i == ']' and brackets.top.val == '[': brackets.pop() elif i == '}' and brackets.top.val == '{': brackets.pop() else: return False if brackets._size != 0: return False return True
def is_same(num): if (sum(map(int, str(num))) % 3 != 0): return False a = set() for i in range(1,6): val = str(num * i) a.add(''.join(sorted(val))) if (num == 142857): print(a) return len(a) == 1 for i in range(1000,10000000): for j in range(10, 15): num = int(str(j) + str(i)) if (is_same(num)): print(num) raise "Done"
# # PySNMP MIB module FILTER-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/FILTER-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:13:49 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsUnion, ValueRangeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsIntersection") dlink_common_mgmt, = mibBuilder.importSymbols("DLINK-ID-REC-MIB", "dlink-common-mgmt") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, Unsigned32, ModuleIdentity, Gauge32, IpAddress, Counter64, MibIdentifier, Integer32, Counter32, iso, ObjectIdentity, Bits, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "Unsigned32", "ModuleIdentity", "Gauge32", "IpAddress", "Counter64", "MibIdentifier", "Integer32", "Counter32", "iso", "ObjectIdentity", "Bits", "NotificationType") DisplayString, RowStatus, TextualConvention, MacAddress = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "RowStatus", "TextualConvention", "MacAddress") swFilterMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 171, 12, 37)) if mibBuilder.loadTexts: swFilterMIB.setLastUpdated('0808120000Z') if mibBuilder.loadTexts: swFilterMIB.setOrganization('D-Link Corp.') if mibBuilder.loadTexts: swFilterMIB.setContactInfo('http://support.dlink.com') if mibBuilder.loadTexts: swFilterMIB.setDescription('This MIB module defining objects for the management of filter.') class PortList(OctetString): subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(0, 127) swFilterDhcp = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 1)) swFilterNetbios = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 2)) swFilterExtNetbios = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 3)) swFilterCPU = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 4)) swFilterEgress = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 5)) swFilterNotify = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100)) swFilterDhcpPermitTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1), ) if mibBuilder.loadTexts: swFilterDhcpPermitTable.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPermitTable.setDescription('The table specifies DHCP permit information.') swFilterDhcpPermitEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterDhcpServerIP"), (0, "FILTER-MIB", "swFilterDhcpClientMac")) if mibBuilder.loadTexts: swFilterDhcpPermitEntry.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPermitEntry.setDescription('This entry includes all port DHCP information which is supported by the device, like server IP address, client MAC address...') swFilterDhcpServerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 1), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterDhcpServerIP.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerIP.setDescription('This object indicates the DHCP server IP address of this entry.') swFilterDhcpClientMac = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterDhcpClientMac.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpClientMac.setDescription('This object indicates the DHCP client MAC address of this entry.') swFilterDhcpPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 3), PortList()).setMaxAccess("readcreate") if mibBuilder.loadTexts: swFilterDhcpPorts.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPorts.setDescription('This object indicates the operating port list of this entry.') swFilterDhcpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 1, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: swFilterDhcpStatus.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpStatus.setDescription('This object indicates the status of this entry.') swFilterDhcpPortTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2), ) if mibBuilder.loadTexts: swFilterDhcpPortTable.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortTable.setDescription('The table specifies the DHCP filter function of a particular port.') swFilterDhcpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterDhcpPortIndex")) if mibBuilder.loadTexts: swFilterDhcpPortEntry.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortEntry.setDescription('This entry includes all port DHCP states which are supported by the device.') swFilterDhcpPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterDhcpPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterDhcpPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterDhcpPortState.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpPortState.setDescription('This object indicates the DHCP filter status of this entry.') swFilterDhcpServerIllegalSerLogSuppressDuration = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("duration_1min", 1), ("duration_5min", 2), ("duration_30min", 3))).clone('duration_5min')).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterDhcpServerIllegalSerLogSuppressDuration.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerIllegalSerLogSuppressDuration.setDescription('This object indicates the illegal server log suppression duration. The same illegal DHCP server IP address detected is logged just once within the log ceasing unauthorized duration. The log ceasing unauthorized duration is 1 minute, 5 minutes, and 30 minutes. The default value is 5 minutes.') swFilterDhcpServerTrapLogState = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterDhcpServerTrapLogState.setStatus('current') if mibBuilder.loadTexts: swFilterDhcpServerTrapLogState.setDescription('This object indicates the state of the filter DHCP server log or trap on the switch.') swFilterNetbiosTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1), ) if mibBuilder.loadTexts: swFilterNetbiosTable.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosTable.setDescription('The table specifies the NetBIOS filter function of a port.') swFilterNetbiosEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterNetbiosPortIndex")) if mibBuilder.loadTexts: swFilterNetbiosEntry.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosEntry.setDescription('This entry includes all port NetBIOS states which are supported by the device.') swFilterNetbiosPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterNetbiosPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterNetbiosState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterNetbiosState.setStatus('current') if mibBuilder.loadTexts: swFilterNetbiosState.setDescription('This object indicates the status of the NetBIOS filter.') swFilterExtNetbiosTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1), ) if mibBuilder.loadTexts: swFilterExtNetbiosTable.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosTable.setDescription('The table specifies the extensive NetBIOS filter function of a port.') swFilterExtNetbiosEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterExtNetbiosPortIndex")) if mibBuilder.loadTexts: swFilterExtNetbiosEntry.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosEntry.setDescription('This entry includes all port extensive NetBIOS states which are supported by the device.') swFilterExtNetbiosPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterExtNetbiosPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterExtNetbiosState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterExtNetbiosState.setStatus('current') if mibBuilder.loadTexts: swFilterExtNetbiosState.setDescription('This object indicates the extensive NetBIOS filter status.') swFilterCPUL3CtrlPktTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1), ) if mibBuilder.loadTexts: swFilterCPUL3CtrlPktTable.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktTable.setDescription('The table specifies the CPU filter of the layer 3 control packet function of a port.') swFilterCPUL3CtrlPktEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swFilterCPUL3CtrlPktPortIndex")) if mibBuilder.loadTexts: swFilterCPUL3CtrlPktEntry.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktEntry.setDescription('This entry includes all port CPU filters of layer 3 control packet states which are supported by the device.') swFilterCPUL3CtrlPktPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPortIndex.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPortIndex.setDescription("This object indicates the module's port number. The range is from 1 to the maximum port number supported by this module.") swFilterCPUL3CtrlPktRIPState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktRIPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktRIPState.setDescription('This object indicates the RIP status of the layer 3 control packet.') swFilterCPUL3CtrlPktOSPFState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktOSPFState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktOSPFState.setDescription('This object indicates the OSPF status of the layer 3 control packet.') swFilterCPUL3CtrlPktVRRPState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktVRRPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktVRRPState.setDescription('This object indicates the VRRP status of the layer 3 control packet.') swFilterCPUL3CtrlPktPIMState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPIMState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktPIMState.setDescription('This object indicates the PIM status of the layer 3 control packet.') swFilterCPUL3CtrlPktDVMRPState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktDVMRPState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktDVMRPState.setDescription('This object indicates the DVMRP status of the layer 3 control packet.') swFilterCPUL3CtrlPktIGMPQueryState = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 4, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swFilterCPUL3CtrlPktIGMPQueryState.setStatus('current') if mibBuilder.loadTexts: swFilterCPUL3CtrlPktIGMPQueryState.setDescription('This object indicates the IGMP query status of the layer 3 control packet.') swPktEgressFilterCtrlTable = MibTable((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1), ) if mibBuilder.loadTexts: swPktEgressFilterCtrlTable.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterCtrlTable.setDescription('A table that contains information about egress filter control.') swPktEgressFilterCtrlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1), ).setIndexNames((0, "FILTER-MIB", "swPktEgressFilterPortIndex")) if mibBuilder.loadTexts: swPktEgressFilterCtrlEntry.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterCtrlEntry.setDescription('A list of information for each port of the device. unicast: Specifies the egress filter state of destination lookup fail packets. multicast: Specifies the egress filter state of unregistered multicast packets.') swPktEgressFilterPortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: swPktEgressFilterPortIndex.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterPortIndex.setDescription("This object indicates the device's port number.(1..Max port number in the device).Used to specify a range of ports to be configured.") swPktEgressFilterUnknownUnicastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swPktEgressFilterUnknownUnicastStatus.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterUnknownUnicastStatus.setDescription('This object indicates the egress filter state of destination lookup fail packets.') swPktEgressFilterUnknownMulticastStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 171, 12, 37, 5, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: swPktEgressFilterUnknownMulticastStatus.setStatus('current') if mibBuilder.loadTexts: swPktEgressFilterUnknownMulticastStatus.setDescription('This object indicates the egress filter state of unregistered multicast packets.') swFilterNotifyPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 0)) swFilterDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 0, 1)).setObjects(("FILTER-MIB", "swFilterDetectedIP"), ("FILTER-MIB", "swFilterDetectedport")) if mibBuilder.loadTexts: swFilterDetectedTrap.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedTrap.setDescription('Send trap when illegal DHCP server is detected. The same illegal DHCP server IP address detected is just sent once to the trap receivers within the log ceasing unauthorized duration.') swFilterNotificationBindings = MibIdentifier((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2)) swFilterDetectedIP = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2, 1), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: swFilterDetectedIP.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedIP.setDescription('This object indicates the detected illegal DHCP server IP address.') swFilterDetectedport = MibScalar((1, 3, 6, 1, 4, 1, 171, 12, 37, 100, 2, 2), Integer32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: swFilterDetectedport.setStatus('current') if mibBuilder.loadTexts: swFilterDetectedport.setDescription('This object indicates the port which detected the illegal DHCP server.') mibBuilder.exportSymbols("FILTER-MIB", swFilterDhcpClientMac=swFilterDhcpClientMac, swFilterDetectedport=swFilterDetectedport, swFilterExtNetbiosPortIndex=swFilterExtNetbiosPortIndex, swFilterNetbios=swFilterNetbios, PortList=PortList, swFilterExtNetbios=swFilterExtNetbios, swFilterDhcpPorts=swFilterDhcpPorts, swPktEgressFilterPortIndex=swPktEgressFilterPortIndex, swFilterNotifyPrefix=swFilterNotifyPrefix, swPktEgressFilterCtrlEntry=swPktEgressFilterCtrlEntry, swFilterDhcpPortIndex=swFilterDhcpPortIndex, swFilterExtNetbiosTable=swFilterExtNetbiosTable, swFilterDhcpServerTrapLogState=swFilterDhcpServerTrapLogState, swFilterDhcpServerIP=swFilterDhcpServerIP, swFilterNetbiosPortIndex=swFilterNetbiosPortIndex, swFilterDhcp=swFilterDhcp, swPktEgressFilterUnknownMulticastStatus=swPktEgressFilterUnknownMulticastStatus, swFilterCPUL3CtrlPktEntry=swFilterCPUL3CtrlPktEntry, swFilterNetbiosState=swFilterNetbiosState, swFilterExtNetbiosState=swFilterExtNetbiosState, swFilterCPUL3CtrlPktOSPFState=swFilterCPUL3CtrlPktOSPFState, swFilterCPUL3CtrlPktDVMRPState=swFilterCPUL3CtrlPktDVMRPState, swFilterCPUL3CtrlPktRIPState=swFilterCPUL3CtrlPktRIPState, swFilterMIB=swFilterMIB, swFilterEgress=swFilterEgress, swFilterDhcpPortTable=swFilterDhcpPortTable, swFilterNetbiosEntry=swFilterNetbiosEntry, swFilterCPUL3CtrlPktPortIndex=swFilterCPUL3CtrlPktPortIndex, swFilterNotify=swFilterNotify, swFilterDhcpServerIllegalSerLogSuppressDuration=swFilterDhcpServerIllegalSerLogSuppressDuration, swPktEgressFilterCtrlTable=swPktEgressFilterCtrlTable, swFilterDhcpPermitTable=swFilterDhcpPermitTable, swFilterDetectedIP=swFilterDetectedIP, swFilterCPU=swFilterCPU, swFilterDetectedTrap=swFilterDetectedTrap, swFilterCPUL3CtrlPktIGMPQueryState=swFilterCPUL3CtrlPktIGMPQueryState, swFilterExtNetbiosEntry=swFilterExtNetbiosEntry, swFilterNetbiosTable=swFilterNetbiosTable, swFilterDhcpStatus=swFilterDhcpStatus, swFilterDhcpPortState=swFilterDhcpPortState, swFilterDhcpPortEntry=swFilterDhcpPortEntry, PYSNMP_MODULE_ID=swFilterMIB, swFilterCPUL3CtrlPktTable=swFilterCPUL3CtrlPktTable, swFilterNotificationBindings=swFilterNotificationBindings, swFilterCPUL3CtrlPktPIMState=swFilterCPUL3CtrlPktPIMState, swFilterCPUL3CtrlPktVRRPState=swFilterCPUL3CtrlPktVRRPState, swPktEgressFilterUnknownUnicastStatus=swPktEgressFilterUnknownUnicastStatus, swFilterDhcpPermitEntry=swFilterDhcpPermitEntry)
#Passwd file for passwordmanager app loginpass='windowsADpasswd' user='domain.name\\username' passwordReset = 'staticPassword' new_pass = 'newadpassword' adServer='adServer.domain.name'
#Algoritmos Computacionais e Estruturas de Dados #1a Lista de Exercícios #Prof.: Laercio Brito #Dia: 23/08/2021 #Turma 2BINFO #Alunos: #Victor Kauã Martins Nunes #Dora Tezulino Santos #Guilherme de Almeida Torrão #Mauro Campos Pahoor #Victor Pinheiro Palmeira balas=5 rodando=True #bool para checar se outra checagem de tentativa do caçador deva ocorrer valor1 = int(input('O Marciano está em qual das 1 a 100 arvores? Digite um valor nesse espaço: \n')) if(valor1<1 or valor1>100): #condicional de funcionamento do programa print('O valor da arvore não está entre 1 e 100.') else: if(rodando==True): valor2 = int(input('Digite um número para o caçador verificar a localidade do Marciano entre 1 e 100: \n')) #primeiro tiro if(valor2<1 or valor2>100): #condicional de funcionamento do programa(se repete ao longo das tentativas) print("\nValor inválido.") else: if(valor1==valor2): #caso o caçador acerte print('\nBOA!,VOCÊ ACERTOU O MARCIANO!') #caso acerte troca a condição pra False e para as checagens rodando=False else: if(valor1>valor2): #caso ele erre balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a direita.') elif(valor1<valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a esquerda.') if(rodando==True): valor2 = int(input('Digite um número para o caçador verificar a localidade do Marciano entre 1 e 100: \n')) #segundo tiro if(valor2<1 or valor2>100): print("\nValor inválido.") else: if(valor1==valor2): print('\nBOA!,VOCÊ ACERTOU O MARCIANO!') #caso acerte troca a condição pra False e para as checagens rodando=False else: if(valor1>valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a direita') elif(valor1<valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a esquerda') if(rodando==True): valor2 = int(input('Digite um número para o caçador verificar a localidade do Marciano entre 1 e 100: \n')) #terceiro tiro if(valor2<1 or valor2>100): print("\nValor inválido.") else: if(valor1==valor2): print('\nBOA!,VOCÊ ACERTOU O MARCIANO! Game Over.') #caso acerte troca a condição pra False e para as checagens rodando=False else: if(valor1>valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a direita') elif(valor1<valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a esquerda') if(rodando==True): valor2 = int(input('Digite um número para o caçador verificar a localidade do Marciano entre 1 e 100: \n')) #quarto tiro if(valor2<1 or valor2>100): print("\nValor inválido.") else: if(valor1==valor2): print('\nBOA!,VOCÊ ACERTOU O MARCIANO! Game Over.') #caso acerte troca a condição pra False e para as checagens rodando=False else: if(valor1>valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a direita') elif(valor1<valor2): balas-=1 print(f'\nVocê errou.Você ainda tem {balas} balas.') print('Tente Novamente até acabar suas balas.') print('O marciano está mais a esquerda') if(rodando==True): valor2 = int(input('Digite um número para o caçador verificar a localidade do Marciano entre 1 e 100: \n')) #quinto tiro if(valor2<1 or valor2>100): print("\nValor inválido.") else: if(valor1==valor2): print('\nBOA!,VOCÊ ACERTOU O MARCIANO!') #caso acerte troca a condição pra False e para as checagens rodando=False else: if(valor1>valor2): balas-=1 print('\nVocê errou.Você não tem mais balas.') print('O marciano estava mais a direita. Você foi levado para Marte! \n Game Over.') elif(valor1<valor2): balas-=1 print('\nVocê errou.Você não tem mais balas.') print('O marciano estava mais a esquerda. Você foi levado para Marte! \n Game Over.') else: print("\n Game Over.")
# Once Bob got to a sale of old TV sets. There were n TV sets at that sale. TV set with index i costs ai bellars. # Some TV sets have a negative price — their owners are ready to pay Bob if he buys their useless apparatus. Bob can # «buy» any TV sets he wants. Though he's very strong, Bob can carry at most m TV sets, and he has no desire to go to # the sale for the second time. Please, help Bob find out the maximum sum of money that he can earn. # Input # The first line contains two space-separated integers n and m (1 ≤ m ≤ n ≤ 100) — amount of TV sets at the sale, and # amount of TV sets that Bob can carry. The following line contains n space-separated integers ai ( - 1000 ≤ ai ≤ 1000) # — prices of the TV sets. # Output # Output the only number — the maximum sum of money that Bob can earn, given that he can carry at most m TV sets. # Examples # input # 5 3 # -6 0 35 -2 4 # output # 8 # input # 4 2 # 7 0 0 -7 # output # 7 n, m = map(int, input().split()) lst = list(map(int, input().split())) neg_list = [] for i in lst: if i < 0: # checking for (-)ve elements and adding them to neg_list. neg_list.append(i) neg_list.sort() # sorting the neg_list in-order to obtain the maximum cost first in the list. print(abs(sum(neg_list[0:m]))) # printing the (+)ve sum of the m elements from the neg_list.
#---------------------------------------------------------------------------------------------------------- # # AUTOMATICALLY GENERATED FILE TO BE USED BY W_HOTBOX # # NAME: Bake # COLOR: #685777 # TEXTCOLOR: #ffffff # #---------------------------------------------------------------------------------------------------------- ns = nuke.selectedNodes() for n in ns: n.knob('bake').execute()
"""Given two integers n and k, you need to construct a list which contains n different positive integers ranging from 1 to n and obeys the following requirement: Suppose this list is [a1, a2, a3, ... , an], then the list [|a1 - a2|, |a2 - a3|, |a3 - a4|, ... , |an-1 - an|] has exactly k distinct integers. If there are multiple answers, print any of them. Example 1: Input: n = 3, k = 1 Output: [1, 2, 3] Explanation: The [1, 2, 3] has three different positive integers ranging from 1 to 3, and the [1, 1] has exactly 1 distinct integer: 1. Example 2: Input: n = 3, k = 2 Output: [1, 3, 2] Explanation: The [1, 3, 2] has three different positive integers ranging from 1 to 3, and the [2, 1] has exactly 2 distinct integers: 1 and 2. Note: The n and k are in the range 1 <= k < n <= 104.""" class Solution: def constructArray(self, n: int, k: int) -> List[int]: if k == 1: return list(range(1, n + 1)) kR = list(range(k, 1, -1)) N = list(range(1, n + 1)) j = 0 for i in kR: x = self.find(N[j:], i, N[j]) N.pop(N.index(x)) N.insert(j + 1, x) j += 1 return N def find(self, arr, num, h): for x in arr: if x - h == num or h - x == num: return x class Solution2: def constructArray(self, n: int, k: int) -> List[int]: if k == 1: return list(range(1, n + 1)) kR = list(range(k, 0, -1)) N = [1] for i in kR: if N[-1] + i - 1 > k: N.append(N[-1] - i) else: N.append(N[-1] + i) x = list(range(1, n + 1)) for w in x: if w not in N: N.append(w) return N class Solution3: def constructArray(self, n: int, k: int) -> List[int]: ans = [0] * n a = 1 z = k+1 for i in range(k+1): if i % 2: ans[i] = z z -= 1 else: ans[i] = a a += 1 for i in range(k+1,n): ans[i] = i + 1 return ans # Submission Details: # >97%/>93%
def sayhi(name): print("Hello "+ name) sayhi(" vaibhav .") def data(name,age): print("Hello " + name +" You are " + str(age)+ ".") nm=input("Enter the name: ") age=int(input("Enter the age: ")) data(nm,age)
# # @lc app=leetcode id=1289 lang=python3 # # [1289] Minimum Falling Path Sum II # # https://leetcode.com/problems/minimum-falling-path-sum-ii/description/ # # algorithms # Hard (62.37%) # Likes: 355 # Dislikes: 37 # Total Accepted: 16K # Total Submissions: 25.5K # Testcase Example: '[[1,2,3],[4,5,6],[7,8,9]]' # # Given a square grid of integers arr, a falling path with non-zero shifts is a # choice of exactly one element from each row of arr, such that no two elements # chosen in adjacent rows are in the same column. # # Return the minimum sum of a falling path with non-zero shifts. # # # Example 1: # # # Input: arr = [[1,2,3],[4,5,6],[7,8,9]] # Output: 13 # Explanation: # The possible falling paths are: # [1,5,9], [1,5,7], [1,6,7], [1,6,8], # [2,4,8], [2,4,9], [2,6,7], [2,6,8], # [3,4,8], [3,4,9], [3,5,7], [3,5,9] # The falling path with the smallest sum is [1,5,7], so the answer is 13. # # # # Constraints: # # # 1 <= arr.length == arr[i].length <= 200 # -99 <= arr[i][j] <= 99 # # # # @lc code=start class Solution: def minFallingPathSum(self, arr: List[List[int]]) -> int: m, n = len(arr), len(arr[0]) if m == 1: return arr[0][0] # initialization total = [[arr[i][j] for j in range(n)] for i in range(m)] total_max = sys.maxsize for i in range(1, m): for j in range(n): tmp = total_max for k in range(n): if k != j: tmp = min(tmp, total[i - 1][k] + arr[i][j]) total[i][j] = tmp return min(total[-1]) # @lc code=end
class MemberStore: members = [] last_id = 1 def get_all(self): return MemberStore.members def add(self, member): member.id = MemberStore.last_id MemberStore.members.append(member) MemberStore.last_id += 1 def get_by_id(self, id): member_list = self.get_all() for member in member_list: if member.id == id: return member return None def entity_exists(self, member): result = True if self.get_by_id(member.id) is None: result = False return result def delete(self, id): member_list = self.get_all() for member in member_list: if member is not None: MemberStore.members.remove(member) class PostStore: posts = [] last_id = 1 def add(self, post): post.id = PostStore.last_id PostStore.posts.append(post) PostStore.last_id += 1 def get_all(self): return PostStore.posts def get_by_id(self, id): post_list = self.get_all() for post in post_list: if post.id == id: return post return None def entity_exists(self, post): result = True if self.get_by_id(post.id) is None: result = False return result def delete(self, id): post_list = self.get_all() for post in post_list: if post is not None: PostStore.posts.remove(post)
"""Sorting Algorithms In Python """ """ Dutch national flag problem https://en.wikipedia.org/wiki/Dutch_national_flag_problem """ def sort_colors(nums: [int], pivot: int)->[int]: small = 0 current = 1 big = len(nums)-1 while current < big: if nums[current] == pivot: current += 1 elif nums[current] > pivot: nums[big], nums[current] = nums[current], nums[big] big -= 1 else: nums[current], nums[small] = nums[small], nums[current] small += 1 current += 1 return nums def quick_sort(numbers: list): if len(numbers) <= 1: return numbers pivot = numbers[0] left = [i for i in numbers[1:] if i <= pivot] right = [i for i in numbers[1:] if i > pivot] return quick_sort(left) + [pivot] + quick_sort(right)
# -*- coding: utf8 -*- class DogEvent(object): def __init__(self, event_type, data): self.event_type = event_type self.data = data def get_event(self): tmp = "" if isinstance(self.data, dict): for k in self.data.keys(): tmp += "{}={}~".format(k, str(self.data[k]).replace("~", "%7e")) tmp = tmp.rstrip("~") else: tmp = self.data.encode("ascii") return {"type": "event", "event": [self.event_type.encode("ascii"), tmp] } @classmethod def from_serialized(klass, event_type, data): tmp = {} for v in data.split("~"): vals = v.split("=") tmp[vals[0]] = vals[1] return DogEvent(event_type, tmp) class HostEvent(DogEvent): def __init__(self, data): DogEvent.__init__(self, "HOST", {"value": data}) class IpRangeEvent(DogEvent): def __init__(self, data): DogEvent.__init__(self, "IPRANGE", {"value": data}) class ServiceEvent(DogEvent): def __init__(self, host, port): DogEvent.__init__(self, "SERVICE", {"host": host, "port": port}) class SoftwareEvent(DogEvent): def __init__(self, host, port, product, version, cpe): DogEvent.__init__(self, "SOFTWARE", {"host": host, "port": port, "product": product, "version": version, "cpe": cpe}) class LogEvent(DogEvent): def __init__(self, message): DogEvent.__init__(self, "LOG", message) class CveEvent(DogEvent): def __init__(self, host, port, product, version, cve, details): DogEvent.__init__(self, "CVE", {"host": host, "port": port, "product": product, "version": version, "cve": cve, "details": details}) class ExploitEvent(DogEvent): def __init__(self, host, port, product, version, cve, url): DogEvent.__init__(self, "EXPLOIT", {"host": host, "port": port, "product": product, "version": version, "cve": cve, "url": url}) class FileEvent(DogEvent): def __init__(self, name, content): DogEvent.__init__(self, "FILE", {"name": name, "content": content})
# Version of the specification for MDF MODECI_MDF_VERSION = "0.1" # Version of the python module. Use MDF version here and just change minor version __version__ = "%s.3" % MODECI_MDF_VERSION
#Write a program that asks the user for an input 'n' and prints a square of n by n asterisks "*". number = int(input("Give me a number: ")) line = '*'*number for x in range(0, number): print (line)
def find_min_idx(i, count, arr, min_element): min_idx = 0 while i <= count and i < len(arr): if arr[i] < min_element: min_element = arr[i] min_idx = i i += 1 return min_idx def find_min_array(arr, k): min_element = 1_000_000 i = 0 count = k while k: min_idx = find_min_idx(i, count, arr, min_element) while k and min_idx: arr[min_idx], arr[min_idx - 1] = arr[min_idx - 1], arr[min_idx] min_idx -= 1 k -= 1 i = min_idx + 1 min_element = 1_000_000 return arr # Test cases: print(find_min_array([5, 3, 1], 2) == [1, 5, 3]) print(find_min_array([8, 9, 11, 2, 1], 3) == [2, 8, 9, 11, 1]) print(find_min_array([5, 6, 1, 2, 6, 7, 8, 9], 3) == [1, 5, 2, 6, 6, 7, 8, 9]) print(find_min_array([8, 9, 11, 2, 1], 5) == [1, 8, 9, 2, 11]) print(find_min_array([8, 9, 11, 2, 1], 6) == [1, 8, 2, 9, 11]) print(find_min_array([5, 6, 1, 2, 6, 7, 8, 9], 100) == [1, 2, 5, 6, 6, 7, 8, 9]) print(find_min_array([5, 3, 1], 0) == [5, 3, 1])
""" The longest common subsequence (LCS) problem is the problem of finding the longest subsequence common to all sequences in a set of sequences (often just two sequences). It differs from the longest common substring problem: unlike substrings, subsequences are not required to occupy consecutive positions within the original sequences. https://en.wikipedia.org/wiki/Longest_common_subsequence_problem function "lcs(sq1, sq2)" takes in two sequences of numbers as arguments. The function returns the longest common subsequence of sq1 and sq2. """ def lcs_(sq1, sq2, memo): if (len(sq1), len(sq2)) in memo: return memo[(len(sq1), len(sq2))] elif not sq1 or not sq2: return [] elif sq1[0] == sq2[0]: return [sq1[0]] + lcs_(sq1[1:], sq2[1:], memo) a = lcs_(sq1, sq2[1:], memo) b = lcs_(sq1[1:], sq2, memo) if len(a) > len(b): memo[(len(sq1), len(sq2))] = a return a else: memo[(len(sq1), len(sq2))] = b return b def lcs(sq1, sq2): return lcs_(sq1, sq2, {})
liste_caracteres_bloques = ["!", "#", "&", "=", "~", "+", "é", "4", "5", "6", "7", "8", "9", "i", "j", "k", "n", "p", "q", "r", "s", "t", "u", "s", "t", "u"] liste_caracteres_fleche = ["w", "x", "y", "z"] liste_caracteres_maison = ["v"] coordonnees_interieur_maison = [[384, 352]] # coordos de l'emplacement de la porte coordonnees_porte_maison = [[320, 320]] maison_shop = False maison_grotte = False niveau_monstres = 1 fond_ecran_combat = "imagesCombat/fondEcranCombat.png"
temp = {} galera = [] soma = 0 while True: temp['nome'] = str(input('Nome da pessoa: ')).capitalize() while True: temp['sexo'] = str(input(f'Sexo de {temp["nome"]}: ')).strip().upper() if temp['sexo'] in 'MF': break else: print('Sexo invalido, por favor digite \033[1:31mM\033[m ou \033[1:31mF\033[m') temp['idade'] = int(input(f'Idade de {temp["nome"]}: ')) soma += temp['idade'] galera.append(temp.copy()) fim = ' ' while fim not in 'SN': fim = str(input('Deseja continuar? ')).strip().upper() if fim not in 'SN': print('Digite apenas \033[1:32mS\033[m ou \033[1:32mN\033[m') if fim in 'N': break print(f'Ao todo temos {len(galera)} pessoas cadastradas') print() print(f'A media das idade é de {soma / len(galera):5.2f} anos') print() print('As mulheres cadastradas foram: ', end='') for p in galera: if p['sexo'] in 'Ff': print(f'{p["nome"]}', end=', ') print(' ') print('\nAs pessoas com idade acima da media são: ') for p in galera: if p['idade'] >= soma / len(galera): print(' ') for k, v in p.items(): print(f' {k} = {v} ', end='')
"""Utilities for Java brotli tests.""" _TEST_JVM_FLAGS = [ "-DBROTLI_ENABLE_ASSERTS=true", ] def brotli_java_test(name, main_class = None, jvm_flags = None, **kwargs): """test duplication rule that creates 32/64-bit test pair.""" if jvm_flags == None: jvm_flags = [] jvm_flags = jvm_flags + _TEST_JVM_FLAGS test_package = native.package_name().replace("/", ".").replace("javatests.", "") if main_class == None: test_class = test_package + "." + name else: test_class = None native.java_test( name = name + "_32", main_class = main_class, test_class = test_class, jvm_flags = jvm_flags + ["-DBROTLI_32_BIT_CPU=true"], **kwargs ) native.java_test( name = name + "_64", main_class = main_class, test_class = test_class, jvm_flags = jvm_flags + ["-DBROTLI_32_BIT_CPU=false"], **kwargs )
expected_output = { 'caf_service': 'Not Running', 'ha_service': 'Not Running', 'ioxman_service': 'Not Running', 'sec_storage_service': 'Not Running', 'libvirtd': 'Running', 'dockerd': 'Not Running', 'redundancy_status': 'Non-Redundant' }
# The following templates are markdowns overview = """ ## Context Manufacturing process feature selection and categorization ## Content Abstract: Data from a semi-conductor manufacturing process Data Set Characteristics: Multivariate Number of Instances: 1567 Area: Computer Attribute Characteristics: Real Number of Attributes: 591 Date Donated: 2008-11-19 Associated Tasks: Classification, Causal-Discovery Missing Values? Yes A complex modern semi-conductor manufacturing process is normally under consistent surveillance via the monitoring of signals/variables collected from sensors and or process measurement points. However, not all of these signals are equally valuable in a specific monitoring system. The measured signals contain a combination of useful information, irrelevant information as well as noise. It is often the case that useful information is buried in the latter two. Engineers typically have a much larger number of signals than are actually required. If we consider each type of signal as a feature, then feature selection may be applied to identify the most relevant signals. The Process Engineers may then use these signals to determine key factors contributing to yield excursions downstream in the process. This will enable an increase in process throughput, decreased time to learning and reduce the per unit production costs. """ data = """ In order to get the data simply run the following command: ```python df = pd.read_csv('https://archive.ics.uci.edu/ml/machine-learning-databases/secom/secom.data', sep=' ', header=None) ``` Please ask the admin in order to get the target and the random seed used for train/test split. """ evaluation = """ The predictions are evaluated according to the PR-AUC score. You can get it using ```python from sklearn.metrics import average_precision_score ``` More details [here](https://scikit-learn.org/stable/modules/generated/sklearn.metrics.average_precision_score.html). """
def test(): assert gato_hash == nlp.vocab.strings["gato"], "Você atribuiu o código hash corretamente?" assert 'nlp.vocab.strings["gato"]' in __solution__, "Você selecionou a string corretamente?" assert gato_string == "gato", "Você selecionou a string corretamente?" assert ( "nlp.vocab.strings[gato_hash]" in __solution__ ), "Você obteve a string a partir do código hash?" __msg__.good("Ótimo trabalho!")
total = 0 current = 1 prev = 1 while current < 4000000: temp = current current = current + prev prev = temp if current % 2 == 0: total += current print (total)
f = open("Acc_2021-02-21_231529.txt", "r") acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for i, a in enumerate(bb): bb[i] = f"{a}f" acc.append(bb) acc = acc[0::8] dataTowrite = [] dataTowrite.append(f"const float accData[{len(acc)}][3] = {{\n") for a in acc[:-1]: dataTowrite.append(f"\t{{{a[0]}, {a[1]}, {a[2]}}},\n") dataTowrite.append(f"\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n") dataTowrite.append("};\n") f.close() f = open("IMUdata.c", 'w') f.writelines(dataTowrite) f.close() f = open("Gyr_2021-02-21_231529.txt", "r") acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for i, a in enumerate(bb): bb[i] = f"{a}f" acc.append(bb) acc = acc[0::8] dataTowrite = [] dataTowrite.append(f"const float gyroData[{len(acc)}][3] = {{\n") for a in acc[:-1]: dataTowrite.append(f"\t{{{a[0]}, {a[1]}, {a[2]}}},\n") dataTowrite.append(f"\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n") dataTowrite.append("};\n") f.close() f = open("IMUdata.c", 'a') f.writelines(dataTowrite) f.close() f = open("Mag_2021-02-21_231529.txt", "r") acc = [] for line in f.readlines()[1:]: aa = line.split()[1:] bb = line.split()[1:] for i, a in enumerate(bb): bb[i] = f"{a}f" acc.append(bb) acc = acc[:len(dataTowrite)-2] dataTowrite = [] dataTowrite.append(f"\nconst float magData[{len(acc)}][3] = {{\n") for a in acc[:-1]: dataTowrite.append(f"\t{{{a[0]}, {a[1]}, {a[2]}}},\n") dataTowrite.append(f"\t{{{acc[-1][0]}, {acc[-1][1]}, {acc[-1][2]}}}\n") dataTowrite.append("};\n") f.close() f = open("IMUdata.c", 'a') f.writelines(dataTowrite) f.close()
class MarkupFile: def __init__(self, data): self.data = data self.parse() def parse(self): raw = self.data.split('\n') no_comments = [] for line in raw: line += line.split('#')[0] in_block_comment = False no_block_comments = [] for line in no_comments: if '#(' in line: in_block_comment = True line = line.split('#(')[0] if in_block_comment: if ')#' in line: in_block_comment = False line = line.split(')#')[1] no_block_comments.append(line) return no_block_comments
class Solution: def binarySearch(self, nums, start, end, target, lower): ret = -1 while start <= end: mid = (end + start) // 2 if nums[mid] < target: start = mid + 1 elif nums[mid] > target: end = mid - 1 else: ret = mid if lower and mid > 0 and nums[mid - 1] == target: end = mid - 1 elif not lower and mid < len(nums) - 1 and nums[mid + 1] == target: start = mid + 1 else: break return ret def searchRange(self, nums, target): """ :type nums: List[int] :type target: int :rtype: List[int] """ lower = self.binarySearch(nums, 0, len(nums) - 1, target, True) if lower == -1: return [-1, -1] upper = self.binarySearch(nums, lower, len(nums) - 1, target, False) return [lower, upper]
class VnfListNotAvailable(Exception): """VNF list is not included in the openmano instance""" pass class VmListNotAvailable(Exception): """VM list is not included in the VNF record, part of the openmano instance""" pass class InstanceNotFound(Exception): """Openmano instance not found""" pass class DateFormatParseError(Exception): """ Date format parse error """ pass
__copyright__ = 'Copyright (C) 2019 rtafds' __version__ = '0.0.1' __license__ = 'MIT' __author__ = 'rtafds' __author_email__ = 'n.rtafds@gmail.coms'
__all__ = [ 'base_controller', 'forms_controller', 'landing_page_controller', 'messages_controller', 'objects_controller', 'tasks_controller', 'transactions_controller', ]
# from aoc2019.day_six.planetary_composite import CentralMassComposite class BFSPlanetaryIterator: """ This is an implementation of the iterator design pattern. It is applied to the n-ary tree structure of planetary components. Each returned element is a binary tuple (component, depth). """ def __init__(self, root): """Basic initialization method for iterator""" self.components = [root] # initial singleton set of roots self.index = 0 # "root" index self.depth = 0 # initial depth of traversal is 0 def __next__(self): """Gets the next element in a level order traversal""" # Iterate through current level of components try: component = (self.components[self.index], self.depth) self.index += 1 return component # Reached end of current level list except IndexError: next_level = [] # Try to populate next level component list for component in self.components: try: next_level.extend(component.satellites) except AttributeError: # Not a composite - just a leaf pass # Re-assign attributes self.components = next_level self.index = 0 self.depth += 1 # increment depth of traversal # Try to return next value try: component = (self.components[self.index], self.depth) self.index += 1 return component # No more elements except IndexError: raise StopIteration
# 1. var names cannot contain whitespaces # 2. var names cannot start with a number my_age = 27 # int price = 0.5 # float my_name_is_jan = True # bool my_name_is_peter = False # bool my_name = "Jan Schaffranek" # str print(my_age) print(price)
def findDecision(obj): #obj[0]: Coupon, obj[1]: Education, obj[2]: Occupation, obj[3]: Distance # {"feature": "Coupon", "instances": 8147, "metric_value": 0.4744, "depth": 1} if obj[0]>1: # {"feature": "Distance", "instances": 5889, "metric_value": 0.4618, "depth": 2} if obj[3]<=2: # {"feature": "Occupation", "instances": 5308, "metric_value": 0.4575, "depth": 3} if obj[2]>0: # {"feature": "Education", "instances": 5248, "metric_value": 0.4587, "depth": 4} if obj[1]>1: return 'True' elif obj[1]<=1: return 'True' else: return 'True' elif obj[2]<=0: # {"feature": "Education", "instances": 60, "metric_value": 0.3183, "depth": 4} if obj[1]<=0: return 'True' elif obj[1]>0: return 'True' else: return 'True' else: return 'True' elif obj[3]>2: # {"feature": "Education", "instances": 581, "metric_value": 0.4917, "depth": 3} if obj[1]<=3: # {"feature": "Occupation", "instances": 532, "metric_value": 0.4898, "depth": 4} if obj[2]<=7.648496240601504: return 'False' elif obj[2]>7.648496240601504: return 'False' else: return 'False' elif obj[1]>3: # {"feature": "Occupation", "instances": 49, "metric_value": 0.4463, "depth": 4} if obj[2]<=3: return 'True' elif obj[2]>3: return 'True' else: return 'True' else: return 'True' else: return 'False' elif obj[0]<=1: # {"feature": "Occupation", "instances": 2258, "metric_value": 0.4882, "depth": 2} if obj[2]>2.015213346063521: # {"feature": "Education", "instances": 1795, "metric_value": 0.4911, "depth": 3} if obj[1]>0: # {"feature": "Distance", "instances": 1164, "metric_value": 0.4838, "depth": 4} if obj[3]<=2: return 'False' elif obj[3]>2: return 'False' else: return 'False' elif obj[1]<=0: # {"feature": "Distance", "instances": 631, "metric_value": 0.4984, "depth": 4} if obj[3]>1: return 'False' elif obj[3]<=1: return 'True' else: return 'True' else: return 'True' elif obj[2]<=2.015213346063521: # {"feature": "Education", "instances": 463, "metric_value": 0.4395, "depth": 3} if obj[1]<=3: # {"feature": "Distance", "instances": 410, "metric_value": 0.4354, "depth": 4} if obj[3]<=2: return 'False' elif obj[3]>2: return 'False' else: return 'False' elif obj[1]>3: # {"feature": "Distance", "instances": 53, "metric_value": 0.4135, "depth": 4} if obj[3]<=2: return 'True' elif obj[3]>2: return 'True' else: return 'True' else: return 'True' else: return 'False' else: return 'False'
class HandlerMissingException(Exception): """Raised when an event handler is missing a handler for a specific event.""" pass class DataTypeError(Exception): """Raised when data type doesn't correspond to the connection's data type.""" pass class HeaderSizeError(Exception): """Raised when the header's size is greater than the protocol's header size.""" pass class DataSizeError(Exception): """Raised the data size doesn't correspond to the connection's data size.""" pass
class Hello: def __init__(self): while True: print("Hello!")
''' Given four lists A, B, C, D of integer values, compute how many tuples (i, j, k, l) there are such that A[i] + B[j] + C[k] + D[l] is zero. To make problem a bit easier, all A, B, C, D have same length of N where 0 ≤ N ≤ 500. All integers are in the range of -228 to 228 - 1 and the result is guaranteed to be at most 231 - 1. Example: Input: A = [ 1, 2] B = [-2,-1] C = [-1, 2] D = [ 0, 2] Output: 2 Explanation: The two tuples are: 1. (0, 0, 0, 1) -> A[0] + B[0] + C[0] + D[1] = 1 + (-2) + (-1) + 2 = 0 2. (1, 1, 0, 0) -> A[1] + B[1] + C[0] + D[0] = 2 + (-1) + (-1) + 0 = 0 ''' #Difficulty: Medium #48 / 48 test cases passed. #Runtime: 268 ms #Memory Usage: 35.2 MB #Runtime: 268 ms, faster than 75.51% of Python3 online submissions for 4Sum II. #Memory Usage: 35.2 MB, less than 49.47% of Python3 online submissions for 4Sum II. class Solution: def fourSumCount(self, A: List[int], B: List[int], C: List[int], D: List[int]) -> int: result = 0 absum = {} for a in A: for b in B: n = a + b if n not in absum: absum[n] = 0 absum[n] += 1 for c in C: for d in D: m = -c - d if m in absum: result += absum[m] return result
""" Extends the scitables core to display tables in a browser. UITable is a rendering independent user API to tables. DGTable is an API to tables that gets rendered in YUI DataTable """
# In python you have this set of boolean expression # == to check for equality or 'is' # === to compare actual objects together # True and False # and, or, not if 1 is 3: print('What!! is that for real?') elif 1 > 3: print('Really????') else: print('Yeah that\'s what I know')
trainers = get_trainers(env, num_agents, "learner", obs_shape_n, arglist,session) U.initialize() obs_n = env.reset() train_step=0 while True: #Interaction step iter_step=0 #Interact with environment to get experience while True: # get action action_n = [agent.action(obs) for agent, obs in zip(trainers,obs_n)] # environment step new_obs_n, rew_n, done_n, info_n = env.step(action_n) train_step+=1 iter_step+=1 done = all(done_n) terminal=(iter_step>=arglist.max_episode_len) # collect experience for i, agent in enumerate(trainers): agent.experience(obs_n[i], action_n[i], rew_n[i], new_obs_n[i], done_n[i]) obs_n = new_obs_n for i, rew in enumerate(rew_n): episode_rewards[-1] += rew if done or terminal: obs_n=env.reset() episode_rewards.append(0) break loss=None for agent in trainers: agent.preupdate() if(train_step%200==0): for agent in trainers: loss=agent.update(trainers) for agent in trainers: agent.replay_buffer.clear() # if(iter_step>arglist.batch_size): # break if (len(episode_rewards) % arglist.save_rate == 0): print("steps: {}, episodes: {}, mean episode reward: {}".format(train_step, len(episode_rewards), np.mean(episode_rewards[-arglist.save_rate:]))) if len(episode_rewards) > arglist.num_episodes: break
##----- Class Queue with their Operations -----## class Queue: def __init__(self): print("Queue is all set to work on......\n") self.Queue = [] def __Insertion__(self): self.Queue.append((input("Enter Element :: "))) print("\nElement Inserted Successfully!!!\n") def __Traversion__(self): index = 0 for element in self.Queue: print(f"Element :: {element}\tAt Index :: {index}") index+=1 def __Pop_FIFO__(self): try: print("Element Popped ::",self.Queue[0]) self.Queue.remove(self.Queue[0]) print("\nElement Popped Successfully!!!\n") except IndexError: print("Queue is empty!!!\n") ##----- END of this Class -----## ##----- Class Test to Start Operation of Queue -----## class Test: def __init__(self): self.QueueObject = Queue() def __Menu__(self): print("1. Insertion\n2. Traversion\n3. Pop ( FIFO )\n4. Exit\n\nEnter Your Choice :: ",end="") self.choice = input() def __StartOperation__(self): while True: self.__Menu__() if self.choice == '1': self.QueueObject.__Insertion__() elif self.choice == '2': self.QueueObject.__Traversion__() elif self.choice == '3': self.QueueObject.__Pop_FIFO__() elif self.choice == '4': exit(0) else: print("\nWrong Choice....\n") ##----- END of this Class -----## tstobj = Test() tstobj.__StartOperation__()
# creating a txt file write_file = open('sample.txt', 'w') write_file.write("this is just a sample text\n") write_file.close() # reading file read_file = open('sample.txt' , 'r') text = read_file.read() print(text)
def countSwaps(a): n = len(a) swaps = 0 for i in range(0, n): for j in range(0, n-1): if a[j] > a[j+1]: aux = a[j] a[j] = a[j+1] a[j+1] = aux swaps += 1 print('Array is sorted in',swaps, 'swaps') print ('First Element:',a[0]) print ('Last Element:',a.pop())
def slices(series, length): if not series: raise ValueError("invalid series") if length <= 0: raise ValueError("Length must be positive integer") if length > len(series): raise ValueError("Length must be less or equal to series length") return [ series[start : start + length] for start in range(0, len(series) - length + 1) ]
""" This is a undirected graph A---C---E | | | B---D---| """ class createGraph: def __init__(self, vertices) -> None: self.vertices = vertices self.graph_dict = {} # create blank values for all the vertices for node in self.vertices: self.graph_dict[node] = [] def add_edges(self, vertices, edges): self.graph_dict[vertices].append(edges) self.graph_dict[edges].append(vertices) # no of vertices connected with each other like A has 2 degree B and C def degree(self,vertices): return len(self.graph_dict[vertices]) def printGraph(self): for node in self.vertices: print(node, "->", self.graph_dict[node]) vertices = ["A", "B", "C", "D", "E"] edges = [ ("A","B"), ("A","C"), ("B","D"), ("C","D"), ("C","E"), ("D","E"), ] adj_list = createGraph(vertices) adj_list.printGraph() for v,e in edges: adj_list.add_edges(v,e) adj_list.printGraph() print(f"degree of c is : ", adj_list.degree("C"))
# Informe duas notas e sem seguida mostre sua média. n1 = float(input('Informe a primeira nota: ')) n2 = float(input('Informe a segunda nota: ')) print("As notas do aluno foram {} e {}, logo sua média será {:.2f}".format(n1, n2, (n1 + n2)/2))
""" Dada uma String "str", retorne uma nova que será uma cópia "n" vezes da original. "n" não será negativo. """ def string_times(str, n): return str*n print(string_times("CASA", 0))
# RUN: test-ir.sh %s # IR-LABEL: while.0: # IR: br i1 %{{[0-9]+}}, label %loop.0, label %endwhile.0 while True: # IR-LABEL: loop.0: if True: # IR-LABEL: then.0: # IR: br label %endwhile.0 break # IR-LABEL: endif.0: # IR: br label %while.0 # IR-LABEL: endwhile.0:
#Faça um programa que pergunte o preço de três produtos e informe qual produto você deve #comprar, sabendo que a decisão é sempre pelo mais barato. prod1 = float(input("Informe o valor do primeiro produto: ")) prod2 = float(input("Informe o valor do segundo produto: ")) prod3 = float(input("Informe o valor do terceiro produto: ")) if(prod1<prod2 and prod1<prod3): print("Voce devera comprar o produto 1") elif(prod2<prod1 and prod2<prod3): print("Voce devera comprar o produto 2") else: print("Voce devera comprar o produto 3")
# 4. Convert Meters to Kilometers # You will be given an integer that will be distance in meters. # Write a program that converts meters to kilometers formatted to the second decimal point. meters = int(input()) km = meters/1000 print(f'{km:.2f}')