content
stringlengths
7
1.05M
# Converts Celsius to Fahrenheit celsius = float(input('Digite a temperatura (°C): ')) fahrenheit = celsius / 5 * 9 + 32 print('{:.1f} °C equivalem a {:.1f} °F.'.format(celsius, fahrenheit))
a, b = map(int, input().split()) if b >= 45: print(a, b-45) elif a != 0 and b < 45: print(a-1, b+15) else: print(23, b+15)
N = int(input()) soma = 0 for k in range(N): X = int(input()) if X >= 10 and X <= 20: soma+=1 print("%d in" % (soma)) print("%d out" % (abs(N-soma)))
""" Using up to one million tiles how many different "hollow" square laminae can be formed? """ def cal(): TILES = 10**6 answer = 0 for n in range(3, TILES // 4 + 2): # Outer square length for k in range(n - 2, 0, -2): # Inner square length if n * n - k * k > TILES: break answer += 1 return str(answer) if __name__ == "__main__": print(cal())
class Metric(object): """ A performance measure that is associated with Element :param metricId: Metric FQN :type metricId: string :param metricType: Metric Type :type metricType: string :param sparseDataStrategy: Sparse data strategy :type sparseDataStrategy: string :param unit: Metric Unit type :type unit: string :param tags: List of dicts :type tags: list """ def __init__(self, metricId, metricType=None, sparseDataStrategy='None', unit='', tags=None): self.id = metricId self.type = metricType self.sparseDataStrategy = sparseDataStrategy self.unit = unit if tags is not None: self.tags = tags
# Time: O(h) # Space: O(1) # Definition for a Node. class Node: def __init__(self, val): pass class Solution(object): def lowestCommonAncestor(self, p, q): """ :type node: Node :rtype: Node """ a, b = p, q while a != b: a = a.parent if a else q b = b.parent if b else p return a # Time: O(h) # Space: O(1) class Solution2(object): def lowestCommonAncestor(self, p, q): """ :type node: Node :rtype: Node """ def depth(node): d = 0 while node: node = node.parent d += 1 return d p_d, q_d = depth(p), depth(q) while p_d > q_d: p = p.parent p_d -= 1 while p_d < q_d: q = q.parent q_d -= 1 while p != q: p = p.parent q = q.parent return p
class ValueType(object): '''Define _key() and inherit from this class to implement comparison and hashing''' # def __init__(self, *args, **kwargs): super(ValueType, self).__init__(*args, **kwargs) def __eq__(self, other): return type(self) == type(other) and self._key() == other._key() def __ne__(self, other): return type(self) != type(other) or self._key() != other._key() def __hash__(self): return hash(self._key())
def is_even(number:int): """ This function verifies if the number is even or not Returns: True if even false other wise """ return number % 2 == 0 def is_prime(number: int): """ This function finds if the number is prime Returns: True if prime false otherwise """ for index in range(2, (number//2) + 1): if number%index == 0: return False return True def factorial(number: int): """ This function calculates the factorial of a number """ result = 1 for index in range(1,number+1): result *= index return result def simple_interest(principal: float, rate: float, time: int): """ This function will calculate the simple interest """ return (principal * time * rate / 100) def compound_interest(principal: float, rate: float, time: int): pass
""" Follow up for "Find Minimum in Rotated Sorted Array": What if duplicates are allowed? Would this affect the run-time complexity? How and why? Suppose a sorted array is rotated at some pivot unknown to you beforehand. (i.e., 0 1 2 4 5 6 7 might become 4 5 6 7 0 1 2). Find the minimum element. The array may contain duplicates. """ class Solution(object): def findMin(self, nums): """ :type nums: List[int] :rtype: int """ n = len(nums) left = 0 right = n - 1 if n == 1: return nums[0] while left <= right: mid = left + (right - left) / 2 if mid > 0 and nums[mid - 1] > nums[mid]: return nums[mid] # The minimum element is in the right side elif nums[mid] > nums[right]: left = mid + 1 # The minimum element is in the left side elif nums[mid] < nums[right]: right = mid - 1 # The mid element equals the right element else: right -= 1 # All elements are equal return nums[0] a1 = [4, 5, 6, 7, 0, 1, 2] a2 = [4, 5, 6, 7, 0, 1, 1, 1] a3 = [4, 5, 6, 7, 0, 1, 2, 4] a5 = [1, 1] a4 = [1, 1, 1] s = Solution() print(s.findMin(a1)) print(s.findMin(a2)) print(s.findMin(a3)) print(s.findMin(a4)) print(s.findMin(a5))
# # PySNMP MIB module CISCO-SRST-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-SRST-MIB # Produced by pysmi-0.3.4 at Wed May 1 12:12:45 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, ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint") ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt") CvE164Address, CountryCode = mibBuilder.importSymbols("CISCO-TC", "CvE164Address", "CountryCode") InetPortNumber, InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetPortNumber", "InetAddress", "InetAddressType") SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString") ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup") ObjectIdentity, IpAddress, Counter64, iso, NotificationType, Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, TimeTicks, ModuleIdentity, MibIdentifier, Bits, Unsigned32, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "IpAddress", "Counter64", "iso", "NotificationType", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "TimeTicks", "ModuleIdentity", "MibIdentifier", "Bits", "Unsigned32", "Gauge32") TruthValue, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "TextualConvention", "DisplayString") ciscoSrstMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 441)) ciscoSrstMIB.setRevisions(('2007-02-27 00:00', '2005-06-20 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: ciscoSrstMIB.setRevisionsDescriptions(("[1] Default value for csrstTransferSystem is changed from 'blind' to 'fullConsult'. [2] Added csrstUserLocaleInfoRev1 which is the revised version for csrstUserLocaleInfo. It can support 5 user locale at the same time. [3] csrstConfGroup is deprecated and revised with csrstConfGroupRev1. [4] ciscoSrstMIBCompliance is deprecated and revised with ciscoSrstMIBComplianceRev1.", 'Initial version of this MIB module.',)) if mibBuilder.loadTexts: ciscoSrstMIB.setLastUpdated('200702270000Z') if mibBuilder.loadTexts: ciscoSrstMIB.setOrganization('Cisco Systems, Inc.') if mibBuilder.loadTexts: ciscoSrstMIB.setContactInfo(' Cisco Systems Customer Service Postal: 170 W Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: [email protected]') if mibBuilder.loadTexts: ciscoSrstMIB.setDescription('This MIB allows management of Cisco Survivable Remote Site Telephony (SRST) feature in Cisco IOS. SRST is an optional software feature that provides Cisco CallManager with fallback support for Cisco IP phones attached to a Cisco router on a local network. The CISCO-CCME-MIB provides management of Cisco CallManager Express (CCME) feature in Cisco IOS. CCME is an optional software feature that enables Cisco routers to deliver IP telephony services for small office environment. Ephone, ephoneDN, button association tables are common to both CCME and SRST MIBs and are defined in CISCO-CCME-MIB. Ephone specific notifications which are common to CCME and SRST are also defined in CISCO-CCME-MIB.') ciscoSrstMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 0)) ciscoSrstMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 1)) ciscoSrstMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 2)) class SrstOperType(TextualConvention, Integer32): description = 'Operational SRST states. Valid values are : active(1) SRST is active inactive(2) SRST is inactive ' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("active", 1), ("inactive", 2)) csrstGlobal = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 1)) csrstConf = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2)) csrstActiveStats = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 3)) csrstSipConf = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4)) csrstEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 1), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstEnabled.setStatus('current') if mibBuilder.loadTexts: csrstEnabled.setDescription('Cisco SRST support is enabled or disabled. When enabled, the router is in fallback mode to provide call-handling support to IP phones. If disabled, all of the objects in this group have no significance.') csrstVersion = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstVersion.setStatus('current') if mibBuilder.loadTexts: csrstVersion.setDescription('Cisco SRST version.') csrstIPAddressType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 3), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstIPAddressType.setStatus('current') if mibBuilder.loadTexts: csrstIPAddressType.setDescription("Internet address type governing the address type format for one or more InetAddress objects in this MIB. The associated InetAddress objects' description will refer back to this type object as appropriate. ") csrstIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 4), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstIPAddress.setStatus('current') if mibBuilder.loadTexts: csrstIPAddress.setDescription('Cisco SRST IP address for the router to receive messages from IP phones, typically one of the addresses of an Ethernet port of the router. The type of IP address used here is indicated by the csrstSysIPAddressType object. ') csrstPortNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 5), InetPortNumber().subtype(subtypeSpec=ValueRangeConstraint(2000, 9999)).clone(2000)).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstPortNumber.setStatus('current') if mibBuilder.loadTexts: csrstPortNumber.setDescription('This object indicates the TCP port number to use for Skinny Client Control Protocol (SCCP) and is range limited. This port also indicates through which IP phones communicate with SRST. ') csrstMaxConferences = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMaxConferences.setStatus('current') if mibBuilder.loadTexts: csrstMaxConferences.setDescription('Maximum number of simultaneous three-party conference calls configured on the router. Range is IOS version and platform dependent. With SRST Version 3.0 onwards, the following are the maximum values for each platform - Cisco 1751, Cisco 1760, Cisco 2600, Cisco 3640 - 8 conferences. Cisco 3660, Cisco 3725, Cisco 3745 - 16 conferences. Default is half the maximum number of simultaneous three-party conferences for each platform.') csrstMaxEphones = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 7), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMaxEphones.setStatus('current') if mibBuilder.loadTexts: csrstMaxEphones.setDescription('Maximum number of Cisco IP phones configured on the SRST router. Range is IOS version and platform dependent. ') csrstMaxDN = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMaxDN.setStatus('current') if mibBuilder.loadTexts: csrstMaxDN.setDescription('Maximum number of IP phones extensions (ephone-dns) or directory number configured on this SRST router. Range is IOS version and platform dependent. Default is 0.') csrstSipPhoneUnRegThreshold = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 9), Unsigned32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: csrstSipPhoneUnRegThreshold.setStatus('current') if mibBuilder.loadTexts: csrstSipPhoneUnRegThreshold.setDescription('This object indicates a threshold for the number of SIP phones unregistered to SRST. This threshold is changeable by the NMS user. ') csrstCallFwdNoAnswer = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 10), CvE164Address().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstCallFwdNoAnswer.setReference('ITU-T E.164, Q.931 chapter 4.5.10') if mibBuilder.loadTexts: csrstCallFwdNoAnswer.setStatus('current') if mibBuilder.loadTexts: csrstCallFwdNoAnswer.setDescription('Cisco SRST call forwarding number when a Cisco IP phone is not answered. This directory number is a fully qualified E.164 number.') csrstCallFwdNoAnswerTo = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 11), Unsigned32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstCallFwdNoAnswerTo.setStatus('current') if mibBuilder.loadTexts: csrstCallFwdNoAnswerTo.setDescription('Timeout in seconds if a Cisco IP phone is not answered, Cisco SRST will call forward to another directory number. ') csrstCallFwdBusy = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 12), CvE164Address().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstCallFwdBusy.setReference('ITU-T E.164, Q.931 chapter 4.5.10') if mibBuilder.loadTexts: csrstCallFwdBusy.setStatus('current') if mibBuilder.loadTexts: csrstCallFwdBusy.setDescription('Cisco SRST call forwarding number when a Cisco IP phone is busy. This directory number is a fully qualified E.164 number.') csrstMohFilename = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 13), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMohFilename.setStatus('current') if mibBuilder.loadTexts: csrstMohFilename.setDescription('Cisco SRST Music-On-Hold is enabled with file on flash, or disabled without a file on flash. MOH is enabled by default.') csrstMohMulticastAddrType = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 14), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMohMulticastAddrType.setStatus('current') if mibBuilder.loadTexts: csrstMohMulticastAddrType.setDescription("Internet address type governing the address type format for one or more InetAddress objects in this MIB. The associated InetAddress objects' description will refer back to this type object as appropriate. ") csrstMohMulticastAddr = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 15), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMohMulticastAddr.setStatus('current') if mibBuilder.loadTexts: csrstMohMulticastAddr.setDescription('This object indicates Cisco SRST Music-On-Hold Multicast IP address. When configured, this feature enables continuous IP multicast output of MOH from a Flash MOH file. This object has no significance if MOH is not configured. Default is the csrstIPAddress object for Cisco SRST. The type of IP address used here is indicated by the csrstMohMulticastAddrType object. ') csrstMohMulticastPort = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 16), InetPortNumber().subtype(subtypeSpec=ValueRangeConstraint(2000, 9999)).clone(2000)).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstMohMulticastPort.setStatus('current') if mibBuilder.loadTexts: csrstMohMulticastPort.setDescription('This object indicates Cisco SRST Music-On-Hold Multicast TCP port which is range limited. When configured, this feature enables continuous IP multicast output of MOH from a Flash MOH file. This object has no significance if MOH is not configured. ') csrstVoiceMailNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 17), CvE164Address().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstVoiceMailNumber.setReference('ITU-T E.164, Q.931 chapter 4.5.10') if mibBuilder.loadTexts: csrstVoiceMailNumber.setStatus('current') if mibBuilder.loadTexts: csrstVoiceMailNumber.setDescription("Cisco SRST voice mail number that is speed-dialed when the messages button on a Cisco IP phone is pressed. This voice mail number is a fully qualified E.164 number. If voice-mail number is not configured, this object will have a string length of 2 with the value '**'. ") csrstSystemMessagePrimary = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 18), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSystemMessagePrimary.setStatus('current') if mibBuilder.loadTexts: csrstSystemMessagePrimary.setDescription("Cisco SRST system static text message that is displayed on Cisco IP phone during fallback. Length of text string is less than 32 characters. Default message is 'CM Fallback Service Operating'. ") csrstSystemMessageSecondary = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 19), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSystemMessageSecondary.setStatus('current') if mibBuilder.loadTexts: csrstSystemMessageSecondary.setDescription("Cisco SRST system message that is displayed on Cisco IP phone that does not support static text message and have a limited display space during fallback. Length of text string is less than 20 characters. Default messages is 'CM Fallback Service'. ") csrstScriptName = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 20), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstScriptName.setStatus('current') if mibBuilder.loadTexts: csrstScriptName.setDescription('Cisco SRST session-level IVR application script. This application can be written written in Tool Command Language (TCL) and is applied to all Cisco IP phone lines served by the SRST router. If no application script name is configured, the default built-in IOS application will be applied to all phone lines served by the SRST router and this object will be a zero-length string.') csrstSecondaryDialTone = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 21), CvE164Address().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSecondaryDialTone.setStatus('current') if mibBuilder.loadTexts: csrstSecondaryDialTone.setDescription('Cisco SRST secondary dial tone digits. When a Cisco IP phone user dials a PSTN access prefix, defined by the secondary dial tone digits, the secondary dial tone is enabled. ') csrstTransferSystem = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("blind", 1), ("fullBlind", 2), ("fullConsult", 3), ("localConsult", 4))).clone('fullConsult')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstTransferSystem.setReference('ITU-T H.450.2 Call Transfers') if mibBuilder.loadTexts: csrstTransferSystem.setStatus('current') if mibBuilder.loadTexts: csrstTransferSystem.setDescription('Cisco SRST call transfer method using the ITU-T H.450.2 standard. Default setting is blind. blind - Calls are transferred without consultation using a single phone line and the Cisco proprietary method. fullBlind - Calls are transferred without consultation using H.450.2 standard methods. fullConsult - Calls are transferred using H.450.2 with consultation using the second phone line if available, or the calls fall back to full-blind if the second line is unavailable. localConsult - Calls are transferred with local consultation using the second phone line if available, or the calls fall back to blind for non- local consultation or transfer target. This mode is intended for use primarily in Voice over Frame Relay (VoFR) networks. ') csrstUserLocaleInfo = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 23), CountryCode().clone('US')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstUserLocaleInfo.setStatus('deprecated') if mibBuilder.loadTexts: csrstUserLocaleInfo.setDescription('Cisco SRST language for displays on Cisco IP phone by country. Deprecated and superseded by csrstUserLocaleInfoRev1, as current implementation supports 5 user locales at the same time. ') csrstDateFormat = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("mmddyy", 1), ("ddmmyy", 2), ("yyddmm", 3), ("yymmdd", 4))).clone('mmddyy')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstDateFormat.setStatus('current') if mibBuilder.loadTexts: csrstDateFormat.setDescription('Date display format on Cisco IP phones in the Cisco SRST system. ') csrstTimeFormat = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("twelveHour", 1), ("twentyFourHour", 2))).clone('twelveHour')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstTimeFormat.setStatus('current') if mibBuilder.loadTexts: csrstTimeFormat.setDescription('Time dispay format on Cisco IP phones in the Cisco SRST system. 1 - 12 hour clock. 2 - 24 hour clock. ') csrstInterdigitTo = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 26), Unsigned32().clone(10)).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstInterdigitTo.setStatus('current') if mibBuilder.loadTexts: csrstInterdigitTo.setDescription('Cisco SRST interdigit timeout duration in seconds for Cisco IP phones. ') csrstBusyTo = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 27), Unsigned32().clone(10)).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstBusyTo.setStatus('current') if mibBuilder.loadTexts: csrstBusyTo.setDescription('Cisco SRST time in seconds before disconnect when destination is busy, without call-forwarding. ') csrstAlertTo = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 28), Unsigned32().clone(180)).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAlertTo.setStatus('current') if mibBuilder.loadTexts: csrstAlertTo.setDescription('Cisco SRST time in seconds before disconnect when call is not answered, without call-forwarding. ') csrstXlateCalledNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 29), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstXlateCalledNumber.setStatus('current') if mibBuilder.loadTexts: csrstXlateCalledNumber.setDescription('This object indicates the tag of a corresponding translation rule, which utilizes the number-translation mechanism of the IOS to translate a called number on the Cisco SRST router. ') csrstXlateCallingNumber = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 30), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstXlateCallingNumber.setStatus('current') if mibBuilder.loadTexts: csrstXlateCallingNumber.setDescription('This object indicates the tag of a corresponding translation rule, which utilizes the number-translation mechanism of the IOS to translate a calling number on the Cisco SRST router.') csrstAliasTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31), ) if mibBuilder.loadTexts: csrstAliasTable.setStatus('current') if mibBuilder.loadTexts: csrstAliasTable.setDescription('A list of alias pattern configured on this SRST router. ') csrstAliasEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1), ).setIndexNames((0, "CISCO-SRST-MIB", "csrstAliasIndex")) if mibBuilder.loadTexts: csrstAliasEntry.setStatus('current') if mibBuilder.loadTexts: csrstAliasEntry.setDescription('Information about a configured alias pattern. There is an entry in this table for each alias pattern configured on this device.') csrstAliasIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1, 1), Unsigned32()) if mibBuilder.loadTexts: csrstAliasIndex.setStatus('current') if mibBuilder.loadTexts: csrstAliasIndex.setDescription('An index in sequential order that indicates an alias pattern configured on this SRST router. ') csrstAliasTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAliasTag.setStatus('current') if mibBuilder.loadTexts: csrstAliasTag.setDescription('A unique sequence number that indicates a particular alias pattern configured on this SRST router. ') csrstAliasNumPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAliasNumPattern.setStatus('current') if mibBuilder.loadTexts: csrstAliasNumPattern.setDescription('This object indicates the pattern to match the incoming telephone number. It may include wildcards. ') csrstAliasAltNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1, 4), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAliasAltNumber.setStatus('current') if mibBuilder.loadTexts: csrstAliasAltNumber.setDescription('This object indicates the alternate tele- phone number to route incoming calls to match the number pattern. This has to be a valid extension for an IP phone actively registered on the SRST router. ') csrstAliasPreference = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAliasPreference.setStatus('current') if mibBuilder.loadTexts: csrstAliasPreference.setDescription('This object indicates the preference value of the associated dial-peer. A value of 0 has the highest preference. ') csrstAliasHuntStopEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 31, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAliasHuntStopEnabled.setStatus('current') if mibBuilder.loadTexts: csrstAliasHuntStopEnabled.setDescription('This object specifies that if hunt stop is enabled, after the caller tried the alternate number according to the alias pattern, it will stop call hunting. If hunt stop is disabled, it will rollover to another directory number if available. ') csrstAccessCodeTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 32), ) if mibBuilder.loadTexts: csrstAccessCodeTable.setStatus('current') if mibBuilder.loadTexts: csrstAccessCodeTable.setDescription('A list of access-code to trunk lines configured on this SRST router. ') csrstAccessCodeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 32, 1), ).setIndexNames((0, "CISCO-SRST-MIB", "csrstAccessCodeType")) if mibBuilder.loadTexts: csrstAccessCodeEntry.setStatus('current') if mibBuilder.loadTexts: csrstAccessCodeEntry.setDescription('Information about a configured access-code to trunk lines. There is an entry in this table for each access configured on this device.') csrstAccessCodeType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 32, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("fxo", 1), ("em", 2), ("bri", 3), ("pri", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAccessCodeType.setStatus('current') if mibBuilder.loadTexts: csrstAccessCodeType.setDescription('This object indicates the type of trunk line to which the access-code is applied to. The type of trunk lines can be fxo, e&m, bri, and pri. fxo - Enables a foreign exchange office (FXO) interface. em - Enables an analog ear and mouth (E&M) interface. bri - Enables a BRI interface. pri - Enables a PRI interface. ') csrstAccessCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 32, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAccessCode.setStatus('current') if mibBuilder.loadTexts: csrstAccessCode.setDescription('This object indicates the access-code to be applied to the corresponding trunk line by creating dial-peers. ') csrstAccessCodeDIDEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 32, 1, 3), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstAccessCodeDIDEnabled.setStatus('current') if mibBuilder.loadTexts: csrstAccessCodeDIDEnabled.setDescription('This object indicates the direct-inward- dial on a POTS dial-peer is enabled or disabled. ') csrstLimitDNTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 33), ) if mibBuilder.loadTexts: csrstLimitDNTable.setStatus('current') if mibBuilder.loadTexts: csrstLimitDNTable.setDescription('A list of configured limit-dn avail- able to each Cisco IP phone type on this SRST router. ') csrstLimitDNEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 33, 1), ).setIndexNames((0, "CISCO-SRST-MIB", "csrstLimitDNType")) if mibBuilder.loadTexts: csrstLimitDNEntry.setStatus('current') if mibBuilder.loadTexts: csrstLimitDNEntry.setDescription('Information about a configured limit-dn. There is an entry in this table for each limit-dn configured for a Cisco phone type on this device. ') csrstLimitDNType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 33, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("ipPhone7910", 1), ("ipPhone7935", 2), ("ipPhone7940", 3), ("ipPhone7960", 4), ("ipPhone7970", 5), ("ipPhone7936", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstLimitDNType.setStatus('current') if mibBuilder.loadTexts: csrstLimitDNType.setDescription('This object indicates the type of IP phone to which the limit-dn is applied to. ') csrstLimitDN = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 33, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstLimitDN.setStatus('current') if mibBuilder.loadTexts: csrstLimitDN.setDescription('This object indicates the maximum number of directory numbers available to each type of IP phone. The current range of maximum lines setting is from 1 to 34. The default is 34. DEFVAL { 34 } ') csrstNotificationEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 34), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: csrstNotificationEnabled.setStatus('current') if mibBuilder.loadTexts: csrstNotificationEnabled.setDescription('This variable indicates whether this system produces the SRST notifications. A false value will prevent SRST notifications from being generated by this system. ') csrstUserLocaleInfoRev1 = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 2, 35), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(14, 64)).clone('US/US/US/US/US')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstUserLocaleInfoRev1.setStatus('current') if mibBuilder.loadTexts: csrstUserLocaleInfoRev1.setDescription("Cisco SRST language for displays on Cisco IP phone by country. Every set of character separated by a forward slash ('/') represents one user-locale whose value may be any one of the following languages or one configured by the user. At the same time 5 user locales can be configured. --------------------------- | DE Germany | | DK Denmark | | ES Spain | | FR France | | IT Italy | | JP Japan | | NL Netherlands | | NO Norway | | PT Portugal | | RU Russian Federation | | SE Sweden | | US United States | --------------------------- Example: if csrstUserLocaleInfoRev1 returns 'DE/US/SE/FR/RU' then : UserLocale 1 = DE UserLocale 2 = US UserLocale 3 = SE UserLocale 4 = FR UserLocale 5 = RU ") csrstSysNotifSeverity = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("clear", 1), ("minor", 2), ("major", 3)))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: csrstSysNotifSeverity.setStatus('current') if mibBuilder.loadTexts: csrstSysNotifSeverity.setDescription("The internally-defined severity of the particular alarm condition, associated with the most recent SNMP notification. A subsequent event in which the alarm condition changes from its failed state back to a 'normal' state has a severity of 'clear'. This severity-level value is supplied with each SRST specific notification. ") csrstSysNotifReason = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 2, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: csrstSysNotifReason.setStatus('current') if mibBuilder.loadTexts: csrstSysNotifReason.setDescription('The internally-defined failure cause of the particular alarm condition, associated with the most recent system notification. ') csrstState = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 3, 1), SrstOperType()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstState.setStatus('current') if mibBuilder.loadTexts: csrstState.setDescription('This object indicates the current state of Cisco SRST feature on this router. Active - At least one IP or SIP phone is registered Inactive - Cisco SRST has no IP or SIP phones registered This object has no significance if csrstEnabled object is disabled. ') csrstSipPhoneCurrentRegistered = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 3, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipPhoneCurrentRegistered.setStatus('current') if mibBuilder.loadTexts: csrstSipPhoneCurrentRegistered.setDescription('Total number of SIP phones currently registered to the SRST router. ') csrstSipCallLegs = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 3, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipCallLegs.setStatus('current') if mibBuilder.loadTexts: csrstSipCallLegs.setDescription('Total number of SIP call legs routed through the SRST router since going active. This includes incoming and outgoing calls. ') csrstTotalUpTime = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 3, 4), Counter32()).setUnits('minutes').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstTotalUpTime.setStatus('current') if mibBuilder.loadTexts: csrstTotalUpTime.setDescription('Accumulated total number of minutes that router is active in SRST mode. ') csrstSipRegSrvExpMax = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(600, 86400)).clone(3600)).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipRegSrvExpMax.setStatus('current') if mibBuilder.loadTexts: csrstSipRegSrvExpMax.setDescription('This object indicates the maximum expiration time for the SIP Registrar Server to timeout on a registration. ') csrstSipRegSrvExpMin = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 3600)).clone(60)).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipRegSrvExpMin.setStatus('current') if mibBuilder.loadTexts: csrstSipRegSrvExpMin.setDescription('This object indicates the minimum expiration time for the SIP Registrar Server to timeout on a registration. ') csrstSipIp2IpGlobalEnabled = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 3), TruthValue().clone('false')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipIp2IpGlobalEnabled.setStatus('current') if mibBuilder.loadTexts: csrstSipIp2IpGlobalEnabled.setDescription('This object indicates whether voip calls are re-directed ip to ip globally. ') csrstSipSend300MultSupport = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("bestMatch", 1), ("longestMatch", 2))).clone('longestMatch')).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipSend300MultSupport.setStatus('current') if mibBuilder.loadTexts: csrstSipSend300MultSupport.setDescription('This object indicates whether the redirect contact order is best or longest match. This applies globally for SIP. bestMatch - Uses the current system configuration to set the order of contacts. longestMatch - Sets the contact order by using the destination pattern longest match first, and then the second longest match, the third longest match, etc.. ') csrstSipVoRegPoolTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5), ) if mibBuilder.loadTexts: csrstSipVoRegPoolTable.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegPoolTable.setDescription('This table contains general information about the configured voice register pool for SIP endpoints (dial-peers) on this SRST router. ') csrstSipVoRegPoolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1), ).setIndexNames((0, "CISCO-SRST-MIB", "csrstSipVoRegPoolTag")) if mibBuilder.loadTexts: csrstSipVoRegPoolEntry.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegPoolEntry.setDescription('Information about a configured voice register pool for SIP dial-peers. There is an entry in this table for each voice register pool configured on this device. ') csrstSipVoRegPoolTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 1), Unsigned32()) if mibBuilder.loadTexts: csrstSipVoRegPoolTag.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegPoolTag.setDescription('A unique identifier tag configured for a voice register pool entry. ') csrstSipNetId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 2), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipNetId.setStatus('current') if mibBuilder.loadTexts: csrstSipNetId.setDescription('This object indicates the network ident- ification information of the SIP voice register pool configured on this router. This object can be the network Id, IP address, or MAC address. ') csrstSipVoRegPoolIpAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 3), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegPoolIpAddrType.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegPoolIpAddrType.setDescription("Internet address type governing the address type format for one or more InetAddress objects in this MIB. The associated InetAddress objects' description will refer back to this type object as appropriate. ") csrstSipNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 4), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipNetMask.setStatus('current') if mibBuilder.loadTexts: csrstSipNetMask.setDescription('This object indicates the IP subnet configured for the SIP voice register pool. The type of IP subnet used here is indicated by the csrstSipVoRegPoolIpAddrType object. ') csrstSipProxySrvIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 5), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipProxySrvIpAddr.setStatus('current') if mibBuilder.loadTexts: csrstSipProxySrvIpAddr.setDescription('This object indicates the IP address of the proxy server configured for the SIP voice register pool. The type of IP address used here is indicated by the csrstSipVoRegPoolIpAddrType object. ') csrstSipProxySrvPref = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipProxySrvPref.setStatus('current') if mibBuilder.loadTexts: csrstSipProxySrvPref.setDescription('This object indicates the preference order for creating the VoIP dial peers in the voice register pool. Setting the preference enables the desired dial peer to be selected when multiple dial peers within a hunt group are matched for a dial string. A value of 0 has the highest preference. ') csrstSipProxySrvMonitor = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("icmp", 1), ("rtr", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipProxySrvMonitor.setStatus('current') if mibBuilder.loadTexts: csrstSipProxySrvMonitor.setDescription('Cisco SIP SRST monitoring protocol of the proxy server configured for the SIP voice register pool. This monitoring protocol can be ICMP ping or RTR probes. ') csrstSipProxySrvAltIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 8), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipProxySrvAltIpAddr.setStatus('current') if mibBuilder.loadTexts: csrstSipProxySrvAltIpAddr.setDescription('Cisco SIP SRST monitoring of an alternate IP address other than the proxy configured for the SIP voice register pool. The type of IP address used here is indicated by the csrstSipVoRegPoolIpAddrType object. ') csrstSipDefaultPreference = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 9), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipDefaultPreference.setStatus('current') if mibBuilder.loadTexts: csrstSipDefaultPreference.setDescription('This object indicates the default preference of the proxy dial-peers created in the voice register pool. If csrstSipProxySrvPref object is not set, the default preference is applied to the dial-peers created. A value of 0 has the highest preference. ') csrstSipVoRegPoolAppl = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 5, 1, 10), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegPoolAppl.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegPoolAppl.setDescription('Application for the SIP dial-peers configured under voice register pool. ') csrstSipVoRegNumberListTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6), ) if mibBuilder.loadTexts: csrstSipVoRegNumberListTable.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberListTable.setDescription('This table contains information about the configured number list for the corresponding voice register pool on this SIP SRST router. ') csrstSipVoRegNumberListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6, 1), ).setIndexNames((0, "CISCO-SRST-MIB", "csrstSipVoRegPoolTag"), (0, "CISCO-SRST-MIB", "csrstSipVoRegNumberListIndex")) if mibBuilder.loadTexts: csrstSipVoRegNumberListEntry.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberListEntry.setDescription('Information about a configured number list for the corresponding voice register pool. There is an entry in this table for each number list configured on this device. ') csrstSipVoRegNumberListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6, 1, 1), Unsigned32()) if mibBuilder.loadTexts: csrstSipVoRegNumberListIndex.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberListIndex.setDescription('A unique sequence number that indicates a number list configured for the corresponding voice register pool on this SRST router. ') csrstSipVoRegNumberListTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegNumberListTag.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberListTag.setDescription('This object indicates the particular index of the number list configured for the corresponding voice register pool. ') csrstSipVoRegNumberPattern = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6, 1, 3), CvE164Address().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegNumberPattern.setReference('ITU-T E.164, Q.931 chapter 4.5.10') if mibBuilder.loadTexts: csrstSipVoRegNumberPattern.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberPattern.setDescription('This object indicates the number pattern that the registrar permits to handle the register message from the SIP phone. This number pattern is a fully qualified E.164 number.') csrstSipVoRegNumberPref = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6, 1, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegNumberPref.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberPref.setDescription('This object indicates the preference of the number pattern configured for the corresponding voice register pool. ') csrstSipVoRegNumberHuntstopEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 6, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegNumberHuntstopEnabled.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegNumberHuntstopEnabled.setDescription('This object indicates huntstop is enabled (true) or disabled (false) for the number pattern configured for the corresponding voice register pool. If enabled, the incoming call will stop hunting if the dial-peer is busy. If disabled, the incoming call will hunt further for dial-peers. ') csrstSipEndpointTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7), ) if mibBuilder.loadTexts: csrstSipEndpointTable.setStatus('current') if mibBuilder.loadTexts: csrstSipEndpointTable.setDescription('This table contains general information about the configured SIP dial-peers (endpoints) on this SIP SRST router. ') csrstSipEndpointEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7, 1), ).setIndexNames((0, "CISCO-SRST-MIB", "csrstSipEndpointTag")) if mibBuilder.loadTexts: csrstSipEndpointEntry.setStatus('current') if mibBuilder.loadTexts: csrstSipEndpointEntry.setDescription('Information about a created SIP endpoint. There is an entry in this table for each SIP endpoint (dial-peer) configured on this device.') csrstSipEndpointTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7, 1, 1), Unsigned32()) if mibBuilder.loadTexts: csrstSipEndpointTag.setStatus('current') if mibBuilder.loadTexts: csrstSipEndpointTag.setDescription('A unique sequence number that indicates a SIP endpoint configured on this SRST router. ') csrstSipVoRegPoolEdptTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7, 1, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipVoRegPoolEdptTag.setStatus('current') if mibBuilder.loadTexts: csrstSipVoRegPoolEdptTag.setDescription('This object indicates the voice register pool tag from which the corresponding SIP endpoint (dial-peer) is created. ') csrstSipEndpointIpAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7, 1, 3), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipEndpointIpAddrType.setStatus('current') if mibBuilder.loadTexts: csrstSipEndpointIpAddrType.setDescription("Internet address type governing the address type format for one or more InetAddress objects in this MIB. The associated InetAddress objects' description will refer back to this type object as appropriate. ") csrstSipEndpointIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7, 1, 4), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipEndpointIpAddress.setStatus('current') if mibBuilder.loadTexts: csrstSipEndpointIpAddress.setDescription('This object indicates the SIP endpoint IP address configured on this router. The type of IP address used here is indicated by the csrstSipEndpointIpAddrType object. ') csrstSipEndpointDN = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 441, 1, 4, 7, 1, 5), CvE164Address().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: csrstSipEndpointDN.setStatus('current') if mibBuilder.loadTexts: csrstSipEndpointDN.setDescription("This object indicates the SIP phone's DN or line number assigned to the SIP endpoint. ") csrstStateChange = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 441, 0, 1)).setObjects(("CISCO-SRST-MIB", "csrstSysNotifSeverity"), ("CISCO-SRST-MIB", "csrstState"), ("CISCO-SRST-MIB", "csrstSysNotifReason")) if mibBuilder.loadTexts: csrstStateChange.setStatus('current') if mibBuilder.loadTexts: csrstStateChange.setDescription('An SRST up or down state change notification is generated. This indicates one or more phones is registered to the SRST router or none is registered. ') csrstFailNotif = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 441, 0, 2)).setObjects(("CISCO-SRST-MIB", "csrstSysNotifSeverity"), ("CISCO-SRST-MIB", "csrstSysNotifReason")) if mibBuilder.loadTexts: csrstFailNotif.setStatus('current') if mibBuilder.loadTexts: csrstFailNotif.setDescription('A failure notification is generated when the SRST router encounters a catastrophic failure. ') csrstSipPhoneUnRegThresholdExceed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 441, 0, 3)).setObjects(("CISCO-SRST-MIB", "csrstSipPhoneUnRegThreshold"), ("CISCO-SRST-MIB", "csrstSipPhoneCurrentRegistered")) if mibBuilder.loadTexts: csrstSipPhoneUnRegThresholdExceed.setStatus('current') if mibBuilder.loadTexts: csrstSipPhoneUnRegThresholdExceed.setDescription('A SIP phone unregistration notification is generated when the number of SIP phone unregistrations have exceeded the threshold. The number of currently registered SIP phones is provided here by csrstSipPhoneCurrentRegistered object as a reference such that if csrstSipPhoneCurrentRegistered falls below csrstSipPhoneUnRegThreshold, a notification will be generated to indicate that the number of unregistered SIP phones has crossed the threshold. ') csrstSipPhoneRegFailed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 441, 0, 4)).setObjects(("CISCO-SRST-MIB", "csrstSipEndpointIpAddress")) if mibBuilder.loadTexts: csrstSipPhoneRegFailed.setStatus('current') if mibBuilder.loadTexts: csrstSipPhoneRegFailed.setDescription('A SIP phone fail registration notification is generated when the SIP phone fails to register. ') csrstConferenceFailed = NotificationType((1, 3, 6, 1, 4, 1, 9, 9, 441, 0, 5)).setObjects(("CISCO-SRST-MIB", "csrstMaxConferences")) if mibBuilder.loadTexts: csrstConferenceFailed.setStatus('current') if mibBuilder.loadTexts: csrstConferenceFailed.setDescription('A conference failure notification is generated when the maximum number of conferences are exceeded. ') ciscoSrstMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 1)) ciscoSrstMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2)) ciscoSrstMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 1, 1)).setObjects(("CISCO-SRST-MIB", "csrstConfGroup"), ("CISCO-SRST-MIB", "csrstNotifInfoGroup"), ("CISCO-SRST-MIB", "csrstSipConfGroup"), ("CISCO-SRST-MIB", "csrstActiveStatsGroup"), ("CISCO-SRST-MIB", "csrstMIBNotifsGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoSrstMIBCompliance = ciscoSrstMIBCompliance.setStatus('deprecated') if mibBuilder.loadTexts: ciscoSrstMIBCompliance.setDescription('The compliance statement for the Cisco Survivable Remote Site Telephony (SRST) MIB. ') ciscoSrstMIBComplianceRev1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 1, 2)).setObjects(("CISCO-SRST-MIB", "csrstNotifInfoGroup"), ("CISCO-SRST-MIB", "csrstSipConfGroup"), ("CISCO-SRST-MIB", "csrstActiveStatsGroup"), ("CISCO-SRST-MIB", "csrstMIBNotifsGroup"), ("CISCO-SRST-MIB", "csrstConfGroupRev1")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): ciscoSrstMIBComplianceRev1 = ciscoSrstMIBComplianceRev1.setStatus('current') if mibBuilder.loadTexts: ciscoSrstMIBComplianceRev1.setDescription('The compliance statement for the Cisco Survivable Remote Site Telephony (SRST) MIB. ') csrstConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 1)).setObjects(("CISCO-SRST-MIB", "csrstEnabled"), ("CISCO-SRST-MIB", "csrstVersion"), ("CISCO-SRST-MIB", "csrstIPAddressType"), ("CISCO-SRST-MIB", "csrstIPAddress"), ("CISCO-SRST-MIB", "csrstPortNumber"), ("CISCO-SRST-MIB", "csrstMaxConferences"), ("CISCO-SRST-MIB", "csrstMaxEphones"), ("CISCO-SRST-MIB", "csrstMaxDN"), ("CISCO-SRST-MIB", "csrstSipPhoneUnRegThreshold"), ("CISCO-SRST-MIB", "csrstCallFwdNoAnswer"), ("CISCO-SRST-MIB", "csrstCallFwdNoAnswerTo"), ("CISCO-SRST-MIB", "csrstCallFwdBusy"), ("CISCO-SRST-MIB", "csrstMohFilename"), ("CISCO-SRST-MIB", "csrstMohMulticastAddrType"), ("CISCO-SRST-MIB", "csrstMohMulticastAddr"), ("CISCO-SRST-MIB", "csrstMohMulticastPort"), ("CISCO-SRST-MIB", "csrstVoiceMailNumber"), ("CISCO-SRST-MIB", "csrstSystemMessagePrimary"), ("CISCO-SRST-MIB", "csrstSystemMessageSecondary"), ("CISCO-SRST-MIB", "csrstScriptName"), ("CISCO-SRST-MIB", "csrstSecondaryDialTone"), ("CISCO-SRST-MIB", "csrstTransferSystem"), ("CISCO-SRST-MIB", "csrstUserLocaleInfo"), ("CISCO-SRST-MIB", "csrstDateFormat"), ("CISCO-SRST-MIB", "csrstTimeFormat"), ("CISCO-SRST-MIB", "csrstInterdigitTo"), ("CISCO-SRST-MIB", "csrstBusyTo"), ("CISCO-SRST-MIB", "csrstAlertTo"), ("CISCO-SRST-MIB", "csrstXlateCalledNumber"), ("CISCO-SRST-MIB", "csrstXlateCallingNumber"), ("CISCO-SRST-MIB", "csrstAliasTag"), ("CISCO-SRST-MIB", "csrstAliasNumPattern"), ("CISCO-SRST-MIB", "csrstAliasAltNumber"), ("CISCO-SRST-MIB", "csrstAliasPreference"), ("CISCO-SRST-MIB", "csrstAliasHuntStopEnabled"), ("CISCO-SRST-MIB", "csrstAccessCodeType"), ("CISCO-SRST-MIB", "csrstAccessCode"), ("CISCO-SRST-MIB", "csrstAccessCodeDIDEnabled"), ("CISCO-SRST-MIB", "csrstLimitDNType"), ("CISCO-SRST-MIB", "csrstLimitDN"), ("CISCO-SRST-MIB", "csrstNotificationEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csrstConfGroup = csrstConfGroup.setStatus('deprecated') if mibBuilder.loadTexts: csrstConfGroup.setDescription('A collection of objects which are used to show the current running configuration of Cisco SRST feature. ') csrstNotifInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 2)).setObjects(("CISCO-SRST-MIB", "csrstSysNotifSeverity"), ("CISCO-SRST-MIB", "csrstSysNotifReason")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csrstNotifInfoGroup = csrstNotifInfoGroup.setStatus('current') if mibBuilder.loadTexts: csrstNotifInfoGroup.setDescription('A collection of objects which are used to show the severity and reason of a notifi- cation. ') csrstActiveStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 3)).setObjects(("CISCO-SRST-MIB", "csrstState"), ("CISCO-SRST-MIB", "csrstSipPhoneCurrentRegistered"), ("CISCO-SRST-MIB", "csrstSipCallLegs"), ("CISCO-SRST-MIB", "csrstTotalUpTime")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csrstActiveStatsGroup = csrstActiveStatsGroup.setStatus('current') if mibBuilder.loadTexts: csrstActiveStatsGroup.setDescription('A collection of objects which are used to show the activity status of Cisco SRST or SIP SRST feature. ') csrstSipConfGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 4)).setObjects(("CISCO-SRST-MIB", "csrstSipRegSrvExpMax"), ("CISCO-SRST-MIB", "csrstSipRegSrvExpMin"), ("CISCO-SRST-MIB", "csrstSipIp2IpGlobalEnabled"), ("CISCO-SRST-MIB", "csrstSipSend300MultSupport"), ("CISCO-SRST-MIB", "csrstSipNetId"), ("CISCO-SRST-MIB", "csrstSipVoRegPoolIpAddrType"), ("CISCO-SRST-MIB", "csrstSipNetMask"), ("CISCO-SRST-MIB", "csrstSipProxySrvIpAddr"), ("CISCO-SRST-MIB", "csrstSipProxySrvPref"), ("CISCO-SRST-MIB", "csrstSipProxySrvMonitor"), ("CISCO-SRST-MIB", "csrstSipProxySrvAltIpAddr"), ("CISCO-SRST-MIB", "csrstSipDefaultPreference"), ("CISCO-SRST-MIB", "csrstSipVoRegPoolAppl"), ("CISCO-SRST-MIB", "csrstSipVoRegNumberListTag"), ("CISCO-SRST-MIB", "csrstSipVoRegNumberPattern"), ("CISCO-SRST-MIB", "csrstSipVoRegNumberPref"), ("CISCO-SRST-MIB", "csrstSipVoRegNumberHuntstopEnabled"), ("CISCO-SRST-MIB", "csrstSipVoRegPoolEdptTag"), ("CISCO-SRST-MIB", "csrstSipEndpointIpAddrType"), ("CISCO-SRST-MIB", "csrstSipEndpointIpAddress"), ("CISCO-SRST-MIB", "csrstSipEndpointDN")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csrstSipConfGroup = csrstSipConfGroup.setStatus('current') if mibBuilder.loadTexts: csrstSipConfGroup.setDescription('A collection of objects which are used to show the current running configuration of Cisco SIP SRST feature. ') csrstMIBNotifsGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 5)).setObjects(("CISCO-SRST-MIB", "csrstStateChange"), ("CISCO-SRST-MIB", "csrstFailNotif"), ("CISCO-SRST-MIB", "csrstSipPhoneUnRegThresholdExceed"), ("CISCO-SRST-MIB", "csrstSipPhoneRegFailed"), ("CISCO-SRST-MIB", "csrstConferenceFailed")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csrstMIBNotifsGroup = csrstMIBNotifsGroup.setStatus('current') if mibBuilder.loadTexts: csrstMIBNotifsGroup.setDescription('A collection of notifications for Cisco SRST or SIP SRST feature. ') csrstConfGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 441, 2, 2, 6)).setObjects(("CISCO-SRST-MIB", "csrstEnabled"), ("CISCO-SRST-MIB", "csrstVersion"), ("CISCO-SRST-MIB", "csrstIPAddressType"), ("CISCO-SRST-MIB", "csrstIPAddress"), ("CISCO-SRST-MIB", "csrstPortNumber"), ("CISCO-SRST-MIB", "csrstMaxConferences"), ("CISCO-SRST-MIB", "csrstMaxEphones"), ("CISCO-SRST-MIB", "csrstMaxDN"), ("CISCO-SRST-MIB", "csrstSipPhoneUnRegThreshold"), ("CISCO-SRST-MIB", "csrstCallFwdNoAnswer"), ("CISCO-SRST-MIB", "csrstCallFwdNoAnswerTo"), ("CISCO-SRST-MIB", "csrstCallFwdBusy"), ("CISCO-SRST-MIB", "csrstMohFilename"), ("CISCO-SRST-MIB", "csrstMohMulticastAddrType"), ("CISCO-SRST-MIB", "csrstMohMulticastAddr"), ("CISCO-SRST-MIB", "csrstMohMulticastPort"), ("CISCO-SRST-MIB", "csrstVoiceMailNumber"), ("CISCO-SRST-MIB", "csrstSystemMessagePrimary"), ("CISCO-SRST-MIB", "csrstSystemMessageSecondary"), ("CISCO-SRST-MIB", "csrstScriptName"), ("CISCO-SRST-MIB", "csrstSecondaryDialTone"), ("CISCO-SRST-MIB", "csrstTransferSystem"), ("CISCO-SRST-MIB", "csrstDateFormat"), ("CISCO-SRST-MIB", "csrstTimeFormat"), ("CISCO-SRST-MIB", "csrstInterdigitTo"), ("CISCO-SRST-MIB", "csrstBusyTo"), ("CISCO-SRST-MIB", "csrstAlertTo"), ("CISCO-SRST-MIB", "csrstXlateCalledNumber"), ("CISCO-SRST-MIB", "csrstXlateCallingNumber"), ("CISCO-SRST-MIB", "csrstAliasTag"), ("CISCO-SRST-MIB", "csrstAliasNumPattern"), ("CISCO-SRST-MIB", "csrstAliasAltNumber"), ("CISCO-SRST-MIB", "csrstAliasPreference"), ("CISCO-SRST-MIB", "csrstAliasHuntStopEnabled"), ("CISCO-SRST-MIB", "csrstAccessCodeType"), ("CISCO-SRST-MIB", "csrstAccessCode"), ("CISCO-SRST-MIB", "csrstAccessCodeDIDEnabled"), ("CISCO-SRST-MIB", "csrstLimitDNType"), ("CISCO-SRST-MIB", "csrstLimitDN"), ("CISCO-SRST-MIB", "csrstNotificationEnabled"), ("CISCO-SRST-MIB", "csrstUserLocaleInfoRev1")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): csrstConfGroupRev1 = csrstConfGroupRev1.setStatus('current') if mibBuilder.loadTexts: csrstConfGroupRev1.setDescription('A collection of objects which are used to show the current running configuration of Cisco SRST feature. ') mibBuilder.exportSymbols("CISCO-SRST-MIB", ciscoSrstMIBNotifications=ciscoSrstMIBNotifications, csrstBusyTo=csrstBusyTo, csrstXlateCalledNumber=csrstXlateCalledNumber, csrstSysNotifSeverity=csrstSysNotifSeverity, csrstConfGroupRev1=csrstConfGroupRev1, csrstSipEndpointEntry=csrstSipEndpointEntry, csrstAliasNumPattern=csrstAliasNumPattern, csrstMohMulticastPort=csrstMohMulticastPort, csrstMaxEphones=csrstMaxEphones, csrstTotalUpTime=csrstTotalUpTime, csrstMaxDN=csrstMaxDN, csrstSipVoRegNumberHuntstopEnabled=csrstSipVoRegNumberHuntstopEnabled, csrstMIBNotifsGroup=csrstMIBNotifsGroup, csrstVersion=csrstVersion, csrstSipEndpointIpAddrType=csrstSipEndpointIpAddrType, csrstSipRegSrvExpMin=csrstSipRegSrvExpMin, csrstSipVoRegNumberPref=csrstSipVoRegNumberPref, csrstLimitDNEntry=csrstLimitDNEntry, csrstAliasHuntStopEnabled=csrstAliasHuntStopEnabled, csrstTransferSystem=csrstTransferSystem, ciscoSrstMIBObjects=ciscoSrstMIBObjects, csrstEnabled=csrstEnabled, csrstAccessCodeDIDEnabled=csrstAccessCodeDIDEnabled, ciscoSrstMIBGroups=ciscoSrstMIBGroups, csrstSipPhoneUnRegThreshold=csrstSipPhoneUnRegThreshold, csrstPortNumber=csrstPortNumber, csrstCallFwdBusy=csrstCallFwdBusy, csrstGlobal=csrstGlobal, csrstActiveStatsGroup=csrstActiveStatsGroup, csrstSipPhoneUnRegThresholdExceed=csrstSipPhoneUnRegThresholdExceed, csrstIPAddressType=csrstIPAddressType, csrstAccessCodeTable=csrstAccessCodeTable, csrstSipPhoneCurrentRegistered=csrstSipPhoneCurrentRegistered, SrstOperType=SrstOperType, csrstSipVoRegPoolEntry=csrstSipVoRegPoolEntry, csrstState=csrstState, csrstNotifInfoGroup=csrstNotifInfoGroup, csrstInterdigitTo=csrstInterdigitTo, csrstAccessCodeType=csrstAccessCodeType, csrstSipEndpointIpAddress=csrstSipEndpointIpAddress, csrstIPAddress=csrstIPAddress, csrstAlertTo=csrstAlertTo, csrstSipConfGroup=csrstSipConfGroup, csrstSipConf=csrstSipConf, csrstStateChange=csrstStateChange, csrstSysNotifReason=csrstSysNotifReason, csrstSipCallLegs=csrstSipCallLegs, csrstSecondaryDialTone=csrstSecondaryDialTone, csrstSipSend300MultSupport=csrstSipSend300MultSupport, csrstSipVoRegNumberListTable=csrstSipVoRegNumberListTable, csrstSipPhoneRegFailed=csrstSipPhoneRegFailed, csrstSipVoRegPoolEdptTag=csrstSipVoRegPoolEdptTag, csrstSipEndpointTable=csrstSipEndpointTable, csrstSipProxySrvIpAddr=csrstSipProxySrvIpAddr, csrstUserLocaleInfoRev1=csrstUserLocaleInfoRev1, csrstAliasAltNumber=csrstAliasAltNumber, csrstSipVoRegPoolIpAddrType=csrstSipVoRegPoolIpAddrType, csrstAliasIndex=csrstAliasIndex, csrstSipEndpointDN=csrstSipEndpointDN, csrstSipProxySrvAltIpAddr=csrstSipProxySrvAltIpAddr, csrstSipVoRegPoolTable=csrstSipVoRegPoolTable, csrstActiveStats=csrstActiveStats, csrstConf=csrstConf, ciscoSrstMIBConformance=ciscoSrstMIBConformance, csrstVoiceMailNumber=csrstVoiceMailNumber, csrstSipProxySrvPref=csrstSipProxySrvPref, csrstSipRegSrvExpMax=csrstSipRegSrvExpMax, ciscoSrstMIBCompliances=ciscoSrstMIBCompliances, csrstDateFormat=csrstDateFormat, ciscoSrstMIBCompliance=ciscoSrstMIBCompliance, csrstSipNetMask=csrstSipNetMask, csrstConfGroup=csrstConfGroup, csrstSystemMessageSecondary=csrstSystemMessageSecondary, csrstLimitDNTable=csrstLimitDNTable, csrstSipVoRegNumberListEntry=csrstSipVoRegNumberListEntry, csrstCallFwdNoAnswer=csrstCallFwdNoAnswer, csrstAliasTable=csrstAliasTable, csrstScriptName=csrstScriptName, csrstAliasEntry=csrstAliasEntry, csrstMohMulticastAddrType=csrstMohMulticastAddrType, csrstMohFilename=csrstMohFilename, csrstSipProxySrvMonitor=csrstSipProxySrvMonitor, csrstSipVoRegNumberListIndex=csrstSipVoRegNumberListIndex, ciscoSrstMIBComplianceRev1=ciscoSrstMIBComplianceRev1, csrstMaxConferences=csrstMaxConferences, csrstLimitDNType=csrstLimitDNType, csrstSystemMessagePrimary=csrstSystemMessagePrimary, csrstSipIp2IpGlobalEnabled=csrstSipIp2IpGlobalEnabled, csrstAccessCode=csrstAccessCode, ciscoSrstMIB=ciscoSrstMIB, csrstAliasTag=csrstAliasTag, csrstConferenceFailed=csrstConferenceFailed, csrstSipEndpointTag=csrstSipEndpointTag, csrstAccessCodeEntry=csrstAccessCodeEntry, csrstXlateCallingNumber=csrstXlateCallingNumber, csrstMohMulticastAddr=csrstMohMulticastAddr, csrstSipVoRegPoolAppl=csrstSipVoRegPoolAppl, csrstSipVoRegPoolTag=csrstSipVoRegPoolTag, csrstFailNotif=csrstFailNotif, csrstAliasPreference=csrstAliasPreference, csrstSipVoRegNumberPattern=csrstSipVoRegNumberPattern, csrstLimitDN=csrstLimitDN, csrstSipNetId=csrstSipNetId, csrstSipDefaultPreference=csrstSipDefaultPreference, csrstCallFwdNoAnswerTo=csrstCallFwdNoAnswerTo, csrstUserLocaleInfo=csrstUserLocaleInfo, csrstTimeFormat=csrstTimeFormat, csrstNotificationEnabled=csrstNotificationEnabled, csrstSipVoRegNumberListTag=csrstSipVoRegNumberListTag, PYSNMP_MODULE_ID=ciscoSrstMIB)
# bootstrap glyph icon ICON_TYPE_GLYPH = 'glyph' # image relative to Flask static folder ICON_TYPE_IMAGE = 'image' # external image ICON_TYPE_IMAGE_URL = 'image-url'
array = [] while True: line = input() if "DEBUG" == line: break array += list(map(int, filter(None, line.split(" ")))) for i in range(len(array) - 6): if array[i] == 32656 and array[i + 1] == 19759 and array[i + 2] == 32763: n = array[i + 4] start = i + 6 end = start + n sequence = array[start:end] print("".join(list(map(chr, sequence))))
""" Minimalistic application with fields, managers etc. for full text search support in PostgreSQL. Inspired by: https://github.com/linuxlewis/djorm-ext-pgfulltext """ __version__ = '0.1.0' FTS_CONFIGURATIONS = { 'simple': 'simple', 'en': 'english', 'da': 'danish', 'nl': 'dutch', 'fi': 'finnish', 'fr': 'french', 'de': 'german', 'hu': 'hungarian', 'it': 'italian', 'no': 'norwegian', 'nb': 'norwegian', 'nn': 'norwegian', 'pt': 'portuguese', 'ro': 'romanian', 'ru': 'russian', 'es': 'spanish', 'sv': 'swedish', 'tr': 'turkish', } FTS_CONFIGURATIONS.update({v: v for v in FTS_CONFIGURATIONS.values()})
''' Given an array of citations sorted in ascending order (each citation is a non-negative integer) of a researcher, write a function to compute the researcher's h-index. According to the definition of h-index on Wikipedia: "A scientist has index h if h of his/her N papers have at least h citations each, and the other N − h papers have no more than h citations each." Example: Input: citations = [0,1,3,5,6] Output: 3 Explanation: [0,1,3,5,6] means the researcher has 5 papers in total and each of them had received 0, 1, 3, 5, 6 citations respectively. Since the researcher has 3 papers with at least 3 citations each and the remaining two with no more than 3 citations each, her h-index is 3. Note: If there are several possible values for h, the maximum one is taken as the h-index. Follow up: This is a follow up problem to H-Index, where citations is now guaranteed to be sorted in ascending order. Could you solve it in logarithmic time complexity? ''' class Solution: def hIndex(self, ci: List[int]) -> int: n = len(ci) if n == 0: return 0 i, j = 0, n-1 while i <= j: mid = i + (j-i)//2 if ci[mid] == n-mid: return ci[mid] if ci[mid] > n-mid: j = mid-1 else: i = mid+1 return n-j-1
pens_pack_price = 5.80 markers_pack_price = 7.20 whiteboard_cleaner_per_liter_price = 1.20 amount_pen_packs = int(input("Enter the amount of pen packs: ")) amount_marker_packs = int(input("Enter the amount of marker packs: ")) whiteboard_cleaner_liters = int(input("Enter the ampunt of liters of whiteboard cleaner: ")) discount = int(input("Enter the amount of discount: ")) total_price_pen_packs = amount_pen_packs * pens_pack_price total_price_marker_packs = amount_marker_packs * markers_pack_price total_price_whiteboard_cleaner = whiteboard_cleaner_liters * whiteboard_cleaner_per_liter_price total_price_products = total_price_pen_packs + total_price_marker_packs + total_price_whiteboard_cleaner total_price_with_discount = total_price_products - (total_price_products * discount / 100) print(f"{total_price_with_discount:.2f}")
def configure(self): #Add Components compress = self.add('compress', CompressionSystem()) mission = self.add('mission', Mission()) pod = self.add('pod', Pod()) flow_limit = self.add('flow_limit', TubeLimitFlow()) tube_wall_temp = self.add('tube_wall_temp', TubeWallTemp()) #Boundary Input Connections #Hyperloop -> Compress self.connect('Mach_pod_max', 'compress.Mach_pod_max') self.connect('Mach_c1_in','compress.Mach_c1_in') #Design Variable #Hyperloop -> Mission self.connect('tube_length', 'mission.tube_length') self.connect('pwr_marg','mission.pwr_marg') #Hyperloop -> Pod #... #Inter-component Connections #Compress -> Mission self.connect('compress.speed_max', 'mission.speed_max') #Compress -> Pod self.connect('compress.area_c1_in', 'pod.area_inlet_out') self.connect('compress.area_inlet_in', 'pod.area_inlet_in') #.. Add Boundary outputs...so on and so forth
# Copyright 2015 gRPC authors. # # 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. """Constants shared among tests throughout RPC Framework.""" # Value for maximum duration in seconds that a test is allowed for its actual # behavioral logic, excluding all time spent deliberately waiting in the test. TIME_ALLOWANCE = 10 # Value for maximum duration in seconds of RPCs that may time out as part of a # test. SHORT_TIMEOUT = 4 # Absurdly large value for maximum duration in seconds for should-not-time-out # RPCs made during tests. LONG_TIMEOUT = 3000 # Values to supply on construction of an object that will service RPCs; these # should not be used as the actual timeout values of any RPCs made during tests. DEFAULT_TIMEOUT = 300 MAXIMUM_TIMEOUT = 3600 # The number of payloads to transmit in streaming tests. STREAM_LENGTH = 200 # The size of payloads to transmit in tests. PAYLOAD_SIZE = 256 * 1024 + 17 # The concurrency to use in tests of concurrent RPCs that will not create as # many threads as RPCs. RPC_CONCURRENCY = 200 # The concurrency to use in tests of concurrent RPCs that will create as many # threads as RPCs. THREAD_CONCURRENCY = 25 # The size of thread pools to use in tests. POOL_SIZE = 10
n, d = [int(i) for i in input().split()] A = {} C = {} shoots = 0 def rangeD(e1, s2, e2): tmp = min(e1, e2) - s2+1 return(tmp if tmp >= 0 else -1) for _ in range(n): s, e, t, num = [i for i in input().split()] s, e, num = int(s), int(e), int(num) shoots += (e-s+1)*num if (t == "A"): if num in A: A[num] = max(A[num], e) else: A[num] = e elif (t == "C"): if num in C: C[num] = min(C[num], s) else: C[num] = s print(shoots, end = ' ') maxVal = 0 for a in A: for c in C: if (a > c): tmp = rangeD(A[a], C[c], d) if not tmp == -1: maxVal = max(maxVal, tmp*(a-c)) print(shoots+maxVal)
name = input("Please enter your name: ") if name == 'Bob': print("You are a part of the top 1 percent!") elif name == 'Alice': print("You are a part of the top 1 percent!") else: print("Go away filthy peasent")
## Integer Type num = 3 # type() print(type(num)) # <class 'int'> ## Float Type num = 3.14156 print(type(num)) # <class 'float'> ### Arithmetics operator # Addition : 3 + 2 ==> 5 # Subtraction : 3 - 2 ==> 1 # Multiplication : 3 * 10 ==> 30 # Division : 3 / 2 ==> 1.5 # Floor Division: : 3 // 2 ==> 1 # Exponent : 2 ** 3 ==> 8 # Modulus : 3 % 2 ==> 1 print(3 + 2) # 5 print(3 - 2) # 1 print(3 * 2) # 6 print(3 / 2) # 1.5 print(3 // 2) # 1 print(3 ** 2) # 9 print(3 % 2) # 1 print(4 % 2) # 0 print(5 % 2) # 1 ## abs() => return positive value print(abs(-3)) # 3 ## round(float_value) print(round(3.75)) # 4 print(round(3.45)) # 3 ## round(float_value, digit ) ''' Help on built-in function round in module builtins: round(number, ndigits=None) Round a number to a given precision in decimal digits. The return value is an integer if ndigits is omitted or None. Otherwise the return value has the same type as the number. ndigits may be negative. ''' print(round(3.456)) # 3 print(round(3.456, 1)) # 3.5 print(round(3.456, 2)) # 3.46 print(round(3.456, 3)) # 3.456 ## Comparison Operators # Equal : 3 == 2 ==> False # Not Equal : 3 != 2 ==> True # Greater Than : 3 > 2 ==> True # Less Than : 3 < 2 ==> False # Greater or Equal : 3 >= 2 ==> True # Less or Equal : 3 <= 2 ==> False print(3 == 2) # False print(3 != 2) # True print(3 > 2) # True print(3 < 2) # False print(3 >= 2) # True print(3 <= 2) # False ## Work with something look like a number but it is actually a string num_1 = '100' num_2 = '200' print(num_1 + num_2) # 100200 # string_concatenate ## so we need casting num_1 = int('100') num_2 = int('200') print(num_1 + num_2) # 300
"""Constants for the HomeSeer integration.""" DOMAIN = "homeseer" ATTR_REF = "ref" ATTR_LOCATION = "location" ATTR_LOCATION2 = "location2" ATTR_NAME = "name" ATTR_VALUE = "value" ATTR_STATUS = "status" ATTR_DEVICE_TYPE_STRING = "device_type_string" ATTR_LAST_CHANGE = "last_change" CONF_HTTP_PORT = "http_port" CONF_ASCII_PORT = "ascii_port" CONF_ALLOW_EVENTS = "allow_events" CONF_NAMESPACE = "namespace" CONF_NAME_TEMPLATE = "name_template" CONF_ALLOWED_EVENT_GROUPS = "allowed_event_groups" CONF_FORCED_COVERS = "forced_covers" CONF_ALLOWED_INTERFACES = "allowed_interfaces" DEFAULT_NAME_TEMPLATE = "{{ device.location2 }} {{ device.location }} {{ device.name }}" DEFAULT_NAMESPACE = "homeseer" DEFAULT_ALLOW_EVENTS = True DEFAULT_ALLOWED_EVENT_GROUPS = [] DEFAULT_FORCED_COVERS = [] DEFAULT_INTERFACE_NAME = "HomeSeer" HOMESEER_PLATFORMS = [ "binary_sensor", "cover", "light", "lock", "scene", "sensor", "switch", ]
# Importable string for GQL query org_team_members_query = """query orgTeamMembers($organization: String!, $team: String!) { organization(login:$organization) { team(slug:$team) { name members{ nodes { login name } } } } } """ # noqa: E501 contributions_counts_by_user_query = """query getContributions($user: String! $from_date: DateTime!, $to_date: DateTime!) { user(login:$user) { contributionsCollection (from:$from_date, to: $to_date) { pullRequestContributionsByRepository { repository {name} contributions { totalCount } } pullRequestReviewContributionsByRepository { repository {name} contributions { totalCount } } issueContributionsByRepository { repository {name} contributions {totalCount} } commitContributionsByRepository { repository {name} contributions {totalCount} } } } } """ # noqa: E501 contributions_by_org_members_query = """query getContributions ($organization: String!, $team: String!, $from_date: DateTime!, $to_date: DateTime!) { organization(login:$organization) { team(slug:$team) { name members { nodes { login contributionsCollection (from: $from_date, to: $to_date) { pullRequestContributionsByRepository (maxRepositories:10) { repository {name} contributions (last:10){ nodes { pullRequest { number changedFiles deletions additions } occurredAt } } } pullRequestReviewContributionsByRepository (maxRepositories: 10) { repository {name} contributions (last:50) { nodes { occurredAt pullRequest { number } } } } } } } } } } """ # noqa: E501 contributions_counts_by_org_members_query = """ query contributions_counts_by_org_members_query ($organization: String!, $team: String!, $from_date: DateTime!, $to_date: DateTime!) { organization(login: $organization) { team(slug: $team) { name members { nodes { login contributionsCollection (from: $from_date, to: $to_date) { pullRequestContributionsByRepository { repository {name} contributions { totalCount } } pullRequestReviewContributionsByRepository { repository {name} contributions { totalCount } } issueContributionsByRepository { repository {name} contributions {totalCount} } commitContributionsByRepository { repository {name} contributions {totalCount} } } } } } } } """ # noqa: E501
my_list = ["a", "b", "c", "d", "e"] item_count = len(my_list) print(f"My list has {item_count} items:") for i in my_list: print(i)
# -*- coding: utf-8 -*- """ Tencent is pleased to support the open source community by making GameAISDK available. This source code file is licensed under the GNU General Public License Version 3. For full details, please refer to the file "LICENSE.txt" which is provided as part of this source code package. Copyright (C) 2020 THL A29 Limited, a Tencent company. All rights reserved. """ RUN_TYPE_UI_AI = 'UI+AI' RUN_TYPE_AI = 'AI' RUN_TYPE_UI = 'UI' # 结果流程类型 RESULT_TYPE_UI = 'UI' RESULT_TYPE_AI = 'AI' # 服务注册类型reg_type枚举 SERVICE_REGISTER = 0 # 注册 SERVICE_UNREGISTER = 1 # 反注册 # 服务节点类型service_type枚举 SERVICE_TYPE_AGENT = 0 # AGENT服务 SERVICE_TYPE_UI = 1 # UI服务 SERVICE_TYPE_REG = 2 # 游戏识别REG服务 # UI识别的游戏状态game_state枚举,语义和PB协议一致 GAME_STATE_NONE = 0 GAME_STATE_UI = 1 GAME_STATE_START = 2 GAME_STATE_OVER = 3 GAME_STATE_MATCH_WIN = 4 # 横竖屏枚举 UI_SCREEN_ORI_LANDSCAPE = 0 UI_SCREEN_ORI_PORTRAIT = 1 # 任务状态枚举 TASK_STATUS_NONE = -1 TASK_STATUS_INIT_SUCCESS = 0 TASK_STATUS_INIT_FAILURE = 1 # monitor位标识 ALL_NORMAL = 0b00000000 AGENT_EXIT = 0b00000001 REG_EXIT = 0b00000010 UI_EXIT = 0b00000100 AGENT_STATE_WAITING_START = 0 AGENT_STATE_PLAYING = 1 AGENT_STATE_PAUSE_PLAYING = 2 AGENT_STATE_RESTORE_PLAYING = 3 AGENT_STATE_OVER = 4
class Solution: def isMajorityElement(self, nums: List[int], target: int) -> bool: ''' T: O(log n) and S: O(1) ''' def binarySearch(nums, target, side): index = -1 lo, hi = 0, len(nums) - 1 while lo <= hi: mid = lo + (hi - lo) // 2 if nums[mid] == target: index = mid if side == 'left': hi = mid - 1 elif side == 'right': lo = mid + 1 else: raise ValueError('Give correct side name: "left" or "right"') elif nums[mid] > target: hi = mid - 1 else: lo = mid + 1 return index left = binarySearch(nums, target, side='left') right = binarySearch(nums, target, side='right') if left == -1 or right == -1: return False return (right - left + 1) > len(nums) // 2
class Solution: def majorityElement(self, nums: List[int]) -> int: result, count = nums[0], 1 for num in nums: if result == num: count += 1 else: if count == 1: result = num else: count -= 1 return result
# # PySNMP MIB module ENTERASYS-THREAT-NOTIFICATION-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ENTERASYS-THREAT-NOTIFICATION-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:04:45 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") ConstraintsIntersection, SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint") etsysModules, = mibBuilder.importSymbols("ENTERASYS-MIB-NAMES", "etsysModules") InterfaceIndex, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndex") InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress") ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup") ObjectIdentity, Unsigned32, Bits, NotificationType, ModuleIdentity, iso, Counter32, Counter64, MibIdentifier, IpAddress, Integer32, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "Unsigned32", "Bits", "NotificationType", "ModuleIdentity", "iso", "Counter32", "Counter64", "MibIdentifier", "IpAddress", "Integer32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "TimeTicks") MacAddress, DateAndTime, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "DateAndTime", "TextualConvention", "DisplayString") etsysThreatNotificationMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45)) etsysThreatNotificationMIB.setRevisions(('2005-09-14 13:14', '2005-02-11 15:14', '2004-07-19 17:58', '2004-03-10 15:47',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: etsysThreatNotificationMIB.setRevisionsDescriptions(('Added the etsysThreatResponseNotificationMessage notification.', 'Added the etsysThreatNotificationIncidentID object and the etsysThreatUndoNotificationMessage notification.', 'Added the etsysThreatNotificationInitiatorMacAddress object and the etsysThreatNotificationInformationMessage4 notification.', 'The initial version of this MIB module.',)) if mibBuilder.loadTexts: etsysThreatNotificationMIB.setLastUpdated('200509141314Z') if mibBuilder.loadTexts: etsysThreatNotificationMIB.setOrganization('Enterasys Networks, Inc') if mibBuilder.loadTexts: etsysThreatNotificationMIB.setContactInfo('Postal: Enterasys Networks 50 Minuteman Rd. Andover, MA 01810-1008 USA Phone: +1 978 684 1000 E-mail: [email protected] WWW: http://www.enterasys.com') if mibBuilder.loadTexts: etsysThreatNotificationMIB.setDescription("This MIB module defines the portion of the SNMP enterprise MIBs under Enterasys Networks' enterprise OID pertaining to the Threat Notification feature.") etsysThreatNotificationObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1)) etsysThreatNotificationNotificationBranch = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0)) etsysThreatNotificationSystemBranch = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1)) etsysThreatNotificationSenderID = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationSenderID.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationSenderID.setDescription("A name that identifies a sender or group of senders. ie. 'Dragon IDS', ACME IDS', 'VIRUS SCAN', 'DRAGON1', 'DRAGON2'") etsysThreatNotificationSenderName = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationSenderName.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationSenderName.setDescription('The name of the sensor that discovered the threat.') etsysThreatNotificationThreatCategory = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationThreatCategory.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationThreatCategory.setDescription('A name that identifies a group of threat types.') etsysThreatNotificationThreatName = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationThreatName.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationThreatName.setDescription('The name of the signature that detected the threat.') etsysThreatNotificationDeviceAddressType = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 5), InetAddressType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationDeviceAddressType.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationDeviceAddressType.setDescription('The address type of the device where the initiator of the threat was detected.') etsysThreatNotificationDeviceAddress = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 6), InetAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationDeviceAddress.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationDeviceAddress.setDescription('The address of the device where the initiator of the threat was detected.') etsysThreatNotificationDeviceIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 7), InterfaceIndex()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationDeviceIfIndex.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationDeviceIfIndex.setDescription('The interface where the initiator was detected.') etsysThreatNotificationInitiatorAddressType = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 8), InetAddressType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationInitiatorAddressType.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInitiatorAddressType.setDescription('The address type of the endstation that initiated the threat.') etsysThreatNotificationInitiatorAddress = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 9), InetAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationInitiatorAddress.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInitiatorAddress.setDescription('The address of the endstation that initiated the threat.') etsysThreatNotificationTargetAddressType = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 10), InetAddressType()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationTargetAddressType.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationTargetAddressType.setDescription('The address type of the endstation that is threatened.') etsysThreatNotificationTargetAddress = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 11), InetAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationTargetAddress.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationTargetAddress.setDescription('The address of the endstation that is threatened.') etsysThreatNotificationConsolidatedData = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 1024))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationConsolidatedData.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationConsolidatedData.setDescription("The purpose of this object is to support devices that can only send single varbind notification messages and should only be used in conjunction with etsysThreatNotificationInformationMessage3. The data should be encoded in the following format: object1='data' object2='data' object3='data' ... Here is an example: etsysThreatNotificationSenderID='dragon' etsysThreatNotificationSenderName='dragon' etsysThreatNotificationThreatCategory='ATTACKS' etsysThreatNotificationThreatName='HOST:APACHE:ETC-PASSWD' etsysThreatNotificationInitiatorAddress='1.1.1.1' etsysThreatNotificationTargetAddress='2.2.2.2' ") etsysThreatNotificationInitiatorMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 13), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationInitiatorMacAddress.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInitiatorMacAddress.setDescription('The MAC address of the endstation that is threatened.') etsysThreatNotificationIncidentID = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 14), Integer32()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationIncidentID.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationIncidentID.setDescription('The incident ID of an event. Used by etsysThreatUndoNotificationMessage to undo an action.') etsysThreatNotificationStatus = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationStatus.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationStatus.setDescription('The status of an event. Used by etsysThreatResponseNotificationMessage.') etsysThreatNotificationDetails = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationDetails.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationDetails.setDescription('The details of an event. Used by etsysThreatResponseNotificationMessage.') etsysThreatNotificationAction = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationAction.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationAction.setDescription('The action taken in response to an incident. Used by etsysThreatResponseNotificationMessage.') etsysThreatNotificationRuleName = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationRuleName.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationRuleName.setDescription('The name of the rule that was applied to this incident. Used by etsysThreatResponseNotificationMessage.') etsysThreatNotificationDateTime = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 19), DateAndTime()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationDateTime.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationDateTime.setDescription('The date and time the incident was received. Used by etsysThreatResponseNotificationMessage.') etsysThreatNotificationLastUpdated = MibScalar((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 1, 20), DateAndTime()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: etsysThreatNotificationLastUpdated.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationLastUpdated.setDescription('The date and time the event was last updated. Used by etsysThreatResponseNotificationMessage.') etsysThreatNotificationInformationMessage1 = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0, 1)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatCategory"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddress")) if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage1.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage1.setDescription('An etsysThreatNotificationInformationMessage1 indicates that a potential threat has been identified. This trap should be generated when the IP address of the source of the threat is known, but not the device and interface. (etsysThreatNotificationSenderName and etsysThreatNotificationTargetAddress are optional objects)') etsysThreatNotificationInformationMessage2 = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0, 2)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatCategory"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddress")) if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage2.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage2.setDescription('An etsysThreatNotificationInformationMessage2 indicates that a potential threat has been identified. This trap should be generated when the device and interface of the threat is known, but the IP address of the source may or may not be known. (etsysThreatNotificationSenderName, etsysThreatNotificationInitiatorAddress and etsysThreatNotificationTargetAddress are optional objects)') etsysThreatNotificationInformationMessage3 = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0, 3)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationConsolidatedData")) if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage3.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage3.setDescription('The purpose of etsysThreatNotificationInformationMessage3 is to support devices that can only send single varbind notifications. See etsysThreatNotificationConsolidatedData for more details.') etsysThreatNotificationInformationMessage4 = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0, 4)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatCategory"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorMacAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddress")) if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage4.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationInformationMessage4.setDescription('An etsysThreatNotificationInformationMessage4 indicates that a potential threat has been identified. This trap should be generated when the device and interface of the threat is known, but the IP address of the source may or may not be known. (etsysThreatNotificationSenderName, etsysThreatNotificationInitiatorAddress and etsysThreatNotificationTargetAddress are optional objects)') etsysThreatUndoNotificationMessage = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0, 5)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationIncidentID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorMacAddress")) if mibBuilder.loadTexts: etsysThreatUndoNotificationMessage.setStatus('current') if mibBuilder.loadTexts: etsysThreatUndoNotificationMessage.setDescription('An etsysThreatUndoNotificationMessage indicates that a potential threat that had been identified has been resolved. When this message is received, if a user was quarantined, the action should be undone.') etsysThreatResponseNotificationMessage = NotificationType((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 1, 0, 6)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationIncidentID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationStatus"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDateTime"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatCategory"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorMacAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationRuleName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationAction"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDetails"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationLastUpdated")) if mibBuilder.loadTexts: etsysThreatResponseNotificationMessage.setStatus('current') if mibBuilder.loadTexts: etsysThreatResponseNotificationMessage.setDescription('An etsysThreatResponseNotificationMessage indicates that a potential threat that had been identified has been acted upon. When this message is received, a user was either quarantined, or the action was undone.') etsysThreatNotificationConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2)) etsysThreatNotificationGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1)) etsysThreatNotificationCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 2)) etsysThreatNotificationMessage1SystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 1)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatCategory"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationTargetAddress")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage1SystemGroup = etsysThreatNotificationMessage1SystemGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage1SystemGroup.setDescription('A collection of objects required for etsysThreatNotificationMessage1 providing information about possible threats on a network.') etsysThreatNotificationMessage2SystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 2)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage2SystemGroup = etsysThreatNotificationMessage2SystemGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage2SystemGroup.setDescription('A collection of objects required for etsysThreatNotificationMessage2 providing information about possible threats on a network.') etsysThreatNotificationMessage3SystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 3)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationConsolidatedData")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage3SystemGroup = etsysThreatNotificationMessage3SystemGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage3SystemGroup.setDescription('A collection of objects required for etsysThreatNotificationMessage3 providing information about possible threats on a network.') etsysThreatNotificationMessage1Group = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 4)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInformationMessage1")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage1Group = etsysThreatNotificationMessage1Group.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage1Group.setDescription('A collection of notifications used to alert a management application of possible threats on a network.') etsysThreatNotificationMessage2Group = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 5)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInformationMessage2")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage2Group = etsysThreatNotificationMessage2Group.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage2Group.setDescription('A collection of notifications used to alert a management application of possible threats on a network.') etsysThreatNotificationMessage3Group = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 6)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInformationMessage3")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage3Group = etsysThreatNotificationMessage3Group.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage3Group.setDescription('A collection of notifications used to alert a management application of possible threats on a network.') etsysThreatNotificationMessage4SystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 7)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorMacAddress")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage4SystemGroup = etsysThreatNotificationMessage4SystemGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage4SystemGroup.setDescription('A collection of objects required for etsysThreatNotificationMessage4 providing information about possible threats on a network.') etsysThreatNotificationMessage4Group = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 8)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInformationMessage4")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationMessage4Group = etsysThreatNotificationMessage4Group.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationMessage4Group.setDescription('A collection of notifications used to alert a management application of possible threats on a network.') etsysThreatUndoNotificationMessageSystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 9)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationIncidentID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorMacAddress")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatUndoNotificationMessageSystemGroup = etsysThreatUndoNotificationMessageSystemGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatUndoNotificationMessageSystemGroup.setDescription('A collection of objects required for etsysThreatUndoNotificationMessage providing information about possible threats on a network.') etsysThreatUndoNotificationMessageGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 10)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatUndoNotificationMessage")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatUndoNotificationMessageGroup = etsysThreatUndoNotificationMessageGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatUndoNotificationMessageGroup.setDescription('A collection of notifications used to alert a management application of possible threats on a network.') etsysThreatResponseNotificationMessageSystemGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 11)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationIncidentID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationStatus"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDateTime"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderID"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationSenderName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatCategory"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationThreatName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationInitiatorMacAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddressType"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceAddress"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDeviceIfIndex"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationRuleName"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationAction"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationDetails"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationLastUpdated")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatResponseNotificationMessageSystemGroup = etsysThreatResponseNotificationMessageSystemGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatResponseNotificationMessageSystemGroup.setDescription('A collection of objects required for etsysThreatResponseNotificationMessage providing information about possible threats on a network.') etsysThreatResponseNotificationMessageGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 1, 12)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatResponseNotificationMessage")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatResponseNotificationMessageGroup = etsysThreatResponseNotificationMessageGroup.setStatus('current') if mibBuilder.loadTexts: etsysThreatResponseNotificationMessageGroup.setDescription('A collection of notifications used to alert a management application of possible threats on a network.') etsysThreatNotificationCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 5624, 1, 2, 45, 2, 2, 1)).setObjects(("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage1SystemGroup"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage2SystemGroup"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage3SystemGroup"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage4SystemGroup"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage1Group"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage2Group"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage3Group"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatNotificationMessage4Group"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatUndoNotificationMessageSystemGroup"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatUndoNotificationMessageGroup"), ("ENTERASYS-THREAT-NOTIFICATION-MIB", "etsysThreatResponseNotificationMessageGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): etsysThreatNotificationCompliance = etsysThreatNotificationCompliance.setStatus('current') if mibBuilder.loadTexts: etsysThreatNotificationCompliance.setDescription('The compliance statement for devices that support threat notifications.') mibBuilder.exportSymbols("ENTERASYS-THREAT-NOTIFICATION-MIB", etsysThreatNotificationInitiatorAddress=etsysThreatNotificationInitiatorAddress, etsysThreatNotificationThreatCategory=etsysThreatNotificationThreatCategory, etsysThreatNotificationDeviceAddressType=etsysThreatNotificationDeviceAddressType, etsysThreatNotificationMessage1Group=etsysThreatNotificationMessage1Group, etsysThreatNotificationInformationMessage2=etsysThreatNotificationInformationMessage2, etsysThreatNotificationStatus=etsysThreatNotificationStatus, etsysThreatNotificationDateTime=etsysThreatNotificationDateTime, etsysThreatNotificationInformationMessage3=etsysThreatNotificationInformationMessage3, etsysThreatNotificationGroups=etsysThreatNotificationGroups, etsysThreatResponseNotificationMessage=etsysThreatResponseNotificationMessage, etsysThreatNotificationConsolidatedData=etsysThreatNotificationConsolidatedData, etsysThreatNotificationMessage4Group=etsysThreatNotificationMessage4Group, etsysThreatNotificationInformationMessage1=etsysThreatNotificationInformationMessage1, etsysThreatNotificationAction=etsysThreatNotificationAction, etsysThreatNotificationSenderID=etsysThreatNotificationSenderID, etsysThreatNotificationMessage2Group=etsysThreatNotificationMessage2Group, etsysThreatUndoNotificationMessage=etsysThreatUndoNotificationMessage, etsysThreatNotificationTargetAddress=etsysThreatNotificationTargetAddress, etsysThreatNotificationDeviceAddress=etsysThreatNotificationDeviceAddress, etsysThreatNotificationRuleName=etsysThreatNotificationRuleName, etsysThreatNotificationCompliances=etsysThreatNotificationCompliances, etsysThreatNotificationMessage1SystemGroup=etsysThreatNotificationMessage1SystemGroup, etsysThreatUndoNotificationMessageSystemGroup=etsysThreatUndoNotificationMessageSystemGroup, etsysThreatNotificationSystemBranch=etsysThreatNotificationSystemBranch, etsysThreatNotificationTargetAddressType=etsysThreatNotificationTargetAddressType, etsysThreatNotificationObjects=etsysThreatNotificationObjects, etsysThreatNotificationMessage4SystemGroup=etsysThreatNotificationMessage4SystemGroup, etsysThreatNotificationCompliance=etsysThreatNotificationCompliance, etsysThreatNotificationInitiatorMacAddress=etsysThreatNotificationInitiatorMacAddress, etsysThreatResponseNotificationMessageGroup=etsysThreatResponseNotificationMessageGroup, etsysThreatNotificationSenderName=etsysThreatNotificationSenderName, etsysThreatNotificationDetails=etsysThreatNotificationDetails, etsysThreatUndoNotificationMessageGroup=etsysThreatUndoNotificationMessageGroup, etsysThreatNotificationLastUpdated=etsysThreatNotificationLastUpdated, etsysThreatNotificationNotificationBranch=etsysThreatNotificationNotificationBranch, etsysThreatNotificationDeviceIfIndex=etsysThreatNotificationDeviceIfIndex, etsysThreatNotificationMIB=etsysThreatNotificationMIB, etsysThreatNotificationMessage2SystemGroup=etsysThreatNotificationMessage2SystemGroup, etsysThreatResponseNotificationMessageSystemGroup=etsysThreatResponseNotificationMessageSystemGroup, etsysThreatNotificationMessage3SystemGroup=etsysThreatNotificationMessage3SystemGroup, etsysThreatNotificationConformance=etsysThreatNotificationConformance, etsysThreatNotificationInitiatorAddressType=etsysThreatNotificationInitiatorAddressType, etsysThreatNotificationMessage3Group=etsysThreatNotificationMessage3Group, etsysThreatNotificationInformationMessage4=etsysThreatNotificationInformationMessage4, etsysThreatNotificationIncidentID=etsysThreatNotificationIncidentID, etsysThreatNotificationThreatName=etsysThreatNotificationThreatName, PYSNMP_MODULE_ID=etsysThreatNotificationMIB)
# from posixpath import split # import PyPDF2 # import os # pdfName = input("unsplit PDF file name/path (Example.pdf): ") # try: # with open(pdfName, 'rb') as pdfFile: # print("วิชา math2 การบ้านครั้งที่ 0 กลุ่ม 99 ลำดับที่ 00 ส่งปี 60 เดือน 01 วันที่ 01") # newName = input("new file name/path (math2 hw00 b99 00 600101): ") # splitName = newName.split(' ') # pdfReader = PyPDF2.PdfFileReader(pdfFile) # for pageNum in range(pdfReader.numPages): # pdfWriter = PyPDF2.PdfFileWriter() # if(pageNum < 10): # splitName.insert(2, "p0" + str(pageNum + 1)) # else: # splitName.insert(2, "p" + str(pageNum + 1)) # finalName = ' '.join(splitName) # pdfWriter.addPage(pdfReader.getPage(pageNum)) # with open(finalName + ".pdf", 'wb') as newFile: # pdfWriter.write(newFile) # newFile.close() # print("file " + finalName + ".pdf created") # splitName.pop(2) # print("PDF file splited successfully") # except FileNotFoundError as e: # print("File not found") # exit() newName ="math2 hw00 b99 00 600101" print(len(newName.split(' ')))
def quick_sort(items): if len(items) > 1: pivot_index = 0 smaller_items = [] larger_items = [] for i, val in enumerate(items): if i != pivot_index: if val < items[pivot_index]: smaller_items.append(val) else: larger_items.append(val) quick_sort(smaller_items) quick_sort(larger_items) items[:] = (smaller_items+ [items[pivot_index]]+larger_items) def f(n): #quick_sort sort worst case quick_sort(range(n,0,-1))
def test_one(camera): assert "camera" in globals() or "camera" in locals() """def test_two(self): camera.start_mjpg_streamer() assert camera.check_mjpg_streamer()""" """def test_three(self): camera.stop_mjpg_streamer() assert not camera.check_mjpg_streamer()""" """def test_four(self): fname = camera.record_video() assert os.path.isfile(fname)""" def test_five(camera): capture = str(camera) assert ( capture == "Video Length: 30, Resolution: (640, 480), Save Location: /home/pi/Videos/, YouTube Livestream Link: https://youtube.com/watch?v=ISU7pYXEfuE, YouTube Playlist Link: https://youtube.com/playlist?list=PLTdMMnsiEwSnKNWdLlAEJNiyHgG02ECXN" ) def test_six(camera): camera.set_video_length(10) assert camera.get_video_length() == 10 def test_seven(camera): camera.set_resolution(1) assert camera.get_resolution() == "(1296, 730)" def test_eight(camera): camera.set_save_location("/home/pi/Pictures/") assert camera.get_save_location() == "/home/pi/Pictures/"
""" Differences between alpa.parallelize and jax.pmap ================================================= The most common tool for parallelization or distributed computing in jax is `pmap <https://jax.readthedocs.io/en/latest/jax.html#parallelization-pmap>`_. With several lines of code change, we can use ``pmap`` for data parallel training. However, we cannot use ``pmap`` for model parallel training, which is required for training large models with billions of parameters. On the contrary, ``alpa.parallelize`` supports both data parallelism and model parallelism in an automatic way. ``alpa.parallelize`` analyzes the jax computational graph and picks the best strategy. If data parallelism is more suitable, ``alpa.parallelize`` achieves the same performance as ``pmap`` but with less code change. If model parallelism is more suitable, ``alpa.parallelize`` achieves better performance and uses less memory than ``pmap``. In this tutorial, we are going to compare ``alpa.parallelize`` and ``pmap`` on two workloads. A more detailed comparison among ``alpa.parallelize``, ``pmap``, and ``xmap`` is also attached at the end of the article. """ ################################################################################ # When data parallelism is prefered # --------------------------------- # TODO ################################################################################ # When model parallelism is prefered # ---------------------------------- # TODO ################################################################################ # Comparing ``alpa.parallelize``, ``pmap``, and ``xmap`` # ------------------------------------------------------ # Besides ``pmap``, jax also provides # `xmap <https://jax.readthedocs.io/en/latest/notebooks/xmap_tutorial.html>`_ # for more advanced parallelization. # The table below compares the features of ``alpa.parallelize``, ``pmap``, and ``xmap``. # In summary, ``alpa.parallelize`` supports more parallelism techniques in a # more automatic way. # # ================ ================ ==================== ==================== ========= # Transformation Data Parallelism Operator Parallelism Pipeline Parallelism Automated # ================ ================ ==================== ==================== ========= # alpa.parallelize yes yes yes yes # pmap yes no no no # xmap yes yes no no # ================ ================ ==================== ==================== ========= # # .. note:: # Operator parallelism and pipeline parallelism are two forms of model parallelism. # Operator parallelism partitions the work in a single operator and assigns them # to different devices. Pipeline parallelism partitions the computational # graphs and assigns different operators to different devices.
''' #params: 9104483 [1] train-result=0.4161, valid-result=0.4865 [62.0 s] [2] train-result=0.5830, valid-result=0.5648 [67.0 s] [3] train-result=0.6017, valid-result=0.5805 [67.7 s] [4] train-result=0.6100, valid-result=0.5874 [73.3 s] [5] train-result=0.6135, valid-result=0.5911 [66.8 s] [6] train-result=0.6151, valid-result=0.5925 [75.0 s] [7] train-result=0.6159, valid-result=0.5928 [61.3 s] [8] train-result=0.6182, valid-result=0.5936 [54.1 s] [9] train-result=0.6205, valid-result=0.5954 [57.8 s] [10] train-result=0.6244, valid-result=0.5982 [53.6 s] [11] train-result=0.6288, valid-result=0.6014 [57.9 s] [12] train-result=0.6337, valid-result=0.6048 [59.7 s] [13] train-result=0.6388, valid-result=0.6080 [60.6 s] [14] train-result=0.6424, valid-result=0.6103 [62.0 s] [15] train-result=0.6502, valid-result=0.6152 [60.1 s] loss_type: mse #params: 9104483 [1] train-result=0.4295, valid-result=0.4837 [69.2 s] [2] train-result=0.5957, valid-result=0.5753 [59.7 s] [3] train-result=0.6080, valid-result=0.5857 [67.5 s] [4] train-result=0.6119, valid-result=0.5884 [58.9 s] [5] train-result=0.6130, valid-result=0.5891 [59.7 s] [6] train-result=0.6145, valid-result=0.5900 [55.2 s] [7] train-result=0.6149, valid-result=0.5900 [57.1 s] [8] train-result=0.6162, valid-result=0.5910 [55.3 s] [9] train-result=0.6181, valid-result=0.5926 [57.5 s] [10] train-result=0.6222, valid-result=0.5956 [56.6 s] [11] train-result=0.6266, valid-result=0.5983 [54.8 s] [12] train-result=0.6333, valid-result=0.6030 [56.9 s] [13] train-result=0.6371, valid-result=0.6060 [59.3 s] [14] train-result=0.6465, valid-result=0.6114 [55.2 s] [15] train-result=0.6542, valid-result=0.6164 [72.1 s] loss_type: mse #params: 9104483 [1] train-result=0.4421, valid-result=0.4958 [64.7 s] [2] train-result=0.5886, valid-result=0.5707 [62.8 s] [3] train-result=0.6054, valid-result=0.5848 [55.7 s] [4] train-result=0.6114, valid-result=0.5894 [58.7 s] [5] train-result=0.6131, valid-result=0.5905 [54.4 s] [6] train-result=0.6140, valid-result=0.5909 [55.4 s] [7] train-result=0.6146, valid-result=0.5910 [55.6 s] [8] train-result=0.6153, valid-result=0.5916 [56.9 s] [9] train-result=0.6166, valid-result=0.5922 [55.2 s] [10] train-result=0.6175, valid-result=0.5931 [55.2 s] [11] train-result=0.6203, valid-result=0.5948 [56.5 s] [12] train-result=0.6239, valid-result=0.5973 [55.6 s] [13] train-result=0.6280, valid-result=0.5996 [55.3 s] [14] train-result=0.6347, valid-result=0.6039 [56.7 s] [15] train-result=0.6400, valid-result=0.6069 [60.3 s] DeepFM: 0.61286 (0.00420) loss_type: mse #params: 9104451 [1] train-result=0.5965, valid-result=0.5804 [40.9 s] [2] train-result=0.6099, valid-result=0.5899 [52.4 s] [3] train-result=0.6127, valid-result=0.5910 [43.3 s] [4] train-result=0.6138, valid-result=0.5915 [40.9 s] [5] train-result=0.6145, valid-result=0.5917 [43.3 s] [6] train-result=0.6152, valid-result=0.5923 [39.4 s] [7] train-result=0.6164, valid-result=0.5932 [39.3 s] [8] train-result=0.6172, valid-result=0.5937 [40.5 s] [9] train-result=0.6183, valid-result=0.5943 [41.3 s] [10] train-result=0.6196, valid-result=0.5950 [39.7 s] [11] train-result=0.6211, valid-result=0.5963 [40.1 s] [12] train-result=0.6237, valid-result=0.5984 [41.4 s] [13] train-result=0.6266, valid-result=0.6000 [39.6 s] [14] train-result=0.6291, valid-result=0.6018 [41.3 s] [15] train-result=0.6340, valid-result=0.6048 [44.0 s] loss_type: mse #params: 9104451 [1] train-result=0.5979, valid-result=0.5790 [40.4 s] [2] train-result=0.6105, valid-result=0.5883 [40.8 s] [3] train-result=0.6131, valid-result=0.5899 [44.7 s] [4] train-result=0.6144, valid-result=0.5904 [45.9 s] [5] train-result=0.6154, valid-result=0.5910 [40.0 s] [6] train-result=0.6155, valid-result=0.5914 [45.2 s] [7] train-result=0.6159, valid-result=0.5914 [41.0 s] [8] train-result=0.6164, valid-result=0.5917 [40.3 s] [9] train-result=0.6173, valid-result=0.5924 [40.3 s] [10] train-result=0.6178, valid-result=0.5926 [42.8 s] [11] train-result=0.6191, valid-result=0.5939 [40.3 s] [12] train-result=0.6207, valid-result=0.5948 [40.7 s] [13] train-result=0.6226, valid-result=0.5959 [42.1 s] [14] train-result=0.6248, valid-result=0.5973 [41.3 s] [15] train-result=0.6285, valid-result=0.5995 [40.2 s] loss_type: mse #params: 9104451 [1] train-result=0.5973, valid-result=0.5806 [42.2 s] [2] train-result=0.6105, valid-result=0.5897 [40.4 s] [3] train-result=0.6128, valid-result=0.5907 [40.5 s] [4] train-result=0.6135, valid-result=0.5910 [44.8 s] [5] train-result=0.6145, valid-result=0.5915 [55.9 s] [6] train-result=0.6153, valid-result=0.5915 [52.3 s] [7] train-result=0.6157, valid-result=0.5920 [61.5 s] [8] train-result=0.6168, valid-result=0.5927 [43.7 s] [9] train-result=0.6175, valid-result=0.5934 [40.2 s] [10] train-result=0.6178, valid-result=0.5934 [42.0 s] [11] train-result=0.6193, valid-result=0.5946 [39.6 s] [12] train-result=0.6208, valid-result=0.5957 [39.6 s] [13] train-result=0.6221, valid-result=0.5968 [47.1 s] [14] train-result=0.6243, valid-result=0.5981 [43.0 s] [15] train-result=0.6267, valid-result=0.5997 [39.6 s] FM: 0.60133 (0.00242) loss_type: mse #params: 9104425 [1] train-result=0.1648, valid-result=0.1745 [57.5 s] [2] train-result=0.4155, valid-result=0.4452 [59.1 s] [3] train-result=0.4935, valid-result=0.4979 [65.0 s] [4] train-result=0.5237, valid-result=0.5180 [52.8 s] [5] train-result=0.5327, valid-result=0.5296 [50.7 s] [6] train-result=0.5493, valid-result=0.5416 [60.6 s] [7] train-result=0.5597, valid-result=0.5475 [52.9 s] [8] train-result=0.5666, valid-result=0.5524 [62.7 s] [9] train-result=0.5747, valid-result=0.5564 [102.9 s] [10] train-result=0.5836, valid-result=0.5637 [69.1 s] [11] train-result=0.5908, valid-result=0.5681 [55.8 s] [12] train-result=0.5961, valid-result=0.5709 [53.2 s] [13] train-result=0.5980, valid-result=0.5725 [63.2 s] [14] train-result=0.6051, valid-result=0.5776 [50.6 s] [15] train-result=0.6061, valid-result=0.5790 [52.0 s] loss_type: mse #params: 9104425 [1] train-result=0.0640, valid-result=0.1002 [56.9 s] [2] train-result=0.2638, valid-result=0.2888 [57.5 s] [3] train-result=0.3377, valid-result=0.3526 [53.8 s] [4] train-result=0.3828, valid-result=0.3819 [63.9 s] [5] train-result=0.3974, valid-result=0.3974 [53.9 s] [6] train-result=0.4353, valid-result=0.4229 [54.9 s] [7] train-result=0.4431, valid-result=0.4328 [59.3 s] [8] train-result=0.4642, valid-result=0.4464 [54.6 s] [9] train-result=0.4857, valid-result=0.4684 [83.4 s] [10] train-result=0.4965, valid-result=0.4776 [60.9 s] [11] train-result=0.5191, valid-result=0.4969 [57.4 s] [12] train-result=0.5353, valid-result=0.5143 [54.1 s] [13] train-result=0.5505, valid-result=0.5262 [52.7 s] [14] train-result=0.5683, valid-result=0.5394 [54.1 s] [15] train-result=0.5769, valid-result=0.5476 [51.4 s] loss_type: mse #params: 9104425 [1] train-result=0.1098, valid-result=0.1489 [53.3 s] [2] train-result=0.3042, valid-result=0.3648 [59.7 s] [3] train-result=0.3580, valid-result=0.3976 [56.5 s] [4] train-result=0.3922, valid-result=0.4159 [52.9 s] [5] train-result=0.4178, valid-result=0.4300 [59.8 s] [6] train-result=0.4278, valid-result=0.4370 [51.2 s] [7] train-result=0.4512, valid-result=0.4546 [51.2 s] [8] train-result=0.4678, valid-result=0.4655 [53.1 s] [9] train-result=0.4870, valid-result=0.4765 [50.5 s] [10] train-result=0.5119, valid-result=0.4918 [51.5 s] [11] train-result=0.5314, valid-result=0.5102 [52.9 s] [12] train-result=0.5468, valid-result=0.5204 [50.8 s] [13] train-result=0.5627, valid-result=0.5342 [53.7 s] [14] train-result=0.5693, valid-result=0.5408 [50.7 s] [15] train-result=0.5882, valid-result=0.5570 [54.7 s] DNN: 0.56009 (0.01382) '''
"""Load dependencies needed to compile the protobuf library as a 3rd-party consumer.""" load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") PROTOBUF_MAVEN_ARTIFACTS = [ "com.google.code.findbugs:jsr305:3.0.2", "com.google.code.gson:gson:2.8.9", "com.google.errorprone:error_prone_annotations:2.3.2", "com.google.j2objc:j2objc-annotations:1.3", "com.google.guava:guava:30.1.1-jre", "com.google.guava:guava-testlib:30.1.1-jre", "com.google.truth:truth:1.1.2", "junit:junit:4.12", "org.mockito:mockito-core:4.3.1", ] def protobuf_deps(): """Loads common dependencies needed to compile the protobuf library.""" if not native.existing_rule("bazel_skylib"): http_archive( name = "bazel_skylib", sha256 = "97e70364e9249702246c0e9444bccdc4b847bed1eb03c5a3ece4f83dfe6abc44", urls = [ "https://mirror.bazel.build/github.com/bazelbuild/bazel-skylib/releases/download/1.0.2/bazel-skylib-1.0.2.tar.gz", "https://github.com/bazelbuild/bazel-skylib/releases/download/1.0.2/bazel-skylib-1.0.2.tar.gz", ], ) if not native.existing_rule("zlib"): http_archive( name = "zlib", build_file = Label("//:third_party/zlib.BUILD"), sha256 = "629380c90a77b964d896ed37163f5c3a34f6e6d897311f1df2a7016355c45eff", strip_prefix = "zlib-1.2.11", urls = ["https://github.com/madler/zlib/archive/v1.2.11.tar.gz"], ) if not native.existing_rule("rules_cc"): http_archive( name = "rules_cc", sha256 = "9d48151ea71b3e225adfb6867e6d2c7d0dce46cbdc8710d9a9a628574dfd40a0", strip_prefix = "rules_cc-818289e5613731ae410efb54218a4077fb9dbb03", urls = ["https://github.com/bazelbuild/rules_cc/archive/818289e5613731ae410efb54218a4077fb9dbb03.tar.gz"], ) if not native.existing_rule("rules_java"): http_archive( name = "rules_java", sha256 = "f5a3e477e579231fca27bf202bb0e8fbe4fc6339d63b38ccb87c2760b533d1c3", strip_prefix = "rules_java-981f06c3d2bd10225e85209904090eb7b5fb26bd", urls = ["https://github.com/bazelbuild/rules_java/archive/981f06c3d2bd10225e85209904090eb7b5fb26bd.tar.gz"], ) if not native.existing_rule("rules_proto"): http_archive( name = "rules_proto", sha256 = "a4382f78723af788f0bc19fd4c8411f44ffe0a72723670a34692ffad56ada3ac", strip_prefix = "rules_proto-f7a30f6f80006b591fa7c437fe5a951eb10bcbcf", urls = ["https://github.com/bazelbuild/rules_proto/archive/f7a30f6f80006b591fa7c437fe5a951eb10bcbcf.zip"], ) if not native.existing_rule("rules_python"): http_archive( name = "rules_python", sha256 = "b6d46438523a3ec0f3cead544190ee13223a52f6a6765a29eae7b7cc24cc83a0", urls = ["https://github.com/bazelbuild/rules_python/releases/download/0.1.0/rules_python-0.1.0.tar.gz"], ) if not native.existing_rule("rules_jvm_external"): http_archive( name = "rules_jvm_external", sha256 = "744bd7436f63af7e9872948773b8b106016dc164acb3960b4963f86754532ee7", strip_prefix = "rules_jvm_external-906875b0d5eaaf61a8ca2c9c3835bde6f435d011", urls = ["https://github.com/bazelbuild/rules_jvm_external/archive/906875b0d5eaaf61a8ca2c9c3835bde6f435d011.zip"], ) if not native.existing_rule("rules_pkg"): http_archive( name = "rules_pkg", urls = [ "https://mirror.bazel.build/github.com/bazelbuild/rules_pkg/releases/download/0.5.1/rules_pkg-0.5.1.tar.gz", "https://github.com/bazelbuild/rules_pkg/releases/download/0.5.1/rules_pkg-0.5.1.tar.gz", ], sha256 = "a89e203d3cf264e564fcb96b6e06dd70bc0557356eb48400ce4b5d97c2c3720d", ) if not native.existing_rule("io_bazel_rules_kotlin"): http_archive( name = "io_bazel_rules_kotlin", urls = ["https://github.com/bazelbuild/rules_kotlin/releases/download/v1.5.0-beta-4/rules_kotlin_release.tgz"], sha256 = "6cbd4e5768bdfae1598662e40272729ec9ece8b7bded8f0d2c81c8ff96dc139d", )
def search(min_, max_, els, dec, inc): for c in els: if c == dec: max_ = (min_+max_)/2 elif c == inc: min_ = (min_+max_)/2 return min_ def getid(card): l = search(0, 128, card[:7], 'F', 'B') c = search(0, 8, card[7:], 'L', 'R') return l, c with open('input.txt', 'r') as file: cards = file.read().split('\n') plane = [[0]*8 for __ in range(128)] for card in cards: l, c = map(int, getid(card)) plane[l][c] = 1 for i, l in enumerate(plane): for j, c in enumerate(l): if not c: print(i,j, i*8+j)
# Binary search recursive version def rec_binary_search(arr, ele): if len(arr) == 0: return False else: mid = int(len(arr)/2) if arr[mid] == ele: return True else: if ele < arr[mid]: return rec_binary_search(arr[:mid], ele) else: return rec_binary_search(arr[mid+1:], ele) # Binary search iteration version def binary_search(arr, ele): first = 0 last = len(arr)-1 found = False while first <= last and not found: mid = int((first+last)/2) if arr[mid] == ele: found = True else: if ele < arr[mid]: last = int(mid-1) else: first = int(mid+1) return found
# "sequence.replaceSelection": true BASE_EMOTICONS = [ u":)", u":-)", u":))", u":-))", u":)))", u":-)))", u"(:", u"(-:", u"=)", u"(=", u":]", u":-]", u"[:", u"[-:", u":o)", u"(o:", u":}", u":-}", u"8)", u"8-)", u"(-8", u";)", u";-)", u"(;", u"(-;", u":(", u":-(", u":((", u":-((", u":(((", u":-(((", u"):", u")-:", u"=(", u">:(", u":')", u":'-)", u":'(", u":'-(", u":/", u":-/", u"=/", u"=|", u":|", u":-|", u":1", u":P", u":-P", u":p", u":-p", u":O", u":-O", u":o", u":-o", u":0", u":-0", u":()", u">:o", u":*", u":-*", u":3", u":-3", u"=3", u":>", u":->", u":X", u":-X", u":x", u":-x", u":D", u":-D", u";D", u";-D", u"=D", u"xD", u"XD", u"xDD", u"XDD", u"8D", u"8-D", u"^_^", u"^__^", u"^___^", u">.<", u">.>", u"<.<", u"._.", u";_;", u"-_-", u"-__-", u"v.v", u"V.V", u"v_v", u"V_V", u"o_o", u"o_O", u"O_o", u"O_O", u"0_o", u"o_0", u"0_0", u"o.O", u"O.o", u"O.O", u"o.o", u"0.0", u"o.0", u"0.o", u"@_@", u"<3", u"<33", u"<333", u"</3", u"(^_^)", u"(-_-)", u"(._.)", u"(>_<)", u"(*_*)", u"(¬_¬)", u"ಠ_ಠ", u"ಠ︵ಠ", u"(ಠ_ಠ)", u"¯\(ツ)/¯", u"(╯°□°)╯︵┻━┻", u"><(((*>" ]
class CabernetException(Exception): def __init__(self, value): self.value = value def __str__(self): return 'CabernetException: %s' % self.value
def get_coordinate(record): pass def convert_coordinate(coordinate): pass def compare_records(azara_record, rui_record): pass def create_record(azara_record, rui_record): pass def clean_up(combined_record_group): pass
# This object is created to carry along the variables of interest for display purposes class RegObject: def __init__(self, res_list, interest, controls): self.res = res_list self.variables_of_interest = list(dict.fromkeys([x.lower() for x in interest])) # This avoids errors in the formatter to make sure that there is no overlap of variables of # interest and control variables self.controls = [] for item in list(dict.fromkeys([x.lower() for x in controls])): if item not in self.variables_of_interest: self.controls.append(item) # creating a unique list of all parameters used in all of the specifications that are grouped together in case # they are not specified as interest or control variables. I will treat all variables not specified as a # variable of interest as a control variable for presentation purposes. for output in self.res: for var in output.param_names: if var not in self.variables_of_interest and var not in self.controls and "." not in var and var != "_cons": self.controls.append(var) def print_res(self, file_dir): with open(file_dir, 'w') as f: for item in self.res: f.write(str(item))
# -*- coding: utf-8 -*- def devices_info_all(pushbots): return pushbots.devices_info_all() def device_info(pushbots, token): return pushbots.device_info(token=token)
def determine_config_type(config_parser): '''Determines the type of a ceph.conf file and returns it. Args: config_parser (configparser): Parser object with read in ceph.conf to check. Returns: rados_deploy.StorageType of the ceph.conf.''' if 'memstore device bytes' in config_parser['global']: return StorageType.MEMSTORE else: return StorageType.BLUESTORE
class IgnoreMe: def __init__(self, *args, **kwds): ... def __call__(self, *args, **kwds): return self def __getattr__(self, __name: str): return self def __bool__(self): return False def __nonzero__(self): return self.__bool__()
# -*- coding: utf-8 -*- """ Created on Fri Jun 22 01:50:15 2018 @author: Akash """ class Queue: def __init__(self): self.queue = list() def enqueue(self, data): self.queue.insert(0, data) return True def dequeue(self): return self.queue.pop() def size_queue(self): return len(self.queue) myqueue = Queue() print(myqueue.enqueue(10)) print(myqueue.enqueue(2)) print(myqueue.enqueue(33)) print(myqueue.queue) print(myqueue.size_queue()) print(myqueue.dequeue()) print(myqueue.queue)
# encoding: utf-8 # module select # from (pre-generated) # by generator 1.147 """ This module supports asynchronous I/O on multiple file descriptors. *** IMPORTANT NOTICE *** On Windows and OpenVMS, only sockets are supported; on Unix, all file descriptors. """ # no imports # functions def select(rlist, wlist, xlist, timeout=None): # real signature unknown; restored from __doc__ """ select(rlist, wlist, xlist[, timeout]) -> (rlist, wlist, xlist) Wait until one or more file descriptors are ready for some kind of I/O. The first three arguments are sequences of file descriptors to be waited for: rlist -- wait until ready for reading wlist -- wait until ready for writing xlist -- wait for an ``exceptional condition'' If only one kind of condition is required, pass [] for the other lists. A file descriptor is either a socket or file object, or a small integer gotten from a fileno() method call on one of those. The optional 4th argument specifies a timeout in seconds; it may be a floating point number to specify fractions of seconds. If it is absent or None, the call will never time out. The return value is a tuple of three lists corresponding to the first three arguments; each contains the subset of the corresponding file descriptors that are ready. *** IMPORTANT NOTICE *** On Windows and OpenVMS, only sockets are supported; on Unix, all file descriptors can be used. """ pass # classes class error(Exception): # no doc def __init__(self, *args, **kwargs): # real signature unknown pass __weakref__ = property(lambda self: object(), lambda self, v: None, lambda self: None) # default """list of weak references to the object (if defined)"""
def merge_ordered_list(in_list1: list, in_list2: list) -> list: """ Merge two ordered list :param in_list1: the first source list :param in_list2: the second source list :return: the merged list """ _list1 = in_list1.copy() _list2 = in_list2.copy() _output_list = [] idx_2 = 0 for element in _list1: while idx_2 < len(_list2) and element > _list2[idx_2]: _output_list.append(_list2[idx_2]) idx_2 += 1 _output_list.append(element) while idx_2 < len(_list2): _output_list.append(_list2[idx_2]) idx_2 += 1 return _output_list def merge_sort(in_list1: list) -> list: """ Do the merge sort for a given list in input :param in_list1: the list to be ordered :return: the ordered list """ if in_list1 is None: return [] if len(in_list1) == 1: return [in_list1[0]] _list1,_list2= in_list1[:int(((len(in_list1)+1)/2))],in_list1[int(((len(in_list1)+1)/2)):] _ordered_list1 = merge_sort(_list1) _ordered_list2 = merge_sort(_list2) return merge_ordered_list(_ordered_list1,_ordered_list2) if __name__ == "__main__": print(merge_sort([1,20,3,32,4,9,9,10]))
k=1 for i in range(1,6): for j in range(i): if k<10: print(k,end='') k+=1 if k==10: print(1,end='') else: k=2 print()
'''Exercício para for 02''' nomes = ['jessica','saara','rodrigo','eric','marcela','jorge','priscila'] lista_upper = [] for x in nomes: print(nomes(upper(x)))
def launch_network(): global network global difficulty network = set() difficulty = 1
''' @Date: 2019-12-08 19:58:01 @Author: ywyz @LastModifiedBy: ywyz @Github: https://github.com/ywyz @LastEditors: ywyz @LastEditTime: 2019-12-08 20:01:19 ''' def count(s, ch): num = 0 for char in s: if char == ch: num += 1 return num def main(): strings = input("Input a string: ") ch = input("Enter a word: ") print(ch, "has ", count(strings, ch), "times appeared in the strings.") main()
# !/usr/bin/env python3 ####################################################################################### # # # Program purpose: Define a string containing special characters in # # various forms. # # Program Author : Happi Yvan <[email protected]> # # Creation Date : August 29, 2019 # # # ####################################################################################### if __name__ == "__main__": print() print("\#{'}${\"}@/") print("\#{'}${"'"'"}@/") print(r"""\#{'}${"}@/""") print('\#{\'}${"}@/') print('\#{'"'"'}${"}@/') print(r'''\#{'}${"}@/''') print()
class TreeNode: def __init__(self, val): self.val = val self.left = None self.right = None class Solution2: def levelOrderBottom(self, root): """ :type root: TreeNode :rtype: List[List[int]] """ def dfs(node, depth): if node is None: return if len(self.ans) > depth: self.ans[-1-depth].append(node.val) else: self.ans = [[node.val]]+self.ans dfs(node.left, depth+1) dfs(node.right, depth+1) self.ans = [] dfs(root, 0) return self.ans class Solution: def bfs(self, root): """ :type root: TreeNode :rtype: List[int] """ traversedvalues = list() queue = list() queue.append(root) while (queue): currentnode = queue.pop(0) if (currentnode.left): queue.append(currentnode.left) if (currentnode.right): queue.append(currentnode.right) traversedvalues.append(currentnode.val) return traversedvalues def dfs(self, node, depth): if node is None: return if len(self.leveltraversed) > depth: self.leveltraversed[-depth - 1].append(node.val) else: self.leveltraversed = [[node.val]] + self.leveltraversed self.dfs(node.left, depth + 1) self.dfs(node.right, depth + 1) def levelOrderTraversal(self, root): """ :type root: TreeNode :rtype: List[List[int]] """ self.leveltraversed = [] self.dfs(root, 0) return self.leveltraversed root = TreeNode(1) root.left = TreeNode(2) root.right = TreeNode(3) root.left.left = TreeNode(4) root.left.right = TreeNode(5) root.right.right = TreeNode(6) root.left.left.left = TreeNode(7) root.left.left.right = TreeNode(8) root.left.right.left = TreeNode(9) root.left.right.right = TreeNode(10) root.right.right.left = TreeNode(11) print (Solution().levelOrderTraversal(root))
ALL = ( ("al'iraq", 'Iraq'), ("aljazā'ir", 'Algeria'), ("amelikahuipu'ia", 'United States'), ("cote d'ivoire", 'Ivory Coast'), ("coted'ivoire", 'Ivory Coast'), ("democratic people's republic of koread", 'North Korea'), ("democraticpeople'srepublicofkoread", 'North Korea'), ("ityop'ia", 'Ethiopia'), ("lao people's democratic republic", 'Laos'), ("laopeople'sdemocraticrepublic", 'Laos'), ("o'zbekstan", 'Uzbekistan'), ("people's democratic republic of algeriaalgerie", 'Algeria'), ("people's republic of bangladesh", 'Bangladesh'), ("people's republic of china", 'China'), ("people'sdemocraticrepublicofalgeriaalgerie", 'Algeria'), ("people'srepublicofbangladesh", 'Bangladesh'), ("people'srepublicofchina", 'China'), ("republic of cote d'ivoire", 'Ivory Coast'), ("republicofcoted'ivoire", 'Ivory Coast'), ("sak'art'velo", 'Georgia'), ("socialist people's libyan arab", 'Libya'), ("socialistpeople'slibyanarab", 'Libya'), ("the democratic people's republic of korea", 'North Korea'), ("the lao people's democratic republic", 'Laos'), ("the people's democratic republic of algeria", 'Algeria'), ("the people's republic of bangladesh", 'Bangladesh'), ("the people's republic of china", 'China'), ("the republic of cote d'ivoire", 'Ivory Coast'), ("thedemocraticpeople'srepublicofkorea", 'North Korea'), ("thelaopeople'sdemocraticrepublic", 'Laos'), ("thepeople'sdemocraticrepublicofalgeria", 'Algeria'), ("thepeople'srepublicofbangladesh", 'Bangladesh'), ("thepeople'srepublicofchina", 'China'), ("therepublicofcoted'ivoire", 'Ivory Coast'), ("timor lorosa'e", 'East Timor'), ("timorlorosa'e", 'East Timor'), ("yisra'el", 'Israel'), ('\u200e', 'Iraq'), ('aaland', 'Åland Islands'), ('abudhabi', 'Abu Dhabi'), ('abyssinia', 'Ethiopia'), ('ad', 'Andorra'), ('ae', 'United Arab Emirates'), ('aeaj', 'Ajman'), ('aeaz', 'Abu Dhabi'), ('aedu', 'Dubai'), ('aefu', 'Fujairah'), ('aerk', 'Ras al-Khaimah'), ('aeroes', 'Faroe Islands'), ('aesh', 'Sharjah'), ('aeuq', 'Umm al-Quwain'), ('af', 'Afghanistan'), ('afganastan', 'Afghanistan'), ('afganestan', 'Afghanistan'), ('afganhistan', 'Afghanistan'), ('afganistan', 'Afghanistan'), ('afghanestan', 'Afghanistan'), ('afghanlstan', 'Afghanistan'), ('afghistan', 'Afghanistan'), ('aforika borwa', 'South Africa'), ('aforikaborwa', 'South Africa'), ('afrika borwa', 'South Africa'), ('afrika dzonga', 'South Africa'), ('afrikaborwa', 'South Africa'), ('afrikadzonga', 'South Africa'), ('afurika tshipembe', 'South Africa'), ('afurikatshipembe', 'South Africa'), ('ag', 'Antigua and Barbuda'), ('agawec', 'Mauritania'), ('ahvenanmaa', 'Åland Islands'), ('ai', 'Anguilla'), ('aigeria', 'Algeria'), ('al itihaad al islamiya', 'Somalia'), ('al', 'Albania'), ('alabnia', 'Albania'), ('aland', 'Åland Islands'), ('albana', 'Albania'), ('albanian', 'Albania'), ('albanija', 'Albania'), ('albaḥrayn', 'Bahrain'), ('albenia', 'Albania'), ('albiana', 'Albania'), ('alegeria', 'Algeria'), ('algeir', 'Algeria'), ('algeirs', 'Algeria'), ('algers', 'Algeria'), ('algieria', 'Algeria'), ('algiers', 'Algeria'), ('alibania', 'Albania'), ('aliraq', 'Iraq'), ('alitihaad alislamiya', 'Somalia'), ('alitihaadalislamiya', 'Somalia'), ('almamlaka al‘arabiyyah as sa‘ūdiyyah', 'Saudi Arabia'), ('almamlakaal‘arabiyyahassa‘ūdiyyah', 'Saudi Arabia'), ('almaɣréb', 'Morocco'), ('alyaman', 'Yemen'), ('al’imārat al‘arabiyyah almuttaḥidah', 'United Arab Emirates'), ('al’imāratal‘arabiyyahalmuttaḥidah', 'United Arab Emirates'), ('al’urdun', 'Jordan'), ('am', 'Armenia'), ('ameeri', 'United States'), ('ameica', 'United States'), ('amerca', 'United States'), ('amercia', 'United States'), ('ameria', 'United States'), ('america', 'United States'), ('american virgin islands', 'United States Virgin Islands'), ('americansamoa', 'American Samoa'), ('americanvirginislands', 'United States Virgin Islands'), ('americia', 'United States'), ('amerika sāmoa', 'Samoa'), ('amerikasāmoa', 'Samoa'), ('amerruk', 'Morocco'), ('amrica', 'United States'), ('angolo', 'Angola'), ('anmerica', 'United States'), ('annam', 'Vietnam'), ('antiguaandbarbuda', 'Antigua and Barbuda'), ('ao', 'Angola'), ('aorōkin m̧ajeļ', 'Marshall Islands'), ('aorōkinm̧ajeļ', 'Marshall Islands'), ('aotearoa', 'New Zealand'), ('aq', 'Antarctica'), ('ar', 'Argentina'), ('arab emir ates', 'United Arab Emirates'), ('arab emirates', 'United Arab Emirates'), ('arab republic of egypt', 'Egypt'), ('arabemirates', 'United Arab Emirates'), ('arabrepublicofegypt', 'Egypt'), ('argenina', 'Argentina'), ('argentiha', 'Argentina'), ('argentine republic', 'Argentina'), ('argentine', 'Argentina'), ('argentinerepublic', 'Argentina'), ('argentinia', 'Argentina'), ('argentna', 'Argentina'), ('arima', 'Armenia'), ('arminia', 'Armenia'), ('as', 'American Samoa'), ('ascension island', 'Ascension'), ('ascensionisland', 'Ascension'), ('assudan', 'Sudan'), ('at', 'Austria'), ('au', 'Australia'), ('ausralia', 'Australia'), ('austalia', 'Australia'), ('austraila', 'Australia'), ('austrailia', 'Australia'), ('australa', 'Australia'), ('australla', 'Australia'), ('austrilia', 'Australia'), ('austrlia', 'Australia'), ('autralia', 'Australia'), ('avstralia', 'Australia'), ('avstria', 'Australia'), ('aw', 'Aruba'), ('ax', 'Åland Islands'), ('ayiti', 'Haiti'), ('az', 'Azerbaijan'), ('azebaijan', 'Azerbaijan'), ('azeraijan', 'Azerbaijan'), ('azerbaijani republic', 'Azerbaijan'), ('azerbaijanirepublic', 'Azerbaijan'), ('azerbaijann', 'Azerbaijan'), ('azerbaisan', 'Azerbaijan'), ('azerbaizan', 'Azerbaijan'), ('azerbajan', 'Azerbaijan'), ('azerbajdzhan republic', 'Azerbaijan'), ('azerbajdzhan', 'Azerbaijan'), ('azerbajdzhanrepublic', 'Azerbaijan'), ('azerbaycan', 'Azerbaijan'), ('azerbayjan', 'Azerbaijan'), ('azerbeyjan', 'Azerbaijan'), ('azerbpijan', 'Azerbaijan'), ('azərbaycan', 'Azerbaijan'), ('aşşūmāl', 'Somalia'), ('ba', 'Bosnia and Herzegovina'), ('bailiwick of guernsey', 'United Kingdom'), ('bailiwick of jersey', 'United Kingdom'), ('bailiwickofguernsey', 'United Kingdom'), ('bailiwickofjersey', 'United Kingdom'), ('bakerisland', 'Baker Island'), ('bangla desh', 'Bangladesh'), ('basutoland', 'Lesotho'), ('bat', 'British Antarctic Territory'), ('bb', 'Barbados'), ('bd', 'Bangladesh'), ('be', 'Belgium'), ('belau', 'Palau'), ('belgie', 'Belgium'), ('belgien', 'Belgium'), ('belgique', 'Belgium'), ('belgië', 'Belgium'), ('belguim', 'Belgium'), ('bermudas', 'Bermuda'), ('bf', 'Burkina Faso'), ('bg', 'Bulgaria'), ('bh', 'Bahrain'), ('bharat', 'India'), ('bharôt', 'India'), ('bharôtô', 'India'), ('bhārat', 'India'), ('bhārata', 'India'), ('bhāratadēsam', 'India'), ('bhāratam', 'India'), ('bi', 'Burundi'), ('bielaruś', 'Belarus'), ('bih', 'Bosnia and Herzegovina'), ('bj', 'Benin'), ('bl', 'Saint Barthélemy'), ('bm', 'Bermuda'), ('bn', 'Brunei'), ('bo', 'Bolivia'), ('bolivarian republic of venezuela', 'Venezuela'), ('bolivarianrepublicofvenezuela', 'Venezuela'), ('bosna i hercegovina', 'Bosnia and Herzegovina'), ('bosnaihercegovina', 'Bosnia and Herzegovina'), ('bosniaandherzegovina', 'Bosnia and Herzegovina'), ('bosniaherzegovina', 'Bosnia and Herzegovina'), ('bouvetisland', 'Bouvet Island'), ('bqbo', 'Bonaire'), ('bqsa', 'Saba'), ('bqse', 'Sint Eustatius'), ('br', 'Brazil'), ('brasil', 'Brazil'), ('brazzaville', 'Congo'), ('british guiana', 'Guyana'), ('british honduras', 'Belize'), ('britishantarcticterritory', 'British Antarctic Territory'), ('britishguiana', 'Guyana'), ('britishhonduras', 'Belize'), ('britishindianoceanterritory', 'British Indian Ocean Territory'), ('britishvirginislands', 'British Virgin Islands'), ('brunei darussalam', 'Brunei'), ('bruneidarussalam', 'Brunei'), ('bs', 'The Bahamas'), ('bt', 'Bhutan'), ('bugaria', 'Bulgaria'), ('bukchosŏn', 'North Korea'), ('bulagar', 'Bulgaria'), ('bulgariya', 'Bulgaria'), ('buliwya', 'Bolivia'), ('bundesrepublik', 'Germany'), ('burkina fasoupper', 'Burkina Faso'), ('burkinafaso', 'Burkina Faso'), ('burkinafasoupper', 'Burkina Faso'), ('bv', 'Bouvet Island'), ('bvi', 'British Virgin Islands'), ('bw', 'Botswana'), ('by', 'Belarus'), ('byelarus', 'Belarus'), ('byelorussia', 'Belarus'), ('bz', 'Belize'), ('bārata', 'India'), ('bălgarija', 'Bulgaria'), ('ca', 'Canada'), ('cabo verde', 'Cape Verde'), ('cabo', 'Cape Verde'), ('caboverde', 'Cape Verde'), ('cameroun', 'Cameroon'), ('canadaigua', 'Canada'), ('candada', 'Canada'), ('capeverde', 'Cape Verde'), ('car', 'Central African Republic'), ('cathay', 'China'), ('caymanislands', 'Cayman Islands'), ('cc', 'Cocos (Keeling) Islands'), ('cd', 'Congo (Democratic Republic)'), ('central africa', 'Central African Republic'), ('centralafrica', 'Central African Republic'), ('centralafricanrepublic', 'Central African Republic'), ('ceska', 'Czechia'), ('ceylon', 'Sri Lanka'), ('cf', 'Central African Republic'), ('cg', 'Congo'), ('ch', 'Switzerland'), ('chinese taipei', 'Taiwan'), ('chinesetaipei', 'Taiwan'), ('christmasisland', 'Christmas Island'), ('ci', 'Ivory Coast'), ('citta del vaticano', 'Vatican City'), ('cittadelvaticano', 'Vatican City'), ('ck', 'Cook Islands'), ('cl', 'Chile'), ('cm', 'Cameroon'), ('cn', 'China'), ('co', 'Colombia'), ('coasta rica', 'Costa Rica'), ('coastarica', 'Costa Rica'), ('cocos(keeling)islands', 'Cocos (Keeling) Islands'), ('collectivity of saint martin', 'Saint-Martin (French part)'), ('collectivityofsaintmartin', 'Saint-Martin (French part)'), ('commonwealth of australia', 'Australia'), ('commonwealth of bahamas', 'The Bahamas'), ('commonwealth of dominica', 'Dominica'), ('commonwealth of puerto rico', 'Puerto Rico'), ('commonwealth of the northern mariana islands', 'Northern Mariana Islands'), ('commonwealthofaustralia', 'Australia'), ('commonwealthofbahamas', 'The Bahamas'), ('commonwealthofdominica', 'Dominica'), ('commonwealthofpuertorico', 'Puerto Rico'), ('commonwealthofthenorthernmarianaislands', 'Northern Mariana Islands'), ('comores', 'Comoros'), ('congo(democraticrepublic)', 'Congo (Democratic Republic)'), ('congobrazzaville', 'Congo (Democratic Republic)'), ('cookislands', 'Cook Islands'), ('cooperative republic of guyana', 'Guyana'), ('cooperativerepublicofguyana', 'Guyana'), ('costa rico', 'Costa Rica'), ('costarica', 'Costa Rica'), ('costarico', 'Costa Rica'), ('cote divoire', 'Ivory Coast'), ('cotedivoire', 'Ivory Coast'), ('country of curaçao', 'Curaçao'), ('countryofcuraçao', 'Curaçao'), ('cr', 'Costa Rica'), ('crna gora', 'Montenegro'), ('crnagora', 'Montenegro'), ('cs', 'Czechia'), ('cu', 'Cuba'), ('curacao', 'Curaçao'), ('cv', 'Cape Verde'), ('cw', 'Curaçao'), ('cx', 'Christmas Island'), ('cy', 'Cyprus'), ('cz', 'Czechia'), ('czech republic', 'Czechia'), ('czechoslav', 'Czechia'), ('czechoslovak republic', 'Czechia'), ('czechoslovakrepublic', 'Czechia'), ('czechrepublic', 'Czechia'), ('dahomey', 'Benin'), ('danmark', 'Denmark'), ('dawlat ulkuwayt', 'Kuwait'), ('dawlatulkuwayt', 'Kuwait'), ('dd', 'Germany'), ('de', 'Germany'), ('democratic republic of sao tome and principe', 'Sao Tome and Principe'), ('democratic republic of the congo', 'Congo (Democratic Republic)'), ('democratic republic of timorlestetimor', 'East Timor'), ('democratic socialist republic of sri lanka', 'Sri Lanka'), ('democraticrepublicofsaotomeandprincipe', 'Sao Tome and Principe'), ('democraticrepublicofthecongo', 'Congo (Democratic Republic)'), ('democraticrepublicoftimorlestetimor', 'East Timor'), ('democraticsocialistrepublicofsrilanka', 'Sri Lanka'), ('deutschland', 'Germany'), ('dhivehi raajje', 'Maldives'), ('dhivehiraajje', 'Maldives'), ('dj', 'Djibouti'), ('dk', 'Denmark'), ('dm', 'Dominica'), ('do', 'Dominican Republic'), ('dominicanrepublic', 'Dominican Republic'), ('dominique', 'Dominica'), ('dprk', 'North Korea'), ('druk yul', 'Bhutan'), ('drukyul', 'Bhutan'), ('ducie and oeno islands', 'Pitcairn, Henderson, Ducie and Oeno Islands'), ('ducieandoenoislands', 'Pitcairn, Henderson, Ducie and Oeno Islands'), ('dutch east indies', 'Indonesia'), ('dutcheastindies', 'Indonesia'), ('dz', 'Algeria'), ('dzayer', 'Algeria'), ('e civitate vaticana', 'Vatican City'), ('east pakistan', 'Bangladesh'), ('eastern samoa', 'American Samoa'), ('easternsamoa', 'American Samoa'), ('eastgermany', 'Germany'), ('eastpakistan', 'Bangladesh'), ('easttimor', 'East Timor'), ('ec', 'Ecuador'), ('ecivitatevaticana', 'Vatican City'), ('ee', 'Estonia'), ('eesti', 'Estonia'), ('eg', 'Egypt'), ('egpyt', 'Egypt'), ('egyot', 'Egypt'), ('egyt', 'Egypt'), ('eh', 'Western Sahara'), ('eire', 'Ireland'), ('ellada', 'Greece'), ('ellan vannin', 'United Kingdom'), ('ellanvannin', 'United Kingdom'), ('ellas', 'Greece'), ('ellice islands', 'Tuvalu'), ('elliceislands', 'Tuvalu'), ('elmeɣrib', 'Morocco'), ('elsalvador', 'El Salvador'), ('emirate of abu dhabi', 'Abu Dhabi'), ('emirate of ajman', 'Ajman'), ('emirate of dubai', 'Dubai'), ('emirate of fujairah', 'Fujairah'), ('emirate of ras alkhaimah', 'Ras al-Khaimah'), ('emirate of sharjah', 'Sharjah'), ('emirate of umm alquwain', 'Umm al-Quwain'), ('emirateofabudhabi', 'Abu Dhabi'), ('emirateofajman', 'Ajman'), ('emirateofdubai', 'Dubai'), ('emirateoffujairah', 'Fujairah'), ('emirateofrasalkhaimah', 'Ras al-Khaimah'), ('emirateofsharjah', 'Sharjah'), ('emirateofummalquwain', 'Umm al-Quwain'), ('equatorialguinea', 'Equatorial Guinea'), ('er', 'Eritrea'), ('ertra', 'Eritrea'), ('es', 'Spain'), ('esce', 'Ceuta'), ('esml', 'Melilla'), ('espainia', 'Spain'), ('espanha', 'Spain'), ('espanya', 'Spain'), ('españa', 'Spain'), ('estados unidos', 'United States'), ('estadosunidos', 'United States'), ('esthonia', 'Estonia'), ('et', 'Ethiopia'), ('ethopi', 'Ethiopia'), ('falklandislands', 'Falkland Islands'), ('faroeislands', 'Faroe Islands'), ('faroes', 'Faroe Islands'), ('federal democratic republic of ethiopia', 'Ethiopia'), ('federal democratic republic of nepal', 'Nepal'), ('federal islamic republic of the comoros', 'Comoros'), ('federal republic of germany', 'Germany'), ('federal republic of nigeria', 'Nigeria'), ('federal republic of somalia', 'Somalia'), ('federal republic of somaliaaiai', 'Somalia'), ('federaldemocraticrepublicofethiopia', 'Ethiopia'), ('federaldemocraticrepublicofnepal', 'Nepal'), ('federalislamicrepublicofthecomoros', 'Comoros'), ('federalrepublicofgermany', 'Germany'), ('federalrepublicofnigeria', 'Nigeria'), ('federalrepublicofsomalia', 'Somalia'), ('federalrepublicofsomaliaaiai', 'Somalia'), ('federated states of micronesia', 'Micronesia'), ('federatedstatesofmicronesia', 'Micronesia'), ('federation of malaysia', 'Malaysia'), ('federation of saint christopher and nevis', 'St Kitts and Nevis'), ('federationofmalaysia', 'Malaysia'), ('federationofsaintchristopherandnevis', 'St Kitts and Nevis'), ('federative republic of brazil', 'Brazil'), ('federativerepublicofbrazil', 'Brazil'), ('fi', 'Finland'), ('fj', 'Fiji'), ('fk', 'Falkland Islands'), ('fm', 'Micronesia'), ('fo', 'Faroe Islands'), ('fr', 'France'), ('french congo', 'Congo'), ('french guinea', 'Guinea'), ('french oceania', 'French Polynesia'), ('french republic', 'France'), ('french sudan', 'Mali'), ('frenchcongo', 'Congo'), ('frenchguiana', 'French Guiana'), ('frenchguinea', 'Guinea'), ('frenchoceania', 'French Polynesia'), ('frenchpolynesia', 'French Polynesia'), ('frenchrepublic', 'France'), ('frenchsouthernterritories', 'French Southern Territories'), ('frenchsudan', 'Mali'), ('frg', 'Germany'), ('friendly islands', 'Tonga'), ('friendlyislands', 'Tonga'), ('færøerne', 'Faroe Islands'), ('føroyar', 'Faroe Islands'), ('ga', 'Gabon'), ('gabonese republic', 'Gabon'), ('gaboneserepublic', 'Gabon'), ('gabun', 'Gabon'), ('gabuuti', 'Djibouti'), ('gd', 'Grenada'), ('ge', 'Georgia'), ('genus argentina', 'Argentina'), ('genusargentina', 'Argentina'), ('germany democratic republic', 'Germany'), ('germanydemocraticrepublic', 'Germany'), ('gf', 'French Guiana'), ('gg', 'United Kingdom'), ('gh', 'Ghana'), ('gi', 'Gibraltar'), ('gine', 'Guinea'), ('gl', 'Greenland'), ('gm', 'The Gambia'), ('gn', 'Guinea'), ('gold coast', 'Ghana'), ('goldcoast', 'Ghana'), ('gp', 'Guadeloupe'), ('gq', 'Equatorial Guinea'), ('gr', 'Greece'), ('grand duchy of luxembourg', 'Luxembourg'), ('grandduchyofluxembourg', 'Luxembourg'), ('gronland', 'Greenland'), ('grønland', 'Greenland'), ('gs', 'South Georgia and South Sandwich Islands'), ('gt', 'Guatemala'), ('gu', 'Guam'), ('guinea ecuatorial', 'Equatorial Guinea'), ('guineaecuatorial', 'Equatorial Guinea'), ('guinée', 'Guinea'), ('guyane', 'French Guiana'), ('guåhån', 'Guam'), ('gw', 'Guinea-Bissau'), ('gy', 'Guyana'), ('hanguk', 'South Korea'), ('hashemite kingdom of jordan', 'Jordan'), ('hashemitekingdomofjordan', 'Jordan'), ('hayastan', 'Armenia'), ('hayastán', 'Armenia'), ('haïti', 'Haiti'), ('heardislandandmcdonaldislands', 'Heard Island and McDonald Islands'), ('hellas', 'Greece'), ('hellenic republic', 'Greece'), ('hellenicrepublic', 'Greece'), ('henderson', 'Pitcairn, Henderson, Ducie and Oeno Islands'), ('heung gong', 'Hong Kong'), ('heunggong', 'Hong Kong'), ('hindustan', 'India'), ('hk', 'Hong Kong'), ('hm', 'Heard Island and McDonald Islands'), ('hn', 'Honduras'), ('holland', 'Netherlands'), ('holy see', 'Vatican City'), ('holysee', 'Vatican City'), ('hong kong special administrative region', 'Hong Kong'), ('hongkong', 'Hong Kong'), ('hongkongspecialadministrativeregion', 'Hong Kong'), ('howlandisland', 'Howland Island'), ('hr', 'Croatia'), ('hrvatska', 'Croatia'), ('ht', 'Haiti'), ('hu', 'Hungary'), ('id', 'Indonesia'), ('ie', 'Ireland'), ('il', 'Israel'), ('ilikwet', 'Kuwait'), ('im', 'United Kingdom'), ('in', 'India'), ('independent state of papua new guinea', 'Papua New Guinea'), ('independent state of samoa', 'Samoa'), ('independentstateofpapuanewguinea', 'Papua New Guinea'), ('independentstateofsamoa', 'Samoa'), ('iningizimu afrika', 'South Africa'), ('iningizimuafrika', 'South Africa'), ('io', 'British Indian Ocean Territory'), ('iot', 'British Indian Ocean Territory'), ('iq', 'Iraq'), ('ir', 'Iran'), ('irak', 'Iraq'), ('irelend', 'Ireland'), ('irish republic', 'Ireland'), ('irishrepublic', 'Ireland'), ('iritriya', 'Eritrea'), ('is', 'Iceland'), ('isewula afrika', 'South Africa'), ('isewulaafrika', 'South Africa'), ('islamic republic of afghanistan', 'Afghanistan'), ('islamic republic of gambia', 'The Gambia'), ('islamic republic of iran', 'Iran'), ('islamic republic of mauritania', 'Mauritania'), ('islamic republic of pakistan', 'Pakistan'), ('islamicrepublicofafghanistan', 'Afghanistan'), ('islamicrepublicofgambia', 'The Gambia'), ('islamicrepublicofiran', 'Iran'), ('islamicrepublicofmauritania', 'Mauritania'), ('islamicrepublicofpakistan', 'Pakistan'), ('island of guernsey', 'United Kingdom'), ('island of jersey', 'United Kingdom'), ('island', 'Iceland'), ('islandofguernsey', 'United Kingdom'), ('islandofjersey', 'United Kingdom'), ('isleofman', 'United Kingdom'), ('israʼiyl', 'Israel'), ('isreal', 'Israel'), ('it', 'Italy'), ('italia', 'Italy'), ('italian republic', 'Italy'), ('italianrepublic', 'Italy'), ('itlay', 'Italy'), ('ivorycoast', 'Ivory Coast'), ('jabuuti', 'Djibouti'), ('jamaca', 'Jamaica'), ('jamacia', 'Jamaica'), ('jamahiriya', 'Libya'), ('jarvisisland', 'Jarvis Island'), ('je', 'United Kingdom'), ('jm', 'Jamaica'), ('jo', 'Jordan'), ('johnstonatoll', 'Johnston Atoll'), ('jp', 'Japan'), ('juzur alqamar', 'Comoros'), ('juzuralqamar', 'Comoros'), ('jèrri', 'Tuvalu'), ('jībūtī', 'Djibouti'), ('kalaallit nunaat', 'Greenland'), ('kalaallitnunaat', 'Greenland'), ('kampuchea', 'Cambodia'), ('kangwane', 'Eswatini'), ('katar', 'Qatar'), ('kazakh', 'Kazakhstan'), ('kazakhstán', 'Kazakhstan'), ('kazakstan', 'Kazakhstan'), ('ke', 'Kenya'), ('kg', 'Kyrgyzstan'), ('kh', 'Cambodia'), ('ki', 'Kiribati'), ('kingdom of bahrain', 'Bahrain'), ('kingdom of belgium', 'Belgium'), ('kingdom of bhutan', 'Bhutan'), ('kingdom of cambodia', 'Cambodia'), ('kingdom of denmark', 'Denmark'), ('kingdom of eswatini', 'Eswatini'), ('kingdom of lesotho', 'Lesotho'), ('kingdom of moroccoalmagrib', 'Morocco'), ('kingdom of norway', 'Norway'), ('kingdom of saudi arabia', 'Saudi Arabia'), ('kingdom of spain', 'Spain'), ('kingdom of swaziland', 'Eswatini'), ('kingdom of sweden', 'Sweden'), ('kingdom of thailand', 'Thailand'), ('kingdom of the netherlands', 'Netherlands'), ('kingdom of tonga', 'Tonga'), ('kingdomofbahrain', 'Bahrain'), ('kingdomofbelgium', 'Belgium'), ('kingdomofbhutan', 'Bhutan'), ('kingdomofcambodia', 'Cambodia'), ('kingdomofdenmark', 'Denmark'), ('kingdomofeswatini', 'Eswatini'), ('kingdomoflesotho', 'Lesotho'), ('kingdomofmoroccoalmagrib', 'Morocco'), ('kingdomofnorway', 'Norway'), ('kingdomofsaudiarabia', 'Saudi Arabia'), ('kingdomofspain', 'Spain'), ('kingdomofswaziland', 'Eswatini'), ('kingdomofsweden', 'Sweden'), ('kingdomofthailand', 'Thailand'), ('kingdomofthenetherlands', 'Netherlands'), ('kingdomoftonga', 'Tonga'), ('kingmanreef', 'Kingman Reef'), ('kirghizia', 'Kyrgyzstan'), ('kirghizstan', 'Kyrgyzstan'), ('kirgiz', 'Kyrgyzstan'), ('kirgizia', 'Kyrgyzstan'), ('kirgizija', 'Kyrgyzstan'), ('kirgizstan', 'Kyrgyzstan'), ('km', 'Comoros'), ('kn', 'St Kitts and Nevis'), ('komori', 'Comoros'), ('kosova', 'Kosovo'), ('koweit', 'Kuwait'), ('kp', 'North Korea'), ('kr', 'South Korea'), ('kw', 'Kuwait'), ('ky', 'Cayman Islands'), ('kypros', 'Cyprus'), ('kyrgyz republic', 'Kyrgyzstan'), ('kyrgyz republickirghiz', 'Kyrgyzstan'), ('kyrgyzrepublic', 'Kyrgyzstan'), ('kyrgyzrepublickirghiz', 'Kyrgyzstan'), ('kz', 'Kazakhstan'), ('kòrsou', 'Curaçao'), ('ködörösêse tî bêafrîka', 'Central African Republic'), ('ködörösêsetîbêafrîka', 'Central African Republic'), ('kýpros', 'Cyprus'), ('kıbrıs', 'Cyprus'), ('la', 'Laos'), ('lao', 'Laos'), ('las malvinas', 'Falkland Islands'), ('lasmalvinas', 'Falkland Islands'), ('latvija', 'Latvia'), ('latvijaz', 'Latvia'), ('lb', 'Lebanon'), ('lc', 'St Lucia'), ('lebanese republic', 'Lebanon'), ('lebaneserepublic', 'Lebanon'), ('li', 'Liechtenstein'), ('lietuva', 'Lithuania'), ('lk', 'Sri Lanka'), ('lr', 'Liberia'), ('ls', 'Lesotho'), ('lt', 'Lithuania'), ('lu', 'Luxembourg'), ('lubnān', 'Lebanon'), ('luxemborg', 'Luxembourg'), ('luxemburg', 'Luxembourg'), ('lv', 'Latvia'), ('ly', 'Libya'), ('lëtzebuerg', 'Luxembourg'), ('lībiyā', 'Libya'), ('ma', 'Morocco'), ('macao special administrative region', 'Macao'), ('macaospecialadministrativeregion', 'Macao'), ('macedon', 'North Macedonia'), ('madagasikara', 'Madagascar'), ('magyarorszag', 'Hungary'), ('magyarország', 'Hungary'), ('mainland china', 'China'), ('mainlandchina', 'China'), ('makedonija', 'North Macedonia'), ('malagasy republic', 'Madagascar'), ('malagasyrepublic', 'Madagascar'), ('malyasi', 'Malaysia'), ('malēṣiyā', 'Malaysia'), ('maroc', 'Morocco'), ('marruecos', 'Morocco'), ('marshallislands', 'Marshall Islands'), ('masr', 'Egypt'), ('maurice', 'Mauritius'), ('mauritanie', 'Mauritania'), ('mc', 'Monaco'), ('md', 'Moldova'), ('me', 'Montenegro'), ('mexcio', 'Mexico'), ('mexicanos', 'Mexico'), ('mexixo', 'Mexico'), ('mf', 'Saint-Martin (French part)'), ('mg', 'Madagascar'), ('mh', 'Marshall Islands'), ('midwayislands', 'Midway Islands'), ('misr', 'Egypt'), ('mk', 'North Macedonia'), ('ml', 'Mali'), ('mm', 'Myanmar (Burma)'), ('mn', 'Mongolia'), ('mo', 'Macao'), ('mocambique', 'Mozambique'), ('moldavia', 'Moldova'), ('mongol uls', 'Mongolia'), ('mongoluls', 'Mongolia'), ('mongγol ulus', 'Mongolia'), ('mongγolulus', 'Mongolia'), ('moris', 'Mauritius'), ('moçambique', 'Mozambique'), ('mp', 'Northern Mariana Islands'), ('mq', 'Martinique'), ('mr', 'Mauritania'), ('ms', 'Montserrat'), ('mt', 'Malta'), ('mu', 'Mauritius'), ('mueang thai', 'Thailand'), ('mueangthai', 'Thailand'), ('muritan', 'Mauritania'), ('muritaniya', 'Mauritania'), ('muscat and oman', 'Oman'), ('muscatandoman', 'Oman'), ('mv', 'Maldives'), ('mw', 'Malawi'), ('mx', 'Mexico'), ('my', 'Malaysia'), ('myanma', 'Myanmar (Burma)'), ('myanmar(burma)', 'Myanmar (Burma)'), ('mz', 'Mozambique'), ('méxico', 'Mexico'), ('mēxihco', 'Mexico'), ('mūrītānyā', 'Mauritania'), ('mǎláixīyà', 'Malaysia'), ('na', 'Namibia'), ('namhan', 'South Korea'), ('namibië', 'Namibia'), ('naoero', 'Nauru'), ('navassaisland', 'Navassa Island'), ('naíjíríà', 'Nigeria'), ('nc', 'New Caledonia'), ('ne', 'Niger'), ('nederland', 'Netherlands'), ('nederlân', 'Netherlands'), ('nepāl', 'Nepal'), ('new hebrides', 'Vanuatu'), ('newcaledonia', 'New Caledonia'), ('newhebrides', 'Vanuatu'), ('newzealand', 'New Zealand'), ('nf', 'Norfolk Island'), ('ng', 'Nigeria'), ('ngwane', 'Eswatini'), ('nihon', 'Japan'), ('nijar', 'Niger'), ('nijeriya', 'Nigeria'), ('nippon', 'Japan'), ('niuē', 'Niue'), ('nl', 'Netherlands'), ('no', 'Norway'), ('noreg', 'Norway'), ('norfolkisland', 'Norfolk Island'), ('norge', 'Norway'), ('northern marianas', 'Northern Mariana Islands'), ('northern rhodesia', 'Zambia'), ('northernmarianaislands', 'Northern Mariana Islands'), ('northernmarianas', 'Northern Mariana Islands'), ('northernrhodesia', 'Zambia'), ('northkorea', 'North Korea'), ('northmacedonia', 'North Macedonia'), ('nouvellecalédonie', 'New Caledonia'), ('np', 'Nepal'), ('nr', 'Nauru'), ('nu', 'Niue'), ('nyasaland', 'Malawi'), ('nz', 'New Zealand'), ('occupiedpalestinianterritories', 'Occupied Palestinian Territories'), ('oesterreich', 'Austria'), ('om', 'Oman'), ('oriental republic of uruguay', 'Uruguay'), ('orientalrepublicofuruguay', 'Uruguay'), ('osterreich', 'Austria'), ('outer mongolia', 'Mongolia'), ('outermongolia', 'Mongolia'), ('o‘zbekiston', 'Uzbekistan'), ('o’zbekstan', 'Uzbekistan'), ('pa', 'Panama'), ('palmyraatoll', 'Palmyra Atoll'), ('panamá', 'Panama'), ('papua niugini', 'Papua New Guinea'), ('papuanewguinea', 'Papua New Guinea'), ('papuaniugini', 'Papua New Guinea'), ('paraguái', 'Paraguay'), ('pe', 'Peru'), ('pelew', 'Palau'), ('peoples republic', 'China'), ('peoplesrepublic', 'China'), ('persia', 'Iran'), ('perú', 'Peru'), ('pf', 'French Polynesia'), ('pg', 'Papua New Guinea'), ('ph', 'Philippines'), ('philippine islands', 'Philippines'), ('philippineislands', 'Philippines'), ('phillippine', 'Philippines'), ('pilipinas', 'Philippines'), ('pinas', 'Philippines'), ('piruw', 'Peru'), ('pitcairn', 'Pitcairn, Henderson, Ducie and Oeno Islands'), ('pitcairn,henderson,ducieandoenoislands', 'Pitcairn, Henderson, Ducie and Oeno Islands'), ('pk', 'Pakistan'), ('pl', 'Poland'), ('plurinational state of bolivia', 'Bolivia'), ('plurinationalstateofbolivia', 'Bolivia'), ('pm', 'Saint Pierre and Miquelon'), ('pn', 'Pitcairn, Henderson, Ducie and Oeno Islands'), ('png', 'Papua New Guinea'), ('polska', 'Poland'), ('polynésie française', 'French Polynesia'), ('polynésiefrançaise', 'French Polynesia'), ('porto rico', 'Puerto Rico'), ('portorico', 'Puerto Rico'), ('portuguesa', 'Portugal'), ('portuguese guinea', 'Guinea-Bissau'), ('portuguese republic', 'Portugal'), ('portugueseguinea', 'Guinea-Bissau'), ('portugueserepublic', 'Portugal'), ('pr', 'Puerto Rico'), ('prathet thai', 'Thailand'), ('prathetthai', 'Thailand'), ('prc', 'China'), ('principality of andorra', 'Andorra'), ('principality of liechtenstein', 'Liechtenstein'), ('principality of monaco', 'Monaco'), ('principalityofandorra', 'Andorra'), ('principalityofliechtenstein', 'Liechtenstein'), ('principalityofmonaco', 'Monaco'), ('prk', 'North Korea'), ('ps', 'Occupied Palestinian Territories'), ('pt', 'Portugal'), ('puarto rico', 'Puerto Rico'), ('puartorico', 'Puerto Rico'), ('puertorico', 'Puerto Rico'), ('pw', 'Palau'), ('py', 'Paraguay'), ('qa', 'Qatar'), ('qazaqstan', 'Kazakhstan'), ('rasalkhaimah', 'Ras al-Khaimah'), ('rastafari', 'Jamaica'), ('rastas', 'Jamaica'), ('ratchaanachak thai', 'Thailand'), ('ratchaanachakthai', 'Thailand'), ('re', 'Réunion'), ('rep of ireland', 'Ireland'), ('repubblica', 'San Marino'), ('repubilika ya kongo', 'Congo (Democratic Republic)'), ('repubilikayakongo', 'Congo (Democratic Republic)'), ('republic of albania', 'Albania'), ('republic of angola', 'Angola'), ('republic of armenia', 'Armenia'), ('republic of austria', 'Austria'), ('republic of azerbaijan', 'Azerbaijan'), ('republic of belarusbelorussia', 'Belarus'), ('republic of benin', 'Benin'), ('republic of bosnia and herzegovina', 'Bosnia and Herzegovina'), ('republic of botswana', 'Botswana'), ('republic of bulgaria', 'Bulgaria'), ('republic of burundi', 'Burundi'), ('republic of cabo verde', 'Cape Verde'), ('republic of cameroon', 'Cameroon'), ('republic of chad', 'Chad'), ('republic of chile', 'Chile'), ('republic of colombia', 'Colombia'), ('republic of costa rica', 'Costa Rica'), ('republic of croatia', 'Croatia'), ('republic of cuba', 'Cuba'), ('republic of cyprus', 'Cyprus'), ('republic of djibouti', 'Djibouti'), ('republic of ecuador', 'Ecuador'), ('republic of el salvador', 'El Salvador'), ('republic of equatorial guinea', 'Equatorial Guinea'), ('republic of estonia', 'Estonia'), ('republic of fiji', 'Fiji'), ('republic of finland', 'Finland'), ('republic of ghana', 'Ghana'), ('republic of guatemala', 'Guatemala'), ('republic of guinea', 'Guinea'), ('republic of guineabissau', 'Guinea-Bissau'), ('republic of haiti', 'Haiti'), ('republic of honduras', 'Honduras'), ('republic of iceland', 'Iceland'), ('republic of india', 'India'), ('republic of indonesia', 'Indonesia'), ('republic of iraq', 'Iraq'), ('republic of ireland', 'Ireland'), ('republic of kazakhstankazak', 'Kazakhstan'), ('republic of kenya', 'Kenya'), ('republic of kiribati', 'Kiribati'), ('republic of korea', 'South Korea'), ('republic of kosovo', 'Kosovo'), ('republic of latvia', 'Latvia'), ('republic of liberia', 'Liberia'), ('republic of lithuanialietuva', 'Lithuania'), ('republic of macedonia', 'North Macedonia'), ('republic of madagascar', 'Madagascar'), ('republic of malawi', 'Malawi'), ('republic of maldives', 'Maldives'), ('republic of mali', 'Mali'), ('republic of malta', 'Malta'), ('republic of mauritius', 'Mauritius'), ('republic of moldova', 'Moldova'), ('republic of mozambique', 'Mozambique'), ('republic of namibia', 'Namibia'), ('republic of nauru', 'Nauru'), ('republic of nicaragua', 'Nicaragua'), ('republic of niger', 'Niger'), ('republic of palau', 'Palau'), ('republic of panama', 'Panama'), ('republic of paraguay', 'Paraguay'), ('republic of peru', 'Peru'), ('republic of poland', 'Poland'), ('republic of rwandaruanda', 'Rwanda'), ('republic of san marino', 'San Marino'), ('republic of senegal', 'Senegal'), ('republic of serbia', 'Serbia'), ('republic of seychelles', 'Seychelles'), ('republic of sierra leone', 'Sierra Leone'), ('republic of singapore', 'Singapore'), ('republic of slovenia', 'Slovenia'), ('republic of south africa', 'South Africa'), ('republic of south sudan', 'South Sudan'), ('republic of suriname', 'Suriname'), ('republic of tajikistantadjik', 'Tajikistan'), ('republic of the congo', 'Congo'), ('republic of the marshall islands', 'Marshall Islands'), ('republic of the philippines', 'Philippines'), ('republic of the sudan', 'Sudan'), ('republic of the union of myanmar', 'Myanmar (Burma)'), ('republic of trinidad and tobago', 'Trinidad and Tobago'), ('republic of turkey', 'Turkey'), ('republic of uganda', 'Uganda'), ('republic of uzbekistan', 'Uzbekistan'), ('republic of vanuatu', 'Vanuatu'), ('republic of yemen', 'Yemen'), ('republic of zambia', 'Zambia'), ('republic of zimbabwe', 'Zimbabwe'), ('republicofalbania', 'Albania'), ('republicofangola', 'Angola'), ('republicofarmenia', 'Armenia'), ('republicofaustria', 'Austria'), ('republicofazerbaijan', 'Azerbaijan'), ('republicofbelarusbelorussia', 'Belarus'), ('republicofbenin', 'Benin'), ('republicofbosniaandherzegovina', 'Bosnia and Herzegovina'), ('republicofbotswana', 'Botswana'), ('republicofbulgaria', 'Bulgaria'), ('republicofburundi', 'Burundi'), ('republicofcaboverde', 'Cape Verde'), ('republicofcameroon', 'Cameroon'), ('republicofchad', 'Chad'), ('republicofchile', 'Chile'), ('republicofcolombia', 'Colombia'), ('republicofcostarica', 'Costa Rica'), ('republicofcroatia', 'Croatia'), ('republicofcuba', 'Cuba'), ('republicofcyprus', 'Cyprus'), ('republicofdjibouti', 'Djibouti'), ('republicofecuador', 'Ecuador'), ('republicofelsalvador', 'El Salvador'), ('republicofequatorialguinea', 'Equatorial Guinea'), ('republicofestonia', 'Estonia'), ('republicoffiji', 'Fiji'), ('republicoffinland', 'Finland'), ('republicofghana', 'Ghana'), ('republicofguatemala', 'Guatemala'), ('republicofguinea', 'Guinea'), ('republicofguineabissau', 'Guinea-Bissau'), ('republicofhaiti', 'Haiti'), ('republicofhonduras', 'Honduras'), ('republicoficeland', 'Iceland'), ('republicofindia', 'India'), ('republicofindonesia', 'Indonesia'), ('republicofiraq', 'Iraq'), ('republicofireland', 'Ireland'), ('republicofkazakhstankazak', 'Kazakhstan'), ('republicofkenya', 'Kenya'), ('republicofkiribati', 'Kiribati'), ('republicofkorea', 'South Korea'), ('republicofkosovo', 'Kosovo'), ('republicoflatvia', 'Latvia'), ('republicofliberia', 'Liberia'), ('republicoflithuanialietuva', 'Lithuania'), ('republicofmacedonia', 'North Macedonia'), ('republicofmadagascar', 'Madagascar'), ('republicofmalawi', 'Malawi'), ('republicofmaldives', 'Maldives'), ('republicofmali', 'Mali'), ('republicofmalta', 'Malta'), ('republicofmauritius', 'Mauritius'), ('republicofmoldova', 'Moldova'), ('republicofmozambique', 'Mozambique'), ('republicofnamibia', 'Namibia'), ('republicofnauru', 'Nauru'), ('republicofnicaragua', 'Nicaragua'), ('republicofniger', 'Niger'), ('republicofpalau', 'Palau'), ('republicofpanama', 'Panama'), ('republicofparaguay', 'Paraguay'), ('republicofperu', 'Peru'), ('republicofpoland', 'Poland'), ('republicofrwandaruanda', 'Rwanda'), ('republicofsanmarino', 'San Marino'), ('republicofsenegal', 'Senegal'), ('republicofserbia', 'Serbia'), ('republicofseychelles', 'Seychelles'), ('republicofsierraleone', 'Sierra Leone'), ('republicofsingapore', 'Singapore'), ('republicofslovenia', 'Slovenia'), ('republicofsouthafrica', 'South Africa'), ('republicofsouthsudan', 'South Sudan'), ('republicofsuriname', 'Suriname'), ('republicoftajikistantadjik', 'Tajikistan'), ('republicofthecongo', 'Congo'), ('republicofthemarshallislands', 'Marshall Islands'), ('republicofthephilippines', 'Philippines'), ('republicofthesudan', 'Sudan'), ('republicoftheunionofmyanmar', 'Myanmar (Burma)'), ('republicoftrinidadandtobago', 'Trinidad and Tobago'), ('republicofturkey', 'Turkey'), ('republicofuganda', 'Uganda'), ('republicofuzbekistan', 'Uzbekistan'), ('republicofvanuatu', 'Vanuatu'), ('republicofyemen', 'Yemen'), ('republicofzambia', 'Zambia'), ('republicofzimbabwe', 'Zimbabwe'), ('república dominicana', 'Dominican Republic'), ('república oriental del uruguay', 'Uruguay'), ('repúblicadominicana', 'Dominican Republic'), ('repúblicaorientaldeluruguay', 'Uruguay'), ('reunion', 'Réunion'), ('rgypt', 'Egypt'), ('rhodesia', 'Zimbabwe'), ('ro', 'Romania'), ('roi', 'Ireland'), ('românia', 'Romania'), ('rossiya', 'Russia'), ('rossiâ', 'Russia'), ('roumania', 'Romania'), ('rs', 'Serbia'), ('rsa', 'South Africa'), ('rsm', 'San Marino'), ('ru', 'Russia'), ('rumania', 'Romania'), ('russian federation', 'Russia'), ('russianfederation', 'Russia'), ('rw', 'Rwanda'), ('rwandese republic', 'Rwanda'), ('rwandeserepublic', 'Rwanda'), ('république centrafricaine', 'Central African Republic'), ('république du congo', 'Congo'), ('république démocratique du congo', 'Congo (Democratic Republic)'), ('république française', 'France'), ('république gabonaise', 'Gabon'), ('républiquecentrafricaine', 'Central African Republic'), ('républiqueducongo', 'Congo'), ('républiquedémocratiqueducongo', 'Congo (Democratic Republic)'), ('républiquefrançaise', 'France'), ('républiquegabonaise', 'Gabon'), ('sa', 'Saudi Arabia'), ('saint lucia', 'St Lucia'), ('saint vincent and the grenadines', 'St Vincent'), ('saintbarthélemy', 'Saint Barthélemy'), ('sainthelena', 'Saint Helena'), ('saintlucia', 'St Lucia'), ('saintmartin(frenchpart)', 'Saint-Martin (French part)'), ('saintpierre et miquelon', 'Saint Pierre and Miquelon'), ('saintpierreandmiquelon', 'Saint Pierre and Miquelon'), ('saintpierreetmiquelon', 'Saint Pierre and Miquelon'), ('saintvincentandthegrenadines', 'St Vincent'), ('sakartvelo', 'Georgia'), ('salvador', 'El Salvador'), ('samo', 'Samoa'), ('samoa i sisifo', 'Samoa'), ('samoaisisifo', 'Samoa'), ('sanmarino', 'San Marino'), ('sao thome e principe', 'Sao Tome and Principe'), ('sao tome e principe', 'Sao Tome and Principe'), ('saothomeeprincipe', 'Sao Tome and Principe'), ('saotomeandprincipe', 'Sao Tome and Principe'), ('saotomeeprincipe', 'Sao Tome and Principe'), ('sarnam sranangron', 'Suriname'), ('sarnam', 'Suriname'), ('sarnamsranangron', 'Suriname'), ('saudiarabia', 'Saudi Arabia'), ('sb', 'Solomon Islands'), ('sc', 'Seychelles'), ('schweiz', 'Switzerland'), ('sd', 'Sudan'), ('se', 'Sweden'), ('sesel', 'Seychelles'), ('sg', 'Singapore'), ('shac', 'Ascension'), ('shhl', 'Saint Helena'), ('shqipëria', 'Albania'), ('shta', 'Tristan da Cunha'), ('si', 'Slovenia'), ('siam', 'Thailand'), ('sierraleone', 'Sierra Leone'), ('singapur', 'Singapore'), ('singapura', 'Singapore'), ('sint maarten', 'Sint Maarten (Dutch part)'), ('sinteustatius', 'Sint Eustatius'), ('sintmaarten', 'Sint Maarten (Dutch part)'), ('sintmaarten(dutchpart)', 'Sint Maarten (Dutch part)'), ('sion', 'Israel'), ('sj', 'Svalbard and Jan Mayen'), ('sk', 'Slovakia'), ('sl', 'Sierra Leone'), ('slovak republic', 'Slovakia'), ('slovakrepublic', 'Slovakia'), ('slovenija', 'Slovenia'), ('slovensko', 'Slovakia'), ('slovenská', 'Slovakia'), ('sm', 'San Marino'), ('sn', 'Senegal'), ('so', 'Somalia'), ('socialist republic of vietnam', 'Vietnam'), ('socialistrepublicofvietnam', 'Vietnam'), ('solomon aelan', 'Solomon Islands'), ('solomonaelan', 'Solomon Islands'), ('solomonislands', 'Solomon Islands'), ('solomons', 'Solomon Islands'), ('soomaaliya', 'Somalia'), ('soudan', 'Sudan'), ('south georgia and the south sandwich islands', 'South Georgia and South Sandwich Islands'), ('south west africa', 'Namibia'), ('southafrica', 'South Africa'), ('southgeorgiaandsouthsandwichislands', 'South Georgia and South Sandwich Islands'), ('southgeorgiaandthesouthsandwichislands', 'South Georgia and South Sandwich Islands'), ('southkorea', 'South Korea'), ('southsudan', 'South Sudan'), ('southwestafrica', 'Namibia'), ('sovereign base areas of akrotiri and dhekelia', 'Dhekelia'), ('sovereignbaseareasofakrotirianddhekelia', 'Dhekelia'), ('spanish guinea', 'Equatorial Guinea'), ('spanishguinea', 'Equatorial Guinea'), ('sr', 'Suriname'), ('sranangron', 'Suriname'), ('srbija', 'Serbia'), ('sri lankā', 'Sri Lanka'), ('srilanka', 'Sri Lanka'), ('srilankā', 'Sri Lanka'), ('ss', 'South Sudan'), ('st barth', 'Saint Barthélemy'), ('st barthelemy', 'Saint Barthélemy'), ('st thomas and principe', 'Sao Tome and Principe'), ('st', 'Sao Tome and Principe'), ('state of bahrain', 'Bahrain'), ('state of eritrea', 'Eritrea'), ('state of israel', 'Israel'), ('state of kuwait', 'Kuwait'), ('state of qatar', 'Qatar'), ('stateofbahrain', 'Bahrain'), ('stateoferitrea', 'Eritrea'), ('stateofisrael', 'Israel'), ('stateofkuwait', 'Kuwait'), ('stateofqatar', 'Qatar'), ('stbarth', 'Saint Barthélemy'), ('stbarthelemy', 'Saint Barthélemy'), ('stkittsandnevis', 'St Kitts and Nevis'), ('stlucia', 'St Lucia'), ('stthomasandprincipe', 'Sao Tome and Principe'), ('stvincent', 'St Vincent'), ('suidafrika', 'South Africa'), ('suisse', 'Switzerland'), ('sultanate of oman', 'Oman'), ('sultanateofoman', 'Oman'), ('suomi', 'Finland'), ('suriyah', 'Syria'), ('sv', 'El Salvador'), ('svalbardandjanmayen', 'Svalbard and Jan Mayen'), ('sverige', 'Sweden'), ('svizra', 'Switzerland'), ('svizzera', 'Switzerland'), ('swatini', 'Eswatini'), ('swiss confederation', 'Switzerland'), ('swissconfederation', 'Switzerland'), ('switerland', 'Switzerland'), ('sx', 'Sint Maarten (Dutch part)'), ('sy', 'Syria'), ('syrian arab republic', 'Syria'), ('syrianarabrepublic', 'Syria'), ('sz', 'Eswatini'), ('são tomé e príncipe', 'Sao Tome and Principe'), ('sãotoméepríncipe', 'Sao Tome and Principe'), ('sénégal', 'Senegal'), ('tadzhik', 'Tajikistan'), ('tadzhikistan', 'Tajikistan'), ('tajik', 'Tajikistan'), ('tc', 'Turks and Caicos Islands'), ('tchad', 'Chad'), ('td', 'Chad'), ('territory of american samoa', 'American Samoa'), ('territory of christmas island', 'Christmas Island'), ('territory of guam', 'Guam'), ('territory of heard island and mcdonald islands', 'Heard Island and McDonald Islands'), ('territory of norfolk island', 'Norfolk Island'), ('territory of the cocos (keeling) islands', 'Cocos (Keeling) Islands'), ('territory of the wallis and futuna islands', 'Wallis and Futuna'), ('territoryofamericansamoa', 'American Samoa'), ('territoryofchristmasisland', 'Christmas Island'), ('territoryofguam', 'Guam'), ('territoryofheardislandandmcdonaldislands', 'Heard Island and McDonald Islands'), ('territoryofnorfolkisland', 'Norfolk Island'), ('territoryofthecocos(keeling)islands', 'Cocos (Keeling) Islands'), ('territoryofthewallisandfutunaislands', 'Wallis and Futuna'), ('tf', 'French Southern Territories'), ('tg', 'Togo'), ('th', 'Thailand'), ('the arab republic of egypt', 'Egypt'), ('the argentine republic', 'Argentina'), ('the bolivarian republic of venezuela', 'Venezuela'), ('the british indian ocean territory', 'British Indian Ocean Territory'), ('the central african republic', 'Central African Republic'), ('the commonwealth of australia', 'Australia'), ('the commonwealth of dominica', 'Dominica'), ('the commonwealth of the bahamas', 'The Bahamas'), ('the cooperative republic of guyana', 'Guyana'), ('the czech republic', 'Czechia'), ('the democratic republic of sao tome and principe', 'Sao Tome and Principe'), ('the democratic republic of the congo', 'Congo (Democratic Republic)'), ('the democratic republic of timorleste', 'East Timor'), ('the democratic socialist republic of sri lanka', 'Sri Lanka'), ('the dominican republic', 'Dominican Republic'), ('the federal democratic republic of ethiopia', 'Ethiopia'), ('the federal democratic republic of nepal', 'Nepal'), ('the federal republic of germany', 'Germany'), ('the federal republic of nigeria', 'Nigeria'), ('the federated states of micronesia', 'Micronesia'), ('the federation of saint christopher and nevis', 'St Kitts and Nevis'), ('the federative republic of brazil', 'Brazil'), ('the french republic', 'France'), ('the gabonese republic', 'Gabon'), ('the grand duchy of luxembourg', 'Luxembourg'), ('the hashemite kingdom of jordan', 'Jordan'), ('the hellenic republic', 'Greece'), ('the independent state of papua new guinea', 'Papua New Guinea'), ('the independent state of samoa', 'Samoa'), ('the islamic republic of afghanistan', 'Afghanistan'), ('the islamic republic of iran', 'Iran'), ('the islamic republic of mauritania', 'Mauritania'), ('the islamic republic of pakistan', 'Pakistan'), ('the italian republic', 'Italy'), ('the kingdom of bahrain', 'Bahrain'), ('the kingdom of belgium', 'Belgium'), ('the kingdom of bhutan', 'Bhutan'), ('the kingdom of cambodia', 'Cambodia'), ('the kingdom of denmark', 'Denmark'), ('the kingdom of lesotho', 'Lesotho'), ('the kingdom of morocco', 'Morocco'), ('the kingdom of norway', 'Norway'), ('the kingdom of saudi arabia', 'Saudi Arabia'), ('the kingdom of spain', 'Spain'), ('the kingdom of swaziland', 'Eswatini'), ('the kingdom of sweden', 'Sweden'), ('the kingdom of thailand', 'Thailand'), ('the kingdom of the netherlands', 'Netherlands'), ('the kingdom of tonga', 'Tonga'), ('the kyrgyz republic', 'Kyrgyzstan'), ('the lebanese republic', 'Lebanon'), ('the occupied palestinian territories', 'Occupied Palestinian Territories'), ('the oriental republic of uruguay', 'Uruguay'), ('the plurinational state of bolivia', 'Bolivia'), ('the portuguese republic', 'Portugal'), ('the principality of andorra', 'Andorra'), ('the principality of liechtenstein', 'Liechtenstein'), ('the principality of monaco', 'Monaco'), ('the republic of albania', 'Albania'), ('the republic of angola', 'Angola'), ('the republic of armenia', 'Armenia'), ('the republic of austria', 'Austria'), ('the republic of azerbaijan', 'Azerbaijan'), ('the republic of belarus', 'Belarus'), ('the republic of benin', 'Benin'), ('the republic of botswana', 'Botswana'), ('the republic of bulgaria', 'Bulgaria'), ('the republic of burundi', 'Burundi'), ('the republic of cabo verde', 'Cape Verde'), ('the republic of cameroon', 'Cameroon'), ('the republic of chad', 'Chad'), ('the republic of chile', 'Chile'), ('the republic of colombia', 'Colombia'), ('the republic of costa rica', 'Costa Rica'), ('the republic of croatia', 'Croatia'), ('the republic of cuba', 'Cuba'), ('the republic of cyprus', 'Cyprus'), ('the republic of djibouti', 'Djibouti'), ('the republic of ecuador', 'Ecuador'), ('the republic of el salvador', 'El Salvador'), ('the republic of equatorial guinea', 'Equatorial Guinea'), ('the republic of estonia', 'Estonia'), ('the republic of fiji', 'Fiji'), ('the republic of finland', 'Finland'), ('the republic of ghana', 'Ghana'), ('the republic of guatemala', 'Guatemala'), ('the republic of guinea', 'Guinea'), ('the republic of guineabissau', 'Guinea-Bissau'), ('the republic of haiti', 'Haiti'), ('the republic of honduras', 'Honduras'), ('the republic of iceland', 'Iceland'), ('the republic of india', 'India'), ('the republic of indonesia', 'Indonesia'), ('the republic of iraq', 'Iraq'), ('the republic of kazakhstan', 'Kazakhstan'), ('the republic of kenya', 'Kenya'), ('the republic of kiribati', 'Kiribati'), ('the republic of korea', 'South Korea'), ('the republic of kosovo', 'Kosovo'), ('the republic of latvia', 'Latvia'), ('the republic of liberia', 'Liberia'), ('the republic of lithuania', 'Lithuania'), ('the republic of macedonia', 'North Macedonia'), ('the republic of madagascar', 'Madagascar'), ('the republic of malawi', 'Malawi'), ('the republic of maldives', 'Maldives'), ('the republic of mali', 'Mali'), ('the republic of malta', 'Malta'), ('the republic of mauritius', 'Mauritius'), ('the republic of moldova', 'Moldova'), ('the republic of mozambique', 'Mozambique'), ('the republic of namibia', 'Namibia'), ('the republic of nauru', 'Nauru'), ('the republic of nicaragua', 'Nicaragua'), ('the republic of niger', 'Niger'), ('the republic of palau', 'Palau'), ('the republic of panama', 'Panama'), ('the republic of paraguay', 'Paraguay'), ('the republic of peru', 'Peru'), ('the republic of poland', 'Poland'), ('the republic of rwanda', 'Rwanda'), ('the republic of san marino', 'San Marino'), ('the republic of senegal', 'Senegal'), ('the republic of serbia', 'Serbia'), ('the republic of seychelles', 'Seychelles'), ('the republic of sierra leone', 'Sierra Leone'), ('the republic of singapore', 'Singapore'), ('the republic of slovenia', 'Slovenia'), ('the republic of south africa', 'South Africa'), ('the republic of south sudan', 'South Sudan'), ('the republic of suriname', 'Suriname'), ('the republic of tajikistan', 'Tajikistan'), ('the republic of the congo', 'Congo'), ('the republic of the gambia', 'The Gambia'), ('the republic of the marshall islands', 'Marshall Islands'), ('the republic of the philippines', 'Philippines'), ('the republic of the sudan', 'Sudan'), ('the republic of the union of myanmar', 'Myanmar (Burma)'), ('the republic of trinidad and tobago', 'Trinidad and Tobago'), ('the republic of turkey', 'Turkey'), ('the republic of uganda', 'Uganda'), ('the republic of uzbekistan', 'Uzbekistan'), ('the republic of vanuatu', 'Vanuatu'), ('the republic of yemen', 'Yemen'), ('the republic of zambia', 'Zambia'), ('the republic of zimbabwe', 'Zimbabwe'), ('the russian federation', 'Russia'), ('the slovak republic', 'Slovakia'), ('the socialist republic of vietnam', 'Vietnam'), ('the state of eritrea', 'Eritrea'), ('the state of israel', 'Israel'), ('the state of kuwait', 'Kuwait'), ('the state of qatar', 'Qatar'), ('the states', 'United States'), ('the sultanate of oman', 'Oman'), ('the swiss confederation', 'Switzerland'), ('the syrian arab republic', 'Syria'), ('the togolese republic', 'Togo'), ('the tunisian republic', 'Tunisia'), ('the union of the comoros', 'Comoros'), ('the united arab emirates', 'United Arab Emirates'), ('the united mexican states', 'Mexico'), ('the united republic of tanzania', 'Tanzania'), ('the united states of america', 'United States'), ('the virgin islands', 'British Virgin Islands'), ('thearabrepublicofegypt', 'Egypt'), ('theargentinerepublic', 'Argentina'), ('thebahamas', 'The Bahamas'), ('thebolivarianrepublicofvenezuela', 'Venezuela'), ('thebritishindianoceanterritory', 'British Indian Ocean Territory'), ('thecentralafricanrepublic', 'Central African Republic'), ('thecommonwealthofaustralia', 'Australia'), ('thecommonwealthofdominica', 'Dominica'), ('thecommonwealthofthebahamas', 'The Bahamas'), ('thecooperativerepublicofguyana', 'Guyana'), ('theczechrepublic', 'Czechia'), ('thedemocraticrepublicofsaotomeandprincipe', 'Sao Tome and Principe'), ('thedemocraticrepublicofthecongo', 'Congo (Democratic Republic)'), ('thedemocraticrepublicoftimorleste', 'East Timor'), ('thedemocraticsocialistrepublicofsrilanka', 'Sri Lanka'), ('thedominicanrepublic', 'Dominican Republic'), ('thefederaldemocraticrepublicofethiopia', 'Ethiopia'), ('thefederaldemocraticrepublicofnepal', 'Nepal'), ('thefederalrepublicofgermany', 'Germany'), ('thefederalrepublicofnigeria', 'Nigeria'), ('thefederatedstatesofmicronesia', 'Micronesia'), ('thefederationofsaintchristopherandnevis', 'St Kitts and Nevis'), ('thefederativerepublicofbrazil', 'Brazil'), ('thefrenchrepublic', 'France'), ('thegaboneserepublic', 'Gabon'), ('thegambia', 'The Gambia'), ('thegrandduchyofluxembourg', 'Luxembourg'), ('thehashemitekingdomofjordan', 'Jordan'), ('thehellenicrepublic', 'Greece'), ('theindependentstateofpapuanewguinea', 'Papua New Guinea'), ('theindependentstateofsamoa', 'Samoa'), ('theislamicrepublicofafghanistan', 'Afghanistan'), ('theislamicrepublicofiran', 'Iran'), ('theislamicrepublicofmauritania', 'Mauritania'), ('theislamicrepublicofpakistan', 'Pakistan'), ('theitalianrepublic', 'Italy'), ('thekingdomofbahrain', 'Bahrain'), ('thekingdomofbelgium', 'Belgium'), ('thekingdomofbhutan', 'Bhutan'), ('thekingdomofcambodia', 'Cambodia'), ('thekingdomofdenmark', 'Denmark'), ('thekingdomoflesotho', 'Lesotho'), ('thekingdomofmorocco', 'Morocco'), ('thekingdomofnorway', 'Norway'), ('thekingdomofsaudiarabia', 'Saudi Arabia'), ('thekingdomofspain', 'Spain'), ('thekingdomofswaziland', 'Eswatini'), ('thekingdomofsweden', 'Sweden'), ('thekingdomofthailand', 'Thailand'), ('thekingdomofthenetherlands', 'Netherlands'), ('thekingdomoftonga', 'Tonga'), ('thekyrgyzrepublic', 'Kyrgyzstan'), ('thelebaneserepublic', 'Lebanon'), ('theoccupiedpalestinianterritories', 'Occupied Palestinian Territories'), ('theorientalrepublicofuruguay', 'Uruguay'), ('theplurinationalstateofbolivia', 'Bolivia'), ('theportugueserepublic', 'Portugal'), ('theprincipalityofandorra', 'Andorra'), ('theprincipalityofliechtenstein', 'Liechtenstein'), ('theprincipalityofmonaco', 'Monaco'), ('therepublicofalbania', 'Albania'), ('therepublicofangola', 'Angola'), ('therepublicofarmenia', 'Armenia'), ('therepublicofaustria', 'Austria'), ('therepublicofazerbaijan', 'Azerbaijan'), ('therepublicofbelarus', 'Belarus'), ('therepublicofbenin', 'Benin'), ('therepublicofbotswana', 'Botswana'), ('therepublicofbulgaria', 'Bulgaria'), ('therepublicofburundi', 'Burundi'), ('therepublicofcaboverde', 'Cape Verde'), ('therepublicofcameroon', 'Cameroon'), ('therepublicofchad', 'Chad'), ('therepublicofchile', 'Chile'), ('therepublicofcolombia', 'Colombia'), ('therepublicofcostarica', 'Costa Rica'), ('therepublicofcroatia', 'Croatia'), ('therepublicofcuba', 'Cuba'), ('therepublicofcyprus', 'Cyprus'), ('therepublicofdjibouti', 'Djibouti'), ('therepublicofecuador', 'Ecuador'), ('therepublicofelsalvador', 'El Salvador'), ('therepublicofequatorialguinea', 'Equatorial Guinea'), ('therepublicofestonia', 'Estonia'), ('therepublicoffiji', 'Fiji'), ('therepublicoffinland', 'Finland'), ('therepublicofghana', 'Ghana'), ('therepublicofguatemala', 'Guatemala'), ('therepublicofguinea', 'Guinea'), ('therepublicofguineabissau', 'Guinea-Bissau'), ('therepublicofhaiti', 'Haiti'), ('therepublicofhonduras', 'Honduras'), ('therepublicoficeland', 'Iceland'), ('therepublicofindia', 'India'), ('therepublicofindonesia', 'Indonesia'), ('therepublicofiraq', 'Iraq'), ('therepublicofkazakhstan', 'Kazakhstan'), ('therepublicofkenya', 'Kenya'), ('therepublicofkiribati', 'Kiribati'), ('therepublicofkorea', 'South Korea'), ('therepublicofkosovo', 'Kosovo'), ('therepublicoflatvia', 'Latvia'), ('therepublicofliberia', 'Liberia'), ('therepublicoflithuania', 'Lithuania'), ('therepublicofmacedonia', 'North Macedonia'), ('therepublicofmadagascar', 'Madagascar'), ('therepublicofmalawi', 'Malawi'), ('therepublicofmaldives', 'Maldives'), ('therepublicofmali', 'Mali'), ('therepublicofmalta', 'Malta'), ('therepublicofmauritius', 'Mauritius'), ('therepublicofmoldova', 'Moldova'), ('therepublicofmozambique', 'Mozambique'), ('therepublicofnamibia', 'Namibia'), ('therepublicofnauru', 'Nauru'), ('therepublicofnicaragua', 'Nicaragua'), ('therepublicofniger', 'Niger'), ('therepublicofpalau', 'Palau'), ('therepublicofpanama', 'Panama'), ('therepublicofparaguay', 'Paraguay'), ('therepublicofperu', 'Peru'), ('therepublicofpoland', 'Poland'), ('therepublicofrwanda', 'Rwanda'), ('therepublicofsanmarino', 'San Marino'), ('therepublicofsenegal', 'Senegal'), ('therepublicofserbia', 'Serbia'), ('therepublicofseychelles', 'Seychelles'), ('therepublicofsierraleone', 'Sierra Leone'), ('therepublicofsingapore', 'Singapore'), ('therepublicofslovenia', 'Slovenia'), ('therepublicofsouthafrica', 'South Africa'), ('therepublicofsouthsudan', 'South Sudan'), ('therepublicofsuriname', 'Suriname'), ('therepublicoftajikistan', 'Tajikistan'), ('therepublicofthecongo', 'Congo'), ('therepublicofthegambia', 'The Gambia'), ('therepublicofthemarshallislands', 'Marshall Islands'), ('therepublicofthephilippines', 'Philippines'), ('therepublicofthesudan', 'Sudan'), ('therepublicoftheunionofmyanmar', 'Myanmar (Burma)'), ('therepublicoftrinidadandtobago', 'Trinidad and Tobago'), ('therepublicofturkey', 'Turkey'), ('therepublicofuganda', 'Uganda'), ('therepublicofuzbekistan', 'Uzbekistan'), ('therepublicofvanuatu', 'Vanuatu'), ('therepublicofyemen', 'Yemen'), ('therepublicofzambia', 'Zambia'), ('therepublicofzimbabwe', 'Zimbabwe'), ('therussianfederation', 'Russia'), ('theslovakrepublic', 'Slovakia'), ('thesocialistrepublicofvietnam', 'Vietnam'), ('thestateoferitrea', 'Eritrea'), ('thestateofisrael', 'Israel'), ('thestateofkuwait', 'Kuwait'), ('thestateofqatar', 'Qatar'), ('thestates', 'United States'), ('thesultanateofoman', 'Oman'), ('theswissconfederation', 'Switzerland'), ('thesyrianarabrepublic', 'Syria'), ('thetogoleserepublic', 'Togo'), ('thetunisianrepublic', 'Tunisia'), ('theunionofthecomoros', 'Comoros'), ('theunitedarabemirates', 'United Arab Emirates'), ('theunitedmexicanstates', 'Mexico'), ('theunitedrepublicoftanzania', 'Tanzania'), ('theunitedstatesofamerica', 'United States'), ('thevirginislands', 'British Virgin Islands'), ('timorleste', 'East Timor'), ('tj', 'Tajikistan'), ('tk', 'Tokelau'), ('tl', 'East Timor'), ('tm', 'Turkmenistan'), ('tn', 'Tunisia'), ('to', 'Tonga'), ('togolese republic', 'Togo'), ('togolese', 'Togo'), ('togoleserepublic', 'Togo'), ('tojikistan', 'Tajikistan'), ('toçikiston', 'Tajikistan'), ('tr', 'Turkey'), ('trinidadandtobago', 'Trinidad and Tobago'), ('tristandacunha', 'Tristan da Cunha'), ('tt', 'Trinidad and Tobago'), ('tunes', 'Tunisia'), ('tunisian republic', 'Tunisia'), ('tunisianrepublic', 'Tunisia'), ('turkiye', 'Turkey'), ('turkmen', 'Turkmenistan'), ('turkmenia', 'Turkmenistan'), ('turkomen', 'Turkmenistan'), ('turksandcaicosislands', 'Turks and Caicos Islands'), ('tv', 'Tuvalu'), ('tw', 'Taiwan'), ('tz', 'Tanzania'), ('táiwān', 'Taiwan'), ('türkiye', 'Turkey'), ('türkmenistan', 'Turkmenistan'), ('tšād', 'Chad'), ('tūns', 'Tunisia'), ('ua', 'Ukraine'), ('uae', 'United Arab Emirates'), ('ug', 'Uganda'), ('ukrayina', 'Ukraine'), ('ukraїna', 'Ukraine'), ('um67', 'Johnston Atoll'), ('um71', 'Midway Islands'), ('um76', 'Navassa Island'), ('um81', 'Baker Island'), ('um84', 'Howland Island'), ('um86', 'Jarvis Island'), ('um89', 'Kingman Reef'), ('um95', 'Palmyra Atoll'), ('umbuso weswatini', 'Eswatini'), ('umbusoweswatini', 'Eswatini'), ('ummalquwain', 'Umm al-Quwain'), ('umzantsi afrika', 'South Africa'), ('umzantsiafrika', 'South Africa'), ('union of the comoros', 'Comoros'), ('unionofthecomoros', 'Comoros'), ('unit states', 'United States'), ('unite states', 'United States'), ('united arab republic', 'Egypt'), ('united mexican states', 'Mexico'), ('united republic of tanzania', 'Tanzania'), ('united sat', 'United States'), ('united staes', 'United States'), ('united stated', 'United States'), ('united states america', 'United States'), ('united states of america', 'United States'), ('united stats', 'United States'), ('united sttes', 'United States'), ('unitedarabemirates', 'United Arab Emirates'), ('unitedarabrepublic', 'Egypt'), ('unitedmexicanstates', 'Mexico'), ('unitedrepublicoftanzania', 'Tanzania'), ('unitedsat', 'United States'), ('unitedstaes', 'United States'), ('unitedstated', 'United States'), ('unitedstates', 'United States'), ('unitedstatesofamerica', 'United States'), ('unitedstatesvirginislands', 'United States Virgin Islands'), ('unitedstats', 'United States'), ('unitedsttes', 'United States'), ('unites states', 'United States'), ('unitesstates', 'United States'), ('unitestates', 'United States'), ('unitstates', 'United States'), ('untied state', 'United States'), ('untiedstate', 'United States'), ('us', 'United States'), ('usa', 'United States'), ('uvea mo futuna', 'Wallis and Futuna'), ('uveamofutuna', 'Wallis and Futuna'), ('uy', 'Uruguay'), ('uz', 'Uzbekistan'), ('uzbek', 'Uzbekistan'), ('va', 'Vatican City'), ('vatican city state', 'Vatican City'), ('vaticancity', 'Vatican City'), ('vaticancitystate', 'Vatican City'), ('vc', 'St Vincent'), ('ve', 'Venezuela'), ('veitnam', 'Vietnam'), ('venezula', 'Venezuela'), ('vg', 'British Virgin Islands'), ('vi', 'United States Virgin Islands'), ('vietman', 'Vietnam'), ('virgin islands of the united states', 'United States Virgin Islands'), ('virgin islands', 'British Virgin Islands'), ('virgina islands', 'British Virgin Islands'), ('virginaislands', 'British Virgin Islands'), ('virginislands', 'British Virgin Islands'), ('virginislandsoftheunitedstates', 'United States Virgin Islands'), ('viti', 'Fiji'), ('việt nam', 'Vietnam'), ('việtnam', 'Vietnam'), ('vn', 'Vietnam'), ('volta', 'Burkina Faso'), ('volívia', 'Bolivia'), ('vu', 'Vanuatu'), ('wakeisland', 'Wake Island'), ('wallisandfutuna', 'Wallis and Futuna'), ('wallisetfutuna', 'Wallis and Futuna'), ('west pakistan', 'Pakistan'), ('western samoa', 'Samoa'), ('westernsahara', 'Western Sahara'), ('westernsamoa', 'Samoa'), ('westpakistan', 'Pakistan'), ('weswatini swatini ngwane', 'Eswatini'), ('weswatini', 'Eswatini'), ('weswatiniswatiningwane', 'Eswatini'), ('wf', 'Wallis and Futuna'), ('white russia', 'Belarus'), ('whiterussia', 'Belarus'), ('ws', 'Samoa'), ('wuliwya', 'Bolivia'), ('xk', 'Kosovo'), ('xqz', 'Akrotiri'), ('xxd', 'Dhekelia'), ('xīnjiāpō', 'Singapore'), ('yaltopya', 'Ethiopia'), ('ye', 'Yemen'), ('yisrael', 'Israel'), ('yt', 'Mayotte'), ('za', 'South Africa'), ('zealnd', 'New Zealand'), ('zeland', 'New Zealand'), ('zhongguo', 'China'), ('zhonghua peoples republic', 'China'), ('zhonghua', 'China'), ('zhonghuapeoplesrepublic', 'China'), ('zhōngguó', 'China'), ('zhōnghuá mínguó', 'Taiwan'), ('zhōnghuámínguó', 'Taiwan'), ('zion', 'Israel'), ('zm', 'Zambia'), ('ztate of katar', 'Qatar'), ('ztateofkatar', 'Qatar'), ('zw', 'Zimbabwe'), ('åland', 'Åland Islands'), ('ålandislands', 'Åland Islands'), ('éire', 'Ireland'), ('étatsunis', 'United States'), ('ísland', 'Iceland'), ('îraq', 'Iraq'), ('österreich', 'Austria'), ('česko', 'Czechia'), ('česká republika', 'Czechia'), ('česká', 'Czechia'), ('českárepublika', 'Czechia'), ('īrān', 'Iran'), ('ελλάδα', 'Greece'), ('ελλάς', 'Greece'), ('κύπρος', 'Cyprus'), ('беларусь', 'Belarus'), ('босна и херцеговина', 'Bosnia and Herzegovina'), ('боснаихерцеговина', 'Bosnia and Herzegovina'), ('българия', 'Bulgaria'), ('казахстан', 'Kazakhstan'), ('киргизия', 'Kyrgyzstan'), ('косово', 'Kosovo'), ('кыргызстан', 'Kyrgyzstan'), ('македонија', 'North Macedonia'), ('монгол улс', 'Mongolia'), ('монголулс', 'Mongolia'), ('российская', 'Russia'), ('россия', 'Russia'), ('россия1', 'Russia'), ('србија srbija', 'Serbia'), ('србија', 'Serbia'), ('србијаsrbija', 'Serbia'), ('тоҷикистон', 'Tajikistan'), ('україна', 'Ukraine'), ('црна гора', 'Montenegro'), ('црнагора', 'Montenegro'), ('ўзбекистон', 'Uzbekistan'), ('қазақстан', 'Kazakhstan'), ('հայաստան', 'Armenia'), ('ישראל', 'Israel'), ('إرتريا', 'Eritrea'), ('إسرائيل ישראל', 'Israel'), ('إسرائيل', 'Israel'), ('إسرائيلישראל', 'Israel'), ('افغانستان', 'Afghanistan'), ('الأردن', 'Jordan'), ('الإمارات العربيّة المتّحدة', 'United Arab Emirates'), ('الإمارات', 'United Arab Emirates'), ('الإماراتالعربيّةالمتّحدة', 'United Arab Emirates'), ('البحرين', 'Bahrain'), ('الجزائر', 'Algeria'), ('السعودية', 'Saudi Arabia'), ('السودان', 'Sudan'), ('الصومال', 'Somalia'), ('العراق', 'Iraq'), ('العراق\u200e', 'Iraq'), ('الكويت', 'Kuwait'), ('المغرب', 'Morocco'), ('المملكة العربية السعودية', 'Saudi Arabia'), ('المملكةالعربيةالسعودية', 'Saudi Arabia'), ('الموريتانية', 'Mauritania'), ('اليمن', 'Yemen'), ('ایران', 'Iran'), ('بروني', 'Brunei'), ('تشاد', 'Chad'), ('تشاد\u200e', 'Chad'), ('تونس', 'Tunisia'), ('جز القمر', 'Comoros'), ('جزالقمر', 'Comoros'), ('جزر القمر', 'Comoros'), ('جزرالقمر', 'Comoros'), ('جيبوتي', 'Djibouti'), ('جيبوتي\u200e', 'Djibouti'), ('دولة الكويت', 'Kuwait'), ('دولةالكويت', 'Kuwait'), ('سورية', 'Syria'), ('عمان', 'Oman'), ('عُمان', 'Oman'), ('فلسطين', 'Occupied Palestinian Territories'), ('قازاقستان', 'Kazakhstan'), ('قطر', 'Qatar'), ('لبنان', 'Lebanon'), ('لصحراء الغربية', 'Western Sahara'), ('لصحراءالغربية', 'Western Sahara'), ('ليبيا', 'Libya'), ('مصر', 'Egypt'), ('موريتانيا', 'Mauritania'), ('پاکستان', 'Pakistan'), ('नेपाल', 'Nepal'), ('फ़िजी', 'Fiji'), ('भारत गणराज्य', 'India'), ('भारत', 'India'), ('भारतगणराज्य', 'India'), ('भारतम्', 'India'), ('भूटान', 'Bhutan'), ('शर्नम्', 'Suriname'), ('বাংলাদেশ', 'Bangladesh'), ('ভারত', 'India'), ('ভাৰত', 'India'), ('ਭਾਰਤ', 'India'), ('ભારત', 'India'), ('ଭାରତ', 'India'), ('இலங்கை', 'Sri Lanka'), ('சிங்கப்பூர் குடியரசு', 'Singapore'), ('சிங்கப்பூர்', 'Singapore'), ('சிங்கப்பூர்கு', 'Singapore'), ('சிங்கப்பூர்குடியரசு', 'Singapore'), ('டியரசு', 'Singapore'), ('பாரதம்', 'India'), ('மலேசியா', 'Malaysia'), ('భారత దేశం', 'India'), ('భారతదేశం', 'India'), ('ಭಾರತ', 'India'), ('ഭാരതം', 'India'), # ('ශ්රී ලංකා இலங்கை', 'Sri Lanka'), # ('ශ්රී ලංකා', 'Sri Lanka'), # ('ශ්රී ලංකාව', 'Sri Lanka'), # ('ශ්රීලංකා', 'Sri Lanka'), # ('ශ්රීලංකාஇலங்கை', 'Sri Lanka'), # ('ශ්රීලංකාව', 'Sri Lanka'), ('ประเทศไทย', 'Thailand'), ('ราชอาณาจักรไทย', 'Thailand'), ('เมืองไทย', 'Thailand'), ('ປະເທດລາວ', 'Laos'), ('འབྲུག་ཡུལ', 'Bhutan'), ('မြန်မာ', 'Myanmar (Burma)'), ('საქართველო', 'Georgia'), ('ኢትዮጵያ', 'Ethiopia'), ('ኤርትራ', 'Eritrea'), ('កម្ពុជា', 'Cambodia'), ('ᠮᠤᠩᠭᠤᠯ ᠤᠯᠤᠰ', 'Mongolia'), ('ᠮᠤᠩᠭᠤᠯᠤᠯᠤᠰ', 'Mongolia'), ('‘umān', 'Oman'), ('ⴰⴳⴰⵡⵛ', 'Mauritania'), ('ⴰⵎⵔⵔⵓⴽ', 'Morocco'), ('ⴷⵣⴰⵢⴻⵔ', 'Algeria'), ('ⵍⵉⴱⵢⴰ', 'Libya'), ('ⵍⵎⵖⵔⵉⴱ', 'Morocco'), ('ⵎⵓⵔⵉⵜⴰⵏ', 'Mauritania'), ('ⵜⵓⵏⵙ', 'Tunisia'), ('中华', 'China'), ('中国', 'China'), ('中国/中华', 'China'), ('中華民國', 'Taiwan'), ('台灣', 'Taiwan'), ('新加坡', 'Singapore'), ('新加坡共和国', 'Singapore'), ('日本', 'Japan'), ('臺灣', 'Taiwan'), ('臺灣/台灣', 'Taiwan'), ('香港', 'Hong Kong'), ('马来西亚', 'Malaysia'), ('남한', 'South Korea'), ('북조선', 'North Korea'), ('조선 / 朝鮮', 'North Korea'), ('조선/朝鮮', 'North Korea'), ('한국 / 韓國', 'South Korea'), ('한국/韓國', 'South Korea'), ) CROWDSOURCED_MISTAKES = ( ('burma', 'Myanmar (Burma)', 'rest-of-world'), ('canary islands', 'Canary Islands', 'europe'), ('czechoslovakia', 'Czechia', 'europe'), ('east germany', 'Germany', 'europe'), ('easter island', 'Easter Island', 'rest-of-world'), ('Eidal', 'Italy', 'europe'), ('falklands', 'Falkland Islands', 'rest-of-world'), ('Ffrainc', 'France', 'europe'), ('hawaii', 'United States', 'rest-of-world'), ('Herm', 'United Kingdom', 'united-kingdom'), ('Khazakhstan', 'Kazakhstan', 'europe'), ('korea', 'South Korea', 'rest-of-world'), ('macau', 'Macao', 'rest-of-world'), ('myanmar', 'Myanmar (Burma)', 'rest-of-world'), ('new zeeland', 'New Zealand', 'rest-of-world'), ('NI', 'United Kingdom', 'united-kingdom'), ('Pitcairn Island', 'Pitcairn, Henderson, Ducie and Oeno Islands', 'rest-of-world'), ('republic of china', 'Taiwan', 'rest-of-world'), ('Republik Österreich', 'Austria', 'europe'), ('République Islamique de Mauritanie', 'Mauritania', 'rest-of-world'), ('Mauritanie', 'Mauritania', 'rest-of-world'), ('Sark', 'United Kingdom', 'united-kingdom'), ('South Ireland', 'Ireland', 'europe'), ('St Helena', 'Saint Helena', 'rest-of-world'), ('Swaziland', 'Eswatini', 'rest-of-world'), ('the falkland islands', 'Falkland Islands', 'rest-of-world'), ('the falklands', 'Falkland Islands', 'rest-of-world'), ('the sandwich islands', 'South Georgia and the South Sandwich Islands', 'rest-of-world'), ('South Georgia', 'South Georgia and the South Sandwich Islands', 'rest-of-world'), ('Tristan', 'Tristan da Cunha', 'rest-of-world'), ('ussr', None, None), ('USSR', None, None), ('союз советских социалистических республик', None, None), ('Vatican', 'Vatican City', 'europe'), ('West Germany', 'Germany', 'europe'), ('Yr Alban', 'United Kingdom', 'united-kingdom'), ('yugoslavia', None, None), ('jugoslavija', None, None), ('Swistir', 'Switzerland', 'europe'), ('Y Swistir', 'Switzerland', 'europe'), ('Saint Kitts', 'St Kitts and Nevis', 'rest-of-world'), ('St Kitts', 'St Kitts and Nevis', 'rest-of-world'), )
__all__ = ['getColMap', 'ColMapDict'] def getColMap(opsdb): """Get the colmap dictionary, if you already have a database object. Parameters ---------- opsdb : rubin_sim.maf.db.Database or rubin_sim.maf.db.OpsimDatabase Returns ------- dictionary """ try: version = opsdb.opsimVersion version = 'opsim' + version.lower() except AttributeError: version = 'barebones' colmap = ColMapDict(version) return colmap def ColMapDict(dictName=None): if dictName is None: dictName = 'FBS' dictName = dictName.lower() if dictName == 'fbs' or dictName == 'opsimfbs': colMap = {} colMap['ra'] = 'fieldRA' colMap['dec'] = 'fieldDec' colMap['raDecDeg'] = True colMap['mjd'] = 'observationStartMJD' colMap['exptime'] = 'visitExposureTime' colMap['visittime'] = 'visitTime' colMap['alt'] = 'altitude' colMap['az'] = 'azimuth' colMap['lst'] = 'observationStartLST' colMap['filter'] = 'filter' colMap['fiveSigmaDepth'] = 'fiveSigmaDepth' colMap['night'] = 'night' colMap['slewtime'] = 'slewTime' colMap['slewdist'] = 'slewDistance' colMap['seeingEff'] = 'seeingFwhmEff' colMap['seeingGeom'] = 'seeingFwhmGeom' colMap['skyBrightness'] = 'skyBrightness' colMap['moonDistance'] = 'moonDistance' colMap['fieldId'] = 'fieldId' colMap['proposalId'] = 'proposalId' colMap['slewactivities'] = {} colMap['metadataList'] = ['airmass', 'normairmass', 'seeingEff', 'skyBrightness', 'fiveSigmaDepth', 'HA', 'moonDistance', 'solarElong', 'saturation_mag'] colMap['metadataAngleList'] = ['rotSkyPos'] colMap['note'] = 'note' elif dictName == 'opsimv4': colMap = {} colMap['ra'] = 'fieldRA' colMap['dec'] = 'fieldDec' colMap['raDecDeg'] = True colMap['mjd'] = 'observationStartMJD' colMap['exptime'] = 'visitExposureTime' colMap['visittime'] = 'visitTime' colMap['alt'] = 'altitude' colMap['az'] = 'azimuth' colMap['lst'] = 'observationStartLST' colMap['filter'] = 'filter' colMap['fiveSigmaDepth'] = 'fiveSigmaDepth' colMap['night'] = 'night' colMap['slewtime'] = 'slewTime' colMap['slewdist'] = 'slewDistance' colMap['seeingEff'] = 'seeingFwhmEff' colMap['seeingGeom'] = 'seeingFwhmGeom' colMap['skyBrightness'] = 'skyBrightness' colMap['moonDistance'] = 'moonDistance' colMap['fieldId'] = 'fieldId' colMap['proposalId'] = 'proposalId' # slew speeds table colMap['slewSpeedsTable'] = 'SlewMaxSpeeds' # slew states table colMap['slewStatesTable'] = 'SlewFinalState' # slew activities list colMap['slewActivitiesTable'] = 'SlewActivities' # Slew columns colMap['Dome Alt Speed'] = 'domeAltSpeed' colMap['Dome Az Speed'] = 'domeAzSpeed' colMap['Tel Alt Speed'] = 'telAltSpeed' colMap['Tel Az Speed'] = 'telAzSpeed' colMap['Rotator Speed'] = 'rotatorSpeed' colMap['Tel Alt'] = 'telAlt' colMap['Tel Az'] = 'telAz' colMap['Rot Tel Pos'] = 'rotTelPos' colMap['Dome Alt'] = 'domeAlt' colMap['Dome Az'] = 'domeAz' colMap['slewactivities'] = {'Dome Alt': 'domalt', 'Dome Az': 'domaz', 'Dome Settle': 'domazsettle', 'Tel Alt': 'telalt', 'Tel Az': 'telaz', 'Tel Rot': 'telrot', 'Tel Settle': 'telsettle', 'TelOptics CL': 'telopticsclosedloop', 'TelOptics OL': 'telopticsopenloop', 'Readout': 'readout', 'Filter': 'filter'} colMap['metadataList'] = ['airmass', 'normairmass', 'seeingEff', 'skyBrightness', 'fiveSigmaDepth', 'HA', 'moonDistance', 'solarElong'] colMap['metadataAngleList'] = ['rotSkyPos'] elif dictName == 'opsimv3': colMap = {} colMap['ra'] = 'fieldRA' colMap['dec'] = 'fieldDec' colMap['raDecDeg'] = False colMap['mjd'] = 'expMJD' colMap['exptime'] = 'visitExpTime' colMap['visittime'] = 'visitTime' colMap['alt'] = 'altitude' colMap['az'] = 'azimuth' colMap['lst'] = 'lst' colMap['filter'] = 'filter' colMap['fiveSigmaDepth'] = 'fiveSigmaDepth' colMap['night'] = 'night' colMap['slewtime'] = 'slewTime' colMap['slewdist'] = 'slewDist' colMap['seeingEff'] = 'FWHMeff' colMap['seeingGeom'] = 'FWHMgeom' colMap['skyBrightness'] = 'filtSkyBrightness' colMap['moonDistance'] = 'dist2Moon' colMap['fieldId'] = 'fieldID' colMap['proposalId'] = 'propID' # slew speeds table colMap['slewSpeedsTable'] = 'SlewMaxSpeeds' # slew states table colMap['slewStatesTable'] = 'SlewStates' # Slew activities list colMap['slewActivitiesTable'] = 'SlewActivities' colMap['Dome Alt Speed'] = 'domeAltSpeed' colMap['Dome Az Speed'] = 'domeAzSpeed' colMap['Tel Alt Speed'] = 'telAltSpeed' colMap['Tel Az Speed'] = 'telAzSpeed' colMap['Rotator Speed'] = 'rotatorSpeed' colMap['Tel Alt'] = 'telAlt' colMap['Tel Az'] = 'telAz' colMap['Rot Tel Pos'] = 'rotTelPos' colMap['Dome Alt'] = 'domAlt' colMap['Dome Az'] = 'domAz' colMap['slewactivities'] = {'Dome Alt': 'DomAlt', 'Dome Az': 'DomAz', 'Tel Alt': 'TelAlt', 'Tel Az': 'TelAz', 'Tel Rot': 'Rotator', 'Settle': 'Settle', 'TelOptics CL': 'TelOpticsCL', 'TelOptics OL': 'TelOpticsOL', 'Readout': 'Readout', 'Filter': 'Filter'} colMap['metadataList'] = ['airmass', 'normairmass', 'seeingEff', 'skyBrightness', 'fiveSigmaDepth', 'HA', 'moonDistance', 'solarElong'] colMap['metadataAngleList'] = ['rotSkyPos'] elif dictName == 'barebones': colMap = {} colMap['ra'] = 'ra' colMap['dec'] = 'dec' colMap['raDecDeg'] = True colMap['mjd'] = 'mjd' colMap['exptime'] = 'exptime' colMap['visittime'] = 'exptime' colMap['alt'] = 'alt' colMap['az'] = 'az' colMap['filter'] = 'filter' colMap['fiveSigmaDepth'] = 'fivesigmadepth' colMap['night'] = 'night' colMap['slewtime'] = 'slewtime' colMap['slewdist'] = None colMap['seeingGeom'] = 'seeing' colMap['seeingEff'] = 'seeing' colMap['metadataList'] = ['airmass', 'normairmass', 'seeingEff', 'skyBrightness', 'fiveSigmaDepth', 'HA'] colMap['metadataAngleList'] = ['rotSkyPos'] else: raise ValueError(f'No built in column dict with name {dictMap}') return colMap
class OptimizerWrapper: """ A wrapper to make optimizer more concise """ def __init__(self, model, optimizer, lr_scheduler=None): self.model = model self.optimizer = optimizer self.lr_scheduler = lr_scheduler def step(self, inputs, labels): self.zero_grad() loss = self.model.loss(inputs, labels) loss.backward() return self.optimizer.step() def zero_grad(self): self.model.zero_grad() def lr_scheduler_step(self): if self.lr_scheduler is not None: self.lr_scheduler.step() def get_last_lr(self): if self.lr_scheduler is None: return self.optimizer.defaults["lr"] else: return self.lr_scheduler.get_last_lr()[0]
# # PySNMP MIB module ORiNOCO-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ORiNOCO-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:35:34 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion", "SingleValueConstraint") ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex") NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup") TimeTicks, enterprises, Counter64, Gauge32, Counter32, Unsigned32, ModuleIdentity, Integer32, iso, NotificationType, Bits, MibIdentifier, ObjectIdentity, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "enterprises", "Counter64", "Gauge32", "Counter32", "Unsigned32", "ModuleIdentity", "Integer32", "iso", "NotificationType", "Bits", "MibIdentifier", "ObjectIdentity", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn") TextualConvention, TimeInterval, MacAddress, DateAndTime, TruthValue, DisplayString, TimeStamp, RowStatus, PhysAddress = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "TimeInterval", "MacAddress", "DateAndTime", "TruthValue", "DisplayString", "TimeStamp", "RowStatus", "PhysAddress") orinoco = ModuleIdentity((1, 3, 6, 1, 4, 1, 11898, 2)) if mibBuilder.loadTexts: orinoco.setLastUpdated('0408100000Z') if mibBuilder.loadTexts: orinoco.setOrganization('Proxim Corporation') if mibBuilder.loadTexts: orinoco.setContactInfo('Daniel R. Borges Proxim Corporation WiFi Research and Development 935 Stewart Drive Sunnyvale, CA 94085 USA Tel: +1.408.731.2654 Fax: +1.408.731.3673 Email: [email protected]') if mibBuilder.loadTexts: orinoco.setDescription('MIB Definition used in the ORiNOCO Wireless Product Line: iso(1).org(3).dod(6).internet(1).private(4).enterprises(1). agere(11898).orinoco(2)') class VlanId(TextualConvention, Integer32): description = 'A 12-bit VLAN ID used in the VLAN Tag header.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(-1, 4094) class InterfaceBitmask(TextualConvention, Integer32): description = 'An Interface Bitmask used to enable or disable access or functionality of an interface in the system. Each bit in this object represents a network interface in the system consistent with the ifIndex object in MIB-II. The value for this object is interpreted as a bitfield, where the value of 1 means enabled. Examples of Usage: 1. For a system with the following interfaces (AP-2000 & AP-4000): - Ethernet If = 1 - Loopback If = 2 - Wireless If A = 3 - Wireless If B = 4 Interface Bitmask usage: - 00000000 (0x00): All Interfaces disabled - 00000001 (0x01): Ethernet If enabled - 00000010 (0x02): All Interfaces disabled - 00000011 (0x03): Ethernet If enabled - 00000100 (0x04): Wireless If A enabled - 00000110 (0x06): Wireless If A enabled - 00001000 (0x08): Wireless If B enabled - 00001010 (0x0A): Wireless If B enabled - 00001101 (0x0D): All Interfaces enabled - 00001111 (0x0F): All Interfaces enabled (see Note) Note: The software loopback interface bit is ignored in the usage of the interface bitmask object. 2. For a system with the following interfaces (AP-600, AP-700 & Tsunami Multipoint Devices): - Ethernet If = 1 - Loopback If = 2 - Wireless If A = 3 Interface Bitmask usage: - 00000000 (0x00): All Interfaces disabled - 00000001 (0x01): Ethernet If enabled - 00000010 (0x02): All Interfaces disabled - 00000011 (0x03): Ethernet If enabled - 00000100 (0x04): Wireless If A enabled - 00000101 (0x05): All Interfaces enabled - 00000110 (0x06): Wireless If A enabled - 00000111 (0x07): All Interfaces enabled (see Note) Note: The software loopback interface bit is ignored in the usage of the interface bitmask object. 3. For a system with the following interfaces (BG-2000): - Ethernet WAN If = 1 - Ethernet LAN If = 2 - Wireless If A = 3 Inteface Bitmask usage: - 00000000 (0x00): all Interfaces disabled - 00000001 (0x01): Ethernet WAN If enabled - 00000010 (0x02): Ethernet LAN If enabled - 00000011 (0x03): Ethernet WAN and LAN If enabled - 00000100 (0x04): Wireless If A enabled - 00000101 (0x05): Ethernet WAN and Wireless If A enabled - 00000110 (0x06): Ethernet LAN and Wireless If A enabled - 00000111 (0x07): All Interfaces enabled' status = 'current' subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 255) class ObjStatus(TextualConvention, Integer32): description = 'The status textual convention is used to enable or disable functionality or a feature.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("enable", 1), ("disable", 2)) class WEPKeyType(DisplayString): description = 'The WEPKeyType textual convention is used to define the object type used to configured WEP Keys.' status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 32) class ObjStatusActive(TextualConvention, Integer32): description = 'The status textual convention is used to activate, deactivate, and delete a table row.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3)) namedValues = NamedValues(("active", 1), ("inactive", 2), ("deleted", 3)) class DisplayString80(DisplayString): description = 'The DisplayString80 textual convention is used to define a string that can consist of 0 - 80 alphanumeric characters.' status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 80) class DisplayString55(DisplayString): description = 'The DisplayString55 textual convention is used to define a string that can consist of 0 - 55 alphanumeric characters this textual convention is used for Temperature log messages.' status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 55) class DisplayString32(DisplayString): description = 'The DisplayString32 textual convention is used to define a string that can consist of 0 - 32 alphanumeric characters.' status = 'current' subtypeSpec = DisplayString.subtypeSpec + ValueSizeConstraint(0, 32) agere = MibIdentifier((1, 3, 6, 1, 4, 1, 11898)) orinocoObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1)) orinocoNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 2)) orinocoConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 3)) orinocoGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 3, 1)) orinocoCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 3, 2)) orinocoProducts = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4)) ap1000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 1)) rg1000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 2)) as1000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 3)) as2000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 4)) ap500 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 5)) ap2000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 6)) bg2000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 7)) rg1100 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 8)) tmp11 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 9)) ap600 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 10)) ap2500 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 11)) ap4000 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 12)) ap700 = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 4, 13)) orinocoSys = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1)) orinocoIf = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2)) orinocoNet = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3)) orinocoSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4)) orinocoFiltering = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5)) orinocoRADIUS = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6)) orinocoTelnet = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7)) orinocoTFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8)) orinocoSerial = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 9)) orinocoIAPP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10)) orinocoLinkTest = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11)) orinocoLinkInt = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12)) orinocoUPSD = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 13)) orinocoQoS = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14)) orinocoDHCP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15)) orinocoHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16)) orinocoWDS = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17)) orinocoTrap = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18)) orinocoIPARP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 19)) orinocoSpanningTree = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 20)) orinocoSecurity = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21)) orinocoPPPoE = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22)) orinocoConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23)) orinocoDNS = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24)) orinocoAOL = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 25)) orinocoNAT = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26)) orinocoSpectraLink = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 29)) orinocoVLAN = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30)) orinocoDMZ = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31)) orinocoOEM = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32)) orinocoStationStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33)) orinocoSNTP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34)) orinocoSysInvMgmt = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1)) orinocoSysFeature = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19)) orinocoSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21)) orinocoTempLog = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23)) orinocoWirelessIf = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1)) orinocoEthernetIf = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2)) orinocoWORPIf = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5)) orinocoWORPIfSat = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3)) orinocoWORPIfSiteSurvey = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4)) orinocoWORPIfRoaming = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5)) orinocoWORPIfDDRS = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6)) orinocoWORPIfBSU = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7)) orinocoWORPIfSatConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1)) orinocoWORPIfSatStat = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2)) orinocoWORPIfBSUStat = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1)) orinocoNetIP = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1)) orinocoRADIUSAuth = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1)) orinocoRADIUSAcct = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2)) orinocoRADIUSSvrProfiles = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10)) orinocoProtocolFilter = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1)) orinocoAccessControl = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2)) orinocoStaticMACAddressFilter = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3)) orinocoStormThreshold = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4)) orinocoPortFilter = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5)) orinocoAdvancedFiltering = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6)) orinocoPacketForwarding = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 7)) orinocoIBSSTraffic = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 8)) orinocoIntraCellBlocking = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9)) orinocoSecurityGw = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 10)) orinocoDHCPServer = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1)) orinocoDHCPClient = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 2)) orinocoDHCPRelay = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3)) orinocoDNSClient = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 5)) orinocoRAD = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4)) orinocoRogueScan = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8)) oriSystemReboot = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemReboot.setStatus('current') if mibBuilder.loadTexts: oriSystemReboot.setDescription('This object is used to reboot the device. The value assigned to this object is the number of seconds until the next reboot.') oriSystemContactEmail = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 5), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemContactEmail.setStatus('current') if mibBuilder.loadTexts: oriSystemContactEmail.setDescription('This object is used to identify the email address of the contact person for this managed device.') oriSystemContactPhoneNumber = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemContactPhoneNumber.setStatus('current') if mibBuilder.loadTexts: oriSystemContactPhoneNumber.setDescription('This object is used to identify the phone number of the contact person for this managed device.') oriSystemFlashUpdate = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 7), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemFlashUpdate.setStatus('current') if mibBuilder.loadTexts: oriSystemFlashUpdate.setDescription('When this variable is set, all the objects that are to be comitted to flash will be written to flash. This will be done immediately after the value is set, regardless of the value set.') oriSystemFlashBackupInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 8), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemFlashBackupInterval.setStatus('current') if mibBuilder.loadTexts: oriSystemFlashBackupInterval.setDescription('This object is used for the backup time interval for flash memory to be udpated.') oriSystemEmergencyResetToDefault = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 9), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemEmergencyResetToDefault.setStatus('current') if mibBuilder.loadTexts: oriSystemEmergencyResetToDefault.setDescription('This object is used to reset the device to factory default values. When this variable is set to 1, all the objects shall be set to factory default values. The default value for this object should be 0.') oriSystemMode = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("bridge", 1), ("gateway", 2))).clone('bridge')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemMode.setStatus('current') if mibBuilder.loadTexts: oriSystemMode.setDescription('This object represents the mode the system is configured to operate in, either bridge or gateway/router mode.') oriSystemEventLogTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 11), ) if mibBuilder.loadTexts: oriSystemEventLogTable.setStatus('current') if mibBuilder.loadTexts: oriSystemEventLogTable.setDescription('This table contains system event log information that can include events, errors, and informational messages. This is a circular buffer with a limit 100 entries.') oriSystemEventLogTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 11, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSystemEventLogMessage")) if mibBuilder.loadTexts: oriSystemEventLogTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSystemEventLogTableEntry.setDescription('This object represents an entry in the system event log table.') oriSystemEventLogMessage = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 11, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemEventLogMessage.setStatus('current') if mibBuilder.loadTexts: oriSystemEventLogMessage.setDescription('This object is used to store system event log information. This is also used as the index to the table.') oriSystemEventLogTableReset = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemEventLogTableReset.setStatus('current') if mibBuilder.loadTexts: oriSystemEventLogTableReset.setDescription('This object is used to reset/clear the event log table. When this object is the set all entries in the event log table are deleted/cleared.') oriSystemEventLogMask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 13), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemEventLogMask.setStatus('current') if mibBuilder.loadTexts: oriSystemEventLogMask.setDescription('This object is used to control what events will be logged by the event log facility. It is a mask, each bit is used to enable/disable a corresponding set of log messages. The OR2000 uses the standard syslog priorities and facilities. The Mask should only be set to mask specific facilities. The facilities are: LOG_KERN (0<<3) kernel messages LOG_USER (1<<3) random user-level messages LOG_MAIL (2<<3) mail system LOG_DAEMON (3<<3) system daemons LOG_AUTH (4<<3) authorization messages LOG_SYSLOG (5<<3) messages generated internally by syslogd LOG_LPR (6<<3) line printer subsystem LOG_NEWS (7<<3) network news subsystem LOG_UUCP (8<<3) UUCP subsystem LOG_CRON (9<<3) clock daemon LOG_AUTHPRIV (10<<3) authorization messages (private) LOG_FTP (11<<3) ftp daemon LOG_NTP (12<<3) NTP subsystem LOG_SECURITY (13<<3) security subsystems (firewalling, etc.) LOG_CONSOLE (14<<3) /dev/console output - other codes through 15 reserved for system use LOG_LOCAL0 (16<<3) reserved for local use LOG_LOCAL1 (17<<3) reserved for local use LOG_LOCAL2 (18<<3) reserved for local use LOG_LOCAL3 (19<<3) reserved for local use LOG_LOCAL4 (20<<3) reserved for local use LOG_LOCAL5 (21<<3) reserved for local use LOG_LOCAL6 (22<<3) reserved for local use LOG_LOCAL7 (23<<3) reserved for local use On the BG2000: Each nibble (4 bits == 1 hex digit == a nibble) represents a category of log messages. There are 4 levels of messages per category (1 bit per level per category). The least significant bit is a higher priority message. As follows: security - nibble 1, bits 1-4 errors - nibble 2, bits 5-8 system startup - nibble 3, bits 9-12 warnings - nibble 4, bits 13-16 information - nibble 5, bits 17-20 0x00000 - No events will be logged. 0x000F0 - Only errors will be logged. 0x0F0F0 - Warnings and errors will be logged. 0xFFFFF - All events will be logged.') oriSystemAccessUserName = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 14), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemAccessUserName.setStatus('current') if mibBuilder.loadTexts: oriSystemAccessUserName.setDescription('This object represents the system access user name for the supported management interfaces (Telnet and HTTP).') oriSystemAccessPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 15), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemAccessPassword.setStatus('current') if mibBuilder.loadTexts: oriSystemAccessPassword.setDescription('This object represents the system access password for the supported management interfaces (Telnet and HTTP). This object should be treated as write-only and returned as asterisks.') oriSystemAccessLoginTimeout = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 300)).clone(60)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemAccessLoginTimeout.setStatus('current') if mibBuilder.loadTexts: oriSystemAccessLoginTimeout.setDescription('This object represents the login timeout in seconds. The default value should be 60 seconds (1 minute).') oriSystemAccessIdleTimeout = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 36000)).clone(900)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemAccessIdleTimeout.setStatus('current') if mibBuilder.loadTexts: oriSystemAccessIdleTimeout.setDescription('This object represents the inactivity or idle timeout in seconds. The default value should be 900 seconds (15 minutes).') oriSystemEventLogNumberOfMessages = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemEventLogNumberOfMessages.setStatus('current') if mibBuilder.loadTexts: oriSystemEventLogNumberOfMessages.setDescription('This object represents the number of messages currently stored in the event log table.') oriSystemAccessMaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemAccessMaxSessions.setStatus('current') if mibBuilder.loadTexts: oriSystemAccessMaxSessions.setDescription('This object controls the maximum number of simultaneous telnet, http, and serial managmenent sessions.') oriSystemCountryCode = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 22), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSystemCountryCode.setStatus('current') if mibBuilder.loadTexts: oriSystemCountryCode.setDescription('This attribute identifies the country in which the station is operating. The first two octets of this string is the two character country code as described in document ISO/IEC 3166-1. Below is the list of mapping of country codes to country names. AL - ALBANIA DZ - ALGERIA AR - ARGENTINA AM - ARMENIA AU - AUSTRALIA AT - AUSTRIA AZ - AZERBAIJAN BH - BAHRAIN BY - BELARUS BE - BELGIUM BZ - BELIZE BO - BOLIVIA BR - BRAZIL BN - BRUNEI DARUSSALAM BG - BULGARIA CA - CANADA CL - CHILE CN - CHINA CO - COLOMBIA CR - COSTA RICA HR - CROATIA CY - CYPRUS CZ - CZECH REPUBLIC DK - DENMARK DO - DOMINICAN REPUBLIC EC - ECUADOR EG - EGYPT EE - ESTONIA FI - FINLAND FR - FRANCE GE - GEORGIA DE - GERMANY GR - GREECE GT - GUATEMALA HK - HONG KONG HU - HUNGARY IS - ICELAND IN - INDIA ID - INDONESIA IR - IRAN IE - IRELAND I1 - IRELAND - 5.8GHz IL - ISRAEL IT - ITALY JP - JAPAN J2 - JAPAN2 JO - JORDAN KZ - KAZAKHSTAN KP - NORTH KOREA KR - KOREA REPUBLIC K2 - KOREA REPUBLIC2 KW - KUWAIT LV - LATVIA LB - LEBANON LI - LIECHTENSTEIN LT - LITHUANIA LU - LUXEMBOURG MO - MACAU MK - MACEDONIA MY - MALAYSIA MX - MEXICO MC - MONACO MA - MOROCCO NL - NETHERLANDS NZ - NEW ZEALAND NO - NORWAY OM - OMAN PK - PAKISTAN PA - PANAMA PE - PERU PH - PHILIPPINES PL - POLAND PT - PORTUGAL PR - PUERTO RICO QA - QATAR RO - ROMANIA RU - RUSSIA SA - SAUDI ARABIA SG - SINGAPORE SK - SLOVAK REPUBLIC SI - SLOVENIA ZA - SOUTH AFRICA ES - SPAIN SE - SWEDEN CH - SWITZERLAND SY - SYRIA TW - TAIWAN TH - THAILAND TR - TURKEY UA - UKRAINE AE - UNITED ARAB EMIRATES GB - UNITED KINGDOM G1 - UNITED KINGDOM - 5.8GHz US - UNITED STATES UW - UNITED STATES - World U1 - UNITED STATES - DFS UY - URUGUAY VE - VENEZUELA VN - VIETNAM') oriSystemHwType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("indoor", 1), ("outdoor", 2))).clone('indoor')).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemHwType.setStatus('current') if mibBuilder.loadTexts: oriSystemHwType.setDescription('This attribute identifies the type of TMP11 hardware i.e. Indoor or Outdoor.') oriSystemInvMgmtComponentTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1), ) if mibBuilder.loadTexts: oriSystemInvMgmtComponentTable.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtComponentTable.setDescription('This table contains the inventory management objects for the system components.') oriSystemInvMgmtComponentTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSystemInvMgmtTableComponentIndex")) if mibBuilder.loadTexts: oriSystemInvMgmtComponentTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtComponentTableEntry.setDescription('This object represents an entry in the system inventory management component table.') oriSystemInvMgmtTableComponentIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentIndex.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentIndex.setDescription('This object represents the table index.') oriSystemInvMgmtTableComponentSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentSerialNumber.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentSerialNumber.setDescription('This object identifies the system component serial number.') oriSystemInvMgmtTableComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentName.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentName.setDescription('This object identifies the system component name.') oriSystemInvMgmtTableComponentId = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentId.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentId.setDescription('This object identifies the system component identification.') oriSystemInvMgmtTableComponentVariant = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentVariant.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentVariant.setDescription('This object identifies the system component variant number.') oriSystemInvMgmtTableComponentReleaseVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentReleaseVersion.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentReleaseVersion.setDescription('This object identifies the system component release version number.') oriSystemInvMgmtTableComponentMajorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentMajorVersion.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentMajorVersion.setDescription('This object identifies the system component major version number.') oriSystemInvMgmtTableComponentMinorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 1, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentMinorVersion.setStatus('current') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentMinorVersion.setDescription('This object identifies the system component minor version number.') oriSystemInvMgmtTableComponentIfTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2), ) if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentIfTable.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentIfTable.setDescription('This table contains the inventory management objects for the system components. This table has been deprecated.') oriSystemInvMgmtTableComponentIfTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSystemInvMgmtTableComponentIndex"), (0, "ORiNOCO-MIB", "oriSystemInvMgmtInterfaceTableIndex")) if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentIfTableEntry.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtTableComponentIfTableEntry.setDescription('This object represents an entry in the system component interface table. This object has been deprecated.') oriSystemInvMgmtInterfaceTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceTableIndex.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceTableIndex.setDescription('This object identifies the interface table index. This object has been deprecated.') oriSystemInvMgmtInterfaceId = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceId.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceId.setDescription('This object identifies the system component interface identification. This object has been deprecated.') oriSystemInvMgmtInterfaceRole = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("actor", 1), ("supplier", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceRole.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceRole.setDescription('This object identifies the system component interface role. This object has been deprecated.') oriSystemInvMgmtInterfaceVariant = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceVariant.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceVariant.setDescription("This object identifies the system component's interface variant number. This object has been deprecated.") oriSystemInvMgmtInterfaceBottomNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceBottomNumber.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceBottomNumber.setDescription("This object identifies the system component's interface bottom number. This object has been deprecated.") oriSystemInvMgmtInterfaceTopNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 1, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceTopNumber.setStatus('deprecated') if mibBuilder.loadTexts: oriSystemInvMgmtInterfaceTopNumber.setDescription("This object identifies the system component's interface top number. This object has been deprecated.") oriSystemFeatureTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19, 1), ) if mibBuilder.loadTexts: oriSystemFeatureTable.setStatus('current') if mibBuilder.loadTexts: oriSystemFeatureTable.setDescription('This table contains a list of features that the current image supports and indicates if this features is licensed (enabled) or not (disabled). Each row represents a supported and/or licensed feature. Supported indicates if the current image supports the image while Licensed indicates that a license is available to use this feature. Based on the license information in this table, some MIB groups/subgroups/tables will be enabled or disabled.') oriSystemFeatureTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSystemFeatureTableCode")) if mibBuilder.loadTexts: oriSystemFeatureTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSystemFeatureTableEntry.setDescription('This object represents an entry in the system feature license table.') oriSystemFeatureTableCode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39))).clone(namedValues=NamedValues(("bandwidthWiFi", 1), ("bandwidthWDS", 2), ("bandwidthWORPUp", 3), ("bandwidthTurboCell", 4), ("bandwidthADSL", 5), ("bandwidthCable", 6), ("bandwidthPhone", 7), ("maxStationsWiFi", 8), ("maxLinksWDS", 9), ("maxStationsWORP", 10), ("maxStationsTurboCell", 11), ("maxPPPoESessions", 12), ("managementHTTP", 13), ("remoteLinkTest", 14), ("routingStatic", 15), ("routingRIP", 16), ("routingOSPF", 17), ("spanningTreeProtocol", 18), ("linkIntegrity", 19), ("dHCPServer", 20), ("dHCPRelayAgent", 21), ("proxyARP", 22), ("filteringStatic", 23), ("authRADIUS", 24), ("acctRADIUS", 25), ("throttlingRADIUS", 26), ("filterIP", 27), ("ieee802dot1x", 28), ("nse", 29), ("iAPP", 30), ("dNSRedirect", 31), ("aOLNATGateway", 32), ("hereUare", 33), ("spectralink", 34), ("vLANTagging", 35), ("satMaxUsers", 36), ("bandwidthWORPDown", 37), ("disableSecWifiIf", 38), ("initialProductType", 39)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemFeatureTableCode.setStatus('current') if mibBuilder.loadTexts: oriSystemFeatureTableCode.setDescription('This object identifies the code for the licensed feature and is used as index for this table.') oriSystemFeatureTableSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19, 1, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemFeatureTableSupported.setStatus('current') if mibBuilder.loadTexts: oriSystemFeatureTableSupported.setDescription('This object represents the maximum value for the feature as supported by the current image. For boolean features zero means not supported, non-zero value means supported.') oriSystemFeatureTableLicensed = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19, 1, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemFeatureTableLicensed.setStatus('current') if mibBuilder.loadTexts: oriSystemFeatureTableLicensed.setDescription('This object represents the maximum value for the feature as enforced by the license(s). For boolean features zero means not licensed, non-zero value means licensed.') oriSystemFeatureTableDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 19, 1, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSystemFeatureTableDescription.setStatus('current') if mibBuilder.loadTexts: oriSystemFeatureTableDescription.setDescription('This object represents a textual description for the licensed feature.') oriSyslogStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogStatus.setStatus('current') if mibBuilder.loadTexts: oriSyslogStatus.setDescription('This object is used to enable or disable the syslog feature.') oriSyslogPort = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSyslogPort.setStatus('current') if mibBuilder.loadTexts: oriSyslogPort.setDescription('This object represents the UDP destination port number for syslog services. The standard syslog port is 514.') oriSyslogPriority = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogPriority.setStatus('current') if mibBuilder.loadTexts: oriSyslogPriority.setDescription('This object represents the lowest message priority to be logged by the syslog service.') oriSyslogHeartbeatStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogHeartbeatStatus.setStatus('current') if mibBuilder.loadTexts: oriSyslogHeartbeatStatus.setDescription('This object is used to enable or disable logging of heartbeat messages by the syslog service.') oriSyslogHeartbeatInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 604800)).clone(900)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogHeartbeatInterval.setStatus('current') if mibBuilder.loadTexts: oriSyslogHeartbeatInterval.setDescription('This object is used to configure interval (in seconds) for which heartbeat messages will be logged.') oriSyslogHostTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 6), ) if mibBuilder.loadTexts: oriSyslogHostTable.setStatus('current') if mibBuilder.loadTexts: oriSyslogHostTable.setDescription('This table is used to configure syslog hosts.') oriSyslogHostTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 6, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSyslogHostTableIndex")) if mibBuilder.loadTexts: oriSyslogHostTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSyslogHostTableEntry.setDescription('This object represents an entry for the syslog host table.') oriSyslogHostTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSyslogHostTableIndex.setStatus('current') if mibBuilder.loadTexts: oriSyslogHostTableIndex.setDescription('This object represents an index in the syslog host table.') oriSyslogHostIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 6, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogHostIPAddress.setStatus('current') if mibBuilder.loadTexts: oriSyslogHostIPAddress.setDescription('This object represents the IP address of the host running the syslog daemon.') oriSyslogHostComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 6, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogHostComment.setStatus('current') if mibBuilder.loadTexts: oriSyslogHostComment.setDescription('This object represents an optional comment for the syslog host, for example the host name or a reference.') oriSyslogHostTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 21, 6, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSyslogHostTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriSyslogHostTableEntryStatus.setDescription('This object is used to enable, disable, delete, or create an entry in the syslog host table.') oriUnitTemp = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-30, 60))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriUnitTemp.setStatus('current') if mibBuilder.loadTexts: oriUnitTemp.setDescription('This object is used for the internal unit temperature in degrees celsius. The range of the temperature is -30 to 60 degrees celsius.') oriTempLoggingInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60)).clone(5)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTempLoggingInterval.setStatus('current') if mibBuilder.loadTexts: oriTempLoggingInterval.setDescription('This object is used for logging interval. The valid values are 1,5,10,15,20,25,30,35,40,45,50,55,and 60.') oriTempLogTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23, 3), ) if mibBuilder.loadTexts: oriTempLogTable.setStatus('current') if mibBuilder.loadTexts: oriTempLogTable.setDescription('This table contains temperature log information. This is a circular buffer with a limit 576 entries.') oriTempLogTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriTempLogMessage")) if mibBuilder.loadTexts: oriTempLogTableEntry.setStatus('current') if mibBuilder.loadTexts: oriTempLogTableEntry.setDescription('This object represents an entry in the temperature log table.') oriTempLogMessage = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23, 3, 1, 1), DisplayString55()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTempLogMessage.setStatus('current') if mibBuilder.loadTexts: oriTempLogMessage.setDescription('This object is used to store temperature log information. This is also used as the index to the table.') oriTempLogTableReset = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 1, 23, 4), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTempLogTableReset.setStatus('current') if mibBuilder.loadTexts: oriTempLogTableReset.setDescription('This object is used for resetting the temperature log table.') oriWirelessIfPropertiesTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1), ) if mibBuilder.loadTexts: oriWirelessIfPropertiesTable.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfPropertiesTable.setDescription('This table contains information on the properties and capabilities of the wireless interface(s) present in the device.') oriWirelessIfPropertiesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriWirelessIfPropertiesIndex")) if mibBuilder.loadTexts: oriWirelessIfPropertiesEntry.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfPropertiesEntry.setDescription('This object represents the entry in the wireless interface properties table.') oriWirelessIfPropertiesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfPropertiesIndex.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfPropertiesIndex.setDescription('This object represents a unique value for each interface in the system and is used as index to this table.') oriWirelessIfNetworkName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32)).clone('My Wireless Network')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfNetworkName.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfNetworkName.setDescription('This object represents the network name (SSID) for this wireless interface.') oriWirelessIfMediumReservation = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2347)).clone(2347)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfMediumReservation.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfMediumReservation.setDescription('This object represents the medium reservation value. The range for this parameter is 0 - 2347. The medium reservation specifies the number of octects in a frame above which a RTS/CTS handshake is performed. The default value should be 2347, which disables RTS/CTS mode.') oriWirelessIfInterferenceRobustness = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfInterferenceRobustness.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfInterferenceRobustness.setDescription('This object enables or disables the interference robustness feature. The default value for this object should be disable.') oriWirelessIfDTIMPeriod = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 255)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfDTIMPeriod.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfDTIMPeriod.setDescription('This object represents the delivery traffic indication map period. This is the interval between the transmission of multicast frames on the wireless inteface. It is expressed in the Beacon messages. The recommended default value for this object is 1.') oriWirelessIfChannel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfChannel.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfChannel.setDescription('This object represents the radio frequency channel for this wireless interface. The default value for the channel is based on the regulatory domain.') oriWirelessIfDistancebetweenAPs = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("large", 1), ("medium", 2), ("small", 3), ("minicell", 4), ("microcell", 5))).clone('large')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfDistancebetweenAPs.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfDistancebetweenAPs.setDescription('This object identifies the distance between access points. The default value for this parameter should be large.') oriWirelessIfMulticastRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfMulticastRate.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfMulticastRate.setDescription('This object is used to configure the multicast rate, but it is dependent on the type of wireless NIC. The value of this object is given in 500 Kbps units. This object can be configured to one of the values defined by the supported multicast rates objects (oriWirelessIfSupportedMulticastRates). For 802.11b Wireless NICs: This object identifies multicast rate of the wireless interface. This is dependent on the distance between APs. When the distance between APs object is set to small, minicell, or microcell the multicast rates can be set to 11 Mbit/s (22 in 500 Kbps units), 5.5 Mbit/s (11), 2 Mbit/s (4), and 1 Mbit/s (2). When this object is set to medium, the allowed rates are 5.5 Mbit/s (11), 2 Mbit/s (4), 1 Mbit/s (2). When this object is set to large, then the multicast rates can be set to 2 Mbits/s (4) or 1 Mbits/s (2). The default value for this object should be 2 Mbits/sec (4). For 802.11a, g, and a/g Wireless NICs: This object is used to set the multicast rate for beacons, frames used for protection mechanism (CTS), and other multicast and broadcast frames.') oriWirelessIfClosedSystem = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfClosedSystem.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfClosedSystem.setDescription("This object is used as a flag which identifies whether the device will accept association requests to this interface, for client stations configured with a network name of 'ANY'. When this object is disabled, it will accept association requests from client stations with a network name of 'ANY'. If this object is set to enable then the interface will only accept association requests that match the interface's network name (SSID). The default value for this object should be disable.") oriWirelessIfAllowedSupportedDataRates = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 10), OctetString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfAllowedSupportedDataRates.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfAllowedSupportedDataRates.setDescription('This object reflects the transmit rates supported by the wireless interface. The values of this object are given in units of 500 kbps. Examples for supported data rates: - 802.11b PHY (DSSS - 2.4 GHz) - 0 = Auto Fallback - 2 = 1 Mbps - 4 = 2 Mbps - 11 = 5.5 Mbps - 22 = 11 Mbps - 802.11a PHY (OFDM - 5 GHz) - 0 = Auto Fallback - 12 = 6 Mbps - 18 = 9 Mbps - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 108 = 54 Mbps - 802.11a PHY (OFDM - 5 GHz) with Turbo Mode Enabled - 0 = Auto Fallback - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 144 = 72 Mbps - 192 = 96 Mbps - 216 = 108 Mbps - 802.11g PHY (ERP) in 802.11g only mode - 0 = Auto Fallback - 12 = 6 Mbps - 18 = 9 Mbps - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 108 = 54 Mbps - 802.11g PHY (ERP) in 802.11b/g mode - 0 = Auto Fallback - 2 = 1 Mbps - 4 = 2 Mbps - 11 = 5.5 Mbps - 12 = 6 Mbps - 18 = 9 Mbps - 22 = 11 Mbps - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 108 = 54 Mbps') oriWirelessIfRegulatoryDomainList = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 11), OctetString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfRegulatoryDomainList.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfRegulatoryDomainList.setDescription('This object specifies a single regulatory domain (not a list) which is supported by the wireless interface.') oriWirelessIfAllowedChannels = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 12), OctetString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfAllowedChannels.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfAllowedChannels.setDescription('This object reflects the radio frequency channels that the interface supports.') oriWirelessIfMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 13), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfMACAddress.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfMACAddress.setDescription('This object represents the MAC address of the wireless interface present in the device. This object has been deprecated.') oriWirelessIfLoadBalancing = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfLoadBalancing.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfLoadBalancing.setDescription('This object is used to configure the load balancing feature for the wireless interface.') oriWirelessIfMediumDensityDistribution = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfMediumDensityDistribution.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfMediumDensityDistribution.setDescription('This object is used to configure the medium density distribution feature for the wireless interface.') oriWirelessIfTxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfTxRate.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfTxRate.setDescription('This object is used to configure the transmit rate for unicast traffic for the wireless interface. This object is dependent on the transmit rates supported by the wireless interface (refer to MIB object - oriWirelessIfAllowedSupportedDataRates and dot11PHYType). The values of this object are given in units of 500 kbps. A value of zero (0) is interpreted as auto fallback. Examples for configuring this object: - 802.11b PHY (DSSS - 2.4 GHz) - 0 = Auto Fallback - 2 = 1 Mbps - 4 = 2 Mbps - 11 = 5.5 Mbps - 22 = 11 Mbps - 802.11a PHY (OFDM - 5 GHz) - 0 = Auto Fallback - 12 = 6 Mbps - 18 = 9 Mbps - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 108 = 54 Mbps - 802.11a PHY (OFDM - 5 GHz) with Turbo Mode Enabled - 0 = Auto Fallback - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 144 = 72 Mbps - 192 = 96 Mbps - 216 = 108 Mbps - 802.11g PHY (ERP) in 802.11g only mode - 0 = Auto Fallback - 12 = 6 Mbps - 18 = 9 Mbps - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 108 = 54 Mbps - 802.11g PHY (ERP) in 802.11b/g mode - 0 = Auto Fallback - 2 = 1 Mbps - 4 = 2 Mbps - 11 = 5.5 Mbps - 12 = 6 Mbps - 18 = 9 Mbps - 22 = 11 Mbps - 24 = 12 Mbps - 36 = 18 Mbps - 48 = 24 Mbps - 72 = 36 Mbps - 96 = 48 Mbps - 108 = 54 Mbps The default value for this object should be zero (0) auto fallback.') oriWirelessIfAutoChannelSelectStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfAutoChannelSelectStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfAutoChannelSelectStatus.setDescription('This object is used to configure the automatic frequency channel feature for the wireless interface. If this object is enabled, the frequency channel object can not be set, but the frequency channel selected will be given in that object. The default value for this object should be enable.') oriWirelessIfBandwidthLimitIn = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 18), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfBandwidthLimitIn.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfBandwidthLimitIn.setDescription('This object represents the input bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration or by a license. A written value will only take effect after reboot.') oriWirelessIfBandwidthLimitOut = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 19), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfBandwidthLimitOut.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfBandwidthLimitOut.setDescription('This object represents the output bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration or by a license. A written value will only take effect after reboot.') oriWirelessIfTurboModeStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 20), ObjStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfTurboModeStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfTurboModeStatus.setDescription('This object is used to enable or disable turbo mode support. Turbo mode is only supported for 802.11a PHY (OFDM - 5 GHz) and 802.11g (ERP - 2.4 GHz) wireless NICs and can only be enabled when super mode is enabled. When Turbo mode is enabled the data rates will be doubled (refer to oriWirelessIfAllowedSupportedDataRates object description).') oriWirelessIfSupportedOperationalModes = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 21), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSupportedOperationalModes.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSupportedOperationalModes.setDescription('This object provides information on the wireless operational modes supported by the NIC. Depending on the wireless NIC in the device different wireless operational modes can be configured. The possible supported modes can be: - 802.11b only - 802.11g only - 802.11b/g - 802.11a only - 802.11g-wifi') oriWirelessIfOperationalMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("dot11b-only", 1), ("dot11g-only", 2), ("dot11bg", 3), ("dot11a-only", 4), ("dot11g-wifi", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfOperationalMode.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfOperationalMode.setDescription('This object is used to set the wireless NIC Operational mode. Depending on the wireless NIC in the device different wireless operational modes can be configured. The supported modes are: - 802.11b only - 802.11g only - 802.11b/g - 802.11a only - 802.11g-wifi') oriWirelessIfPreambleType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 23), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfPreambleType.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfPreambleType.setDescription('This object identifies the wireless interface preamble type based on the wireless operational mode configured.') oriWirelessIfProtectionMechanismStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 24), ObjStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfProtectionMechanismStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfProtectionMechanismStatus.setDescription('This object indicates if protection mechanism is enabled or not based on the wireless operational mode configured.') oriWirelessIfSupportedMulticastRates = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 25), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSupportedMulticastRates.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSupportedMulticastRates.setDescription('This object represents the multicast rates supported by the wireless NIC and the operational mode configured.') oriWirelessIfCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 26), OctetString().subtype(subtypeSpec=ValueSizeConstraint(32, 32)).setFixedLength(32)).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfCapabilities.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfCapabilities.setDescription('This object provides information on the wireless capabilities and features supported by the wireless NIC. Each bit in this object defines a capability/feature supported by the wireless NIC. If the bit is set, the capability/feature is supported, otherwise it is not. The following list provides a definition of the bits in this object: b0 - Distance Between APs b1 - Multicast Rate b2 - Closed System b3 - Load Balancing b4 - Medium Density Distribution b5 - Auto Channel Select b6 - Turbo Mode b7 - Interference Robustness b8 - Wireless Distribution System (WDS) b9 - Transmit Power Control (TPC) b10 - Multiple SSIDs b11 - SpectraLink VoIP b12 - Remote Link Test b13 to b255 - Reserved') oriWirelessIfLBTxTimeThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 27), Integer32().subtype(subtypeSpec=ValueRangeConstraint(100, 1000000)).clone(1000000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfLBTxTimeThreshold.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfLBTxTimeThreshold.setDescription("Maximum allowed Tx processing time, in mS, where Tx processing time is measured from time a packet enters AP from the DS to the time it successfully leaves the AP's Radio.") oriWirelessIfLBAdjAPTimeDiffThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 28), Integer32().subtype(subtypeSpec=ValueRangeConstraint(100, 1000000)).clone(1000000)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfLBAdjAPTimeDiffThreshold.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfLBAdjAPTimeDiffThreshold.setDescription("Maximum allowed difference in mS between adjacent AP's Tx processing time.") oriWirelessIfACSFrequencyBandScan = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 29), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfACSFrequencyBandScan.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfACSFrequencyBandScan.setDescription('This object is used to configure the frequency bands that the auto channel select algorithm will scan through. Each bit in this object represents a band or subset of channels in the 5 GHz or 2.4 GHz space. The value of this object is interpreted as a bitfield, where the value of 1 means enable ACS scan for that band. The following list provides a definition of the bits in this object: b0 - U-NII Lower Band = 5.15 - 5.25 GHz (36, 40, 44, 48) b1 - U-NII Middle Band = 5.25 - 5.35 GHz (52, 56, 60, 64) b2 - U-NII Upper Band = 5.725 - 5.825 GHz (149, 153, 157, 161) b3 - H Band = 5.50 - 5.700 GHz (100, 104, 108, 112, 116, 120, 124, 128, 132, 136, 140) b4 - 5 GHz ISM Band = 5.825 GHz (165) b5 to b255 - Reserved') oriWirelessIfSecurityPerSSIDStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 30), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfSecurityPerSSIDStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSecurityPerSSIDStatus.setDescription('This object is used to enable or disable the security per SSID feature. Once this object is enabled, the administrator should use the Wireless Interface SSID table (oriWirelessIfSSIDTable to configure the security related management objects.') oriWirelessIfDFSStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 31), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfDFSStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfDFSStatus.setDescription('This object is used to enable/disable dynamic frequency selection. This functionality is dependent on the regulatory domain of the wireless NIC.') oriWirelessIfAntenna = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("external", 1), ("internal", 2), ("controllable", 3), ("disabled", 4))).clone('external')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfAntenna.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfAntenna.setDescription('This object is used to configure the antenna. The administrator can select controllable, external, internal, or disable the antenna.') oriWirelessIfTPCMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(3, 3), ValueRangeConstraint(6, 6), ValueRangeConstraint(9, 9), ValueRangeConstraint(12, 12), ValueRangeConstraint(15, 15), ValueRangeConstraint(18, 18), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfTPCMode.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfTPCMode.setDescription('This object is used to configure the transmit power control of the wireless NIC. The transmit power is defined in dBm and can be configured in increments 3 dBms.') oriWirelessIfSuperModeStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 34), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfSuperModeStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSuperModeStatus.setDescription('This object is used to enable/disable super mode support. Super Mode increases the overall throughput of the wireless interface by implementing fast frame, bursting, and compression. When super mode is enabled, the channels that can be used in the 2.4 GHz and 5.0 GHz spectrum are limited (refer to oriWirelessIfAllowedChannels for the allowed channels). The super mode feature is only supported for 802.11a (OFDM - 5 GHz) and 802.11g (ERP - 2.4 GHz) wireless NICs.') oriWirelessIfWSSStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("up", 1), ("down", 2))).clone('up')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfWSSStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfWSSStatus.setDescription('This object is used for the Wireless System Shutdown feature. This feature allows an administrator to shut down wireless services to clients. When this object is set to down wireless client services will be shutdown/disabled, but WDS links will still remain up.') oriWirelessIfSupportedAuthenticationModes = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 36), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSupportedAuthenticationModes.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSupportedAuthenticationModes.setDescription('This object is used to provide information on the authentication modes supported by the wireless interface. The possible authentication modes are: - none: no authentication mode - dot1x: 802.1x authentication mode - psk: psk authentication mode') oriWirelessIfSupportedCipherModes = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 37), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSupportedCipherModes.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSupportedCipherModes.setDescription('This object is used to provide information on the cipher modes/types supported by the wireless interface. The possible cipher modes/types are: - none: no cipher/encryption mode - wep: wep encryption mode - tkip: tkip encryption mode - aes: aes encryption mode') oriWirelessIfQoSStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 38), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfQoSStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfQoSStatus.setDescription('This object is used to enable/disable Quality of Service (QoS) on the wireless interface.') oriWirelessIfQoSMaxMediumThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 39), Integer32().subtype(subtypeSpec=ValueRangeConstraint(50, 90))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfQoSMaxMediumThreshold.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfQoSMaxMediumThreshold.setDescription('This object is used to specify the QoS admission control maximum medium threshold. The maximum medium threshold will apply to all access categories and is given in a percentage of the medium.') oriWirelessIfAntennaGain = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 1, 1, 40), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 35))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfAntennaGain.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfAntennaGain.setDescription('This object represents Antenna Gain value (including cable loss) that will be added to the radar detetection parameters.') oriWirelessIfSecurityTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2), ) if mibBuilder.loadTexts: oriWirelessIfSecurityTable.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSecurityTable.setDescription('This table contains information on the security management objects for the wireless interface(s) present in the device.') oriWirelessIfSecurityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriWirelessIfSecurityIndex")) if mibBuilder.loadTexts: oriWirelessIfSecurityEntry.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSecurityEntry.setDescription('This object represents an entry in the wireless interface security table.') oriWirelessIfSecurityIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSecurityIndex.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSecurityIndex.setDescription('This object represents a unique value for each interface in the system and is used as index to this table.') oriWirelessIfEncryptionOptions = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("wep", 2), ("rcFour128", 3), ("aes", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionOptions.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfEncryptionOptions.setDescription("This object sets the wireless interface's security capabilities (such as WEP and other standard and proprietary security features). AES encryption is only for 802.11a and supports only OCB mode integrity check.") oriWirelessIfEncryptionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionStatus.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfEncryptionStatus.setDescription('This object is used to enable or disable WEP encryption for the wireless interface.') oriWirelessIfEncryptionKey1 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 4), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionKey1.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfEncryptionKey1.setDescription('This object represents Encryption Key 1. This object should be treated as write-only and returned as asterisks.') oriWirelessIfEncryptionKey2 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 5), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionKey2.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfEncryptionKey2.setDescription('This object represents Encryption Key 2. This object should be treated as write-only and returned as asterisks.') oriWirelessIfEncryptionKey3 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionKey3.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfEncryptionKey3.setDescription('This object represents Encryption Key 3. This object should be treated as write-only and returned as asterisks.') oriWirelessIfEncryptionKey4 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 7), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionKey4.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfEncryptionKey4.setDescription('This object represents Encryption Key 4. This object should be treated as write-only and returned as asterisks.') oriWirelessIfEncryptionTxKey = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfEncryptionTxKey.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfEncryptionTxKey.setDescription('This object indicates which encryption key is used to encrypt data that is sent via the wireless interfaces. When this object is configured to 0, then Encryption Key 1 will be used. When this object is configured to 1, then Encryption Key 2 will be used. When this object is configured to 2, then Encryption Key 3 will be used. When this object is configured to 3, then Encryption Key 4 will be used. The default value for this object should be key 0.') oriWirelessIfDenyNonEncryptedData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfDenyNonEncryptedData.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfDenyNonEncryptedData.setDescription('This parameter indicates if this interface will accept or deny non-encrypted data. The default value for this parameters is disabled.') oriWirelessIfProfileCode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 2, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfProfileCode.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfProfileCode.setDescription('The object represents the profile code of the wirelesss interface. This information is comprised of a vendor indication and a capability indication (example: bronze or gold card).') oriWirelessIfSSIDTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3), ) if mibBuilder.loadTexts: oriWirelessIfSSIDTable.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTable.setDescription('This table is used to configure the SSIDs for the wireless interface in the device.') oriWirelessIfSSIDTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "ORiNOCO-MIB", "oriWirelessIfSSIDTableIndex")) if mibBuilder.loadTexts: oriWirelessIfSSIDTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEntry.setDescription('This object represents an entry in the respective table. In this case each table entry represents a VLAN ID.') oriWirelessIfSSIDTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSSIDTableIndex.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableIndex.setDescription('This object represents the index to the SSID Table.') oriWirelessIfSSIDTableSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableSSID.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableSSID.setDescription('This object represents the wireless card SSID string (wireless network name).') oriWirelessIfSSIDTableVLANID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 3), VlanId().clone(-1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableVLANID.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableVLANID.setDescription('This object represents the VLAN Identifier (ID).') oriWirelessIfSSIDTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableStatus.setDescription('This object represents the wireless SSID table row/entry status.') oriWirelessIfSSIDTableSecurityMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("none", 1), ("dot1x", 2), ("mixed", 3), ("wpa", 4), ("wpa-psk", 5), ("wep", 6))).clone('none')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableSecurityMode.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableSecurityMode.setDescription('This object is used to configure the security mode for this table entry (SSID). This object is deprecated.') oriWirelessIfSSIDTableBroadcastSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 6), ObjStatus().clone('disable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableBroadcastSSID.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableBroadcastSSID.setDescription('This object is used to enable/disable a broadcast SSID in the SSID table. A single entry in the SSID table can be enabled to broadcast SSID in beacon messages.') oriWirelessIfSSIDTableClosedSystem = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 7), ObjStatus().clone('enable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableClosedSystem.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableClosedSystem.setDescription('This object is used to enable/disable the closed system feature for this table entry (SSID).') oriWirelessIfSSIDTableSupportedSecurityModes = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 8), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWirelessIfSSIDTableSupportedSecurityModes.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableSupportedSecurityModes.setDescription('This object is used to provide information on the supported security modes by the wireless interface(s). The possible security modes can be: - None: no security mode enabled. - dot1x: 802.1x authentication enabled. - mixed: mixed WEP and 802.1x. - wpa: WiFi Protected Access enabled. - wpa-psk: WiFi Protected Access with Preshared Keys enabled. - wep: WEP Encryption enabled (no authentication) This object is deprecated.') oriWirelessIfSSIDTableEncryptionKey0 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 9), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey0.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey0.setDescription('This object represents Encryption Key 0. This object should be treated as write-only and returned as asterisks. This object is deprecated.') oriWirelessIfSSIDTableEncryptionKey1 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 10), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey1.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey1.setDescription('This object represents Encryption Key 1. This object should be treated as write-only and returned as asterisks. This object is deprecated.') oriWirelessIfSSIDTableEncryptionKey2 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 11), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey2.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey2.setDescription('This object represents Encryption Key 2. This object should be treated as write-only and returned as asterisks. This object is deprecated.') oriWirelessIfSSIDTableEncryptionKey3 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 12), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey3.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKey3.setDescription('This object represents Encryption Key 3. This object should be treated as write-only and returned as asterisks. This object is deprecated.') oriWirelessIfSSIDTableEncryptionTxKey = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionTxKey.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionTxKey.setDescription('This object indicates which encryption key is used to encrypt data that is sent via the wireless interfaces. The default value for this object should be key 0. This object is deprecated.') oriWirelessIfSSIDTableEncryptionKeyLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("sixtyFourBits", 1), ("oneHundredTwentyEightBits", 2), ("oneHundredFiftyTwoBits", 3))).clone('sixtyFourBits')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKeyLength.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableEncryptionKeyLength.setDescription('This object represents the encryption key length, the supported key lengths are 64 bits (40 + 24 for IV), 128 bits (104 + 24 for IV), and 152 bits (128 + 24 for IV). This object is deprecated.') oriWirelessIfSSIDTableRekeyingInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(300, 65535), )).clone(900)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableRekeyingInterval.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableRekeyingInterval.setDescription('This object represents the encryption rekeying interval. if this object is configured to zero (0) rekeying is disabled. The units of this object is seconds.') oriWirelessIfSSIDTablePSKValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(32, 32)).setFixedLength(32)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTablePSKValue.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTablePSKValue.setDescription('The Pre-Shared Key (PSK) for when RSN in PSK mode is the selected authentication suite. In that case, the PMK will obtain its value from this object. This object is logically write-only. Reading this variable shall return unsuccessful status or null or zero. This object is deprecated.') oriWirelessIfSSIDTablePSKPassPhrase = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 17), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTablePSKPassPhrase.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTablePSKPassPhrase.setDescription('The PSK, for when RSN in PSK mode is the selected authentication suite, is configured by oriWirelessIfSSIDTablePSKValue. An alternative manner of setting the PSK uses the password-to-key algorithm defined in the standard. This variable provides a means to enter a pass phrase. When this object is written, the RSN entity shall use the password-to-key algorithm specified in the standard to derive a pre-shared and populate oriWirelessIfSSIDTablePSKValue with this key. This object is logically write-only. Reading this variable shall return unsuccessful status or null or zero. This object is deprecated.') oriWirelessIfSSIDTableDenyNonEncryptedData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 18), ObjStatus().clone('enable')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableDenyNonEncryptedData.setStatus('deprecated') if mibBuilder.loadTexts: oriWirelessIfSSIDTableDenyNonEncryptedData.setDescription('This object is used to enable/disable deny non encrypted data. This function is only supported when the security mode is configured to WEP or Mixed Mode; it is not supported for 802.1x, WPA, and WPA-PSK security modes. This object is deprecated.') oriWirelessIfSSIDTableSSIDAuthorizationStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 19), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfSSIDTableSSIDAuthorizationStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableSSIDAuthorizationStatus.setDescription('This object is used to enable or disable SSID Authorization.') oriWirelessIfSSIDTableMACAccessControl = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 20), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfSSIDTableMACAccessControl.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableMACAccessControl.setDescription('This object is used to enable or disable MAC Access Control feature/filter for this SSID.') oriWirelessIfSSIDTableRADIUSMACAccessControl = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 21), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSMACAccessControl.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSMACAccessControl.setDescription('This object is used to enables RADIUS Access Control based on wireless stations MAC Address.') oriWirelessIfSSIDTableSecurityProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 22), Integer32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableSecurityProfile.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableSecurityProfile.setDescription('This object is used to configure the security profile that will be used for this SSID. The security profile is defined in the Security Profile Table in the orinocoSecurity group.') oriWirelessIfSSIDTableRADIUSDot1xProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 23), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSDot1xProfile.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSDot1xProfile.setDescription('This object is used to configure the RADIUS server profile that will be used for 802.1x authentication for this SSID. The RADIUS profile is defined in the RADIUS Server Table in the orinocoRADIUSSvrProfile group.') oriWirelessIfSSIDTableRADIUSMACAuthProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 24), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSMACAuthProfile.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSMACAuthProfile.setDescription('This object is used to configure the RADIUS server profile that will be used for MAC based RADIUS authentication for this SSID. The RADIUS profile is defined in the RADIUS Server Table in the orinocoRADIUSSvrProfile group.') oriWirelessIfSSIDTableRADIUSAccountingStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 25), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSAccountingStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSAccountingStatus.setDescription('This object is used to enable or disable the RADIUS Accounting service per SSID.') oriWirelessIfSSIDTableRADIUSAccountingProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 26), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSAccountingProfile.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableRADIUSAccountingProfile.setDescription('This object is used to configure the RADIUS server profile that will be used for Accounting for this SSID. The RADIUS profile is defined in the RADIUS Server Table in the orinocoRADIUSSvrProfile group.') oriWirelessIfSSIDTableQoSPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 3, 1, 27), Integer32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriWirelessIfSSIDTableQoSPolicy.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfSSIDTableQoSPolicy.setDescription('This object is used to configure the QoS policy that will be used for this SSID. The QoS profile is defined in the QoS Policy Table in the orinocoQoS group.') oriWirelessIfTxPowerControl = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 1, 4), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfTxPowerControl.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfTxPowerControl.setDescription('This object is used to enable or disable Transmit (Tx) Power Control feature.') oriEthernetIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2, 1), ) if mibBuilder.loadTexts: oriEthernetIfConfigTable.setStatus('current') if mibBuilder.loadTexts: oriEthernetIfConfigTable.setDescription('This table is used to configure the ethernet interface(s) for the device.') oriEthernetIfConfigTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriEthernetIfConfigTableIndex")) if mibBuilder.loadTexts: oriEthernetIfConfigTableEntry.setStatus('current') if mibBuilder.loadTexts: oriEthernetIfConfigTableEntry.setDescription('This object represents an entry in the ethernet interface configuration table.') oriEthernetIfConfigTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriEthernetIfConfigTableIndex.setStatus('current') if mibBuilder.loadTexts: oriEthernetIfConfigTableIndex.setDescription('This object represents the index of the ethernet configuraiton table.') oriEthernetIfConfigSettings = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("tenMegabitPerSecHalfDuplex", 1), ("tenMegabitPerSecFullDuplex", 2), ("tenMegabitPerSecAutoDuplex", 3), ("onehundredMegabitPerSecHalfDuplex", 4), ("onehundredMegabitPerSecFullDuplex", 5), ("autoSpeedHalfDuplex", 6), ("autoSpeedAutoDuplex", 7), ("onehundredMegabitPerSecAutoDuplex", 8)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriEthernetIfConfigSettings.setStatus('current') if mibBuilder.loadTexts: oriEthernetIfConfigSettings.setDescription("This object is used to configure the Ethernet interface's speed. Some devices support all the configuration options listed above, while others support only a subset of the configuration options.") oriEthernetIfConfigBandwidthLimitIn = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2, 1, 1, 3), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriEthernetIfConfigBandwidthLimitIn.setStatus('current') if mibBuilder.loadTexts: oriEthernetIfConfigBandwidthLimitIn.setDescription('This object represents the input bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration, or by a license. A written value will only take effect after reboot.') oriEthernetIfConfigBandwidthLimitOut = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 2, 1, 1, 4), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriEthernetIfConfigBandwidthLimitOut.setStatus('current') if mibBuilder.loadTexts: oriEthernetIfConfigBandwidthLimitOut.setDescription('This object represents the output bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration, or by a license. A written value will only take effect after reboot.') oriIfWANInterfaceMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 4), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIfWANInterfaceMACAddress.setStatus('current') if mibBuilder.loadTexts: oriIfWANInterfaceMACAddress.setDescription('This object represents the MAC address of the WAN interface.') oriWORPIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1), ) if mibBuilder.loadTexts: oriWORPIfConfigTable.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTable.setDescription('This table is used to configure the mode, time-outs, and protocol objects for wireless interface(s) that are configured to run WORP.') oriWORPIfConfigTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriWORPIfConfigTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableEntry.setDescription('This object represents an entry in the WORP Interface Configuration Table.') oriWORPIfConfigTableMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 1), ("ap", 2), ("base", 3), ("satellite", 4))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableMode.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableMode.setDescription('The running mode of this interface: - If set to disabled, the interface is disabled. - If set to AP, the interface will run in standard IEEE802.11 mode. - If set to Base, the interface will be a WORP master interface and be able to connect to multiple WORP satellites. - If set to Satellite, the interface will be a WORP slave interface.') oriWORPIfConfigTableBaseStationName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableBaseStationName.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableBaseStationName.setDescription('The name of the base station. For a base this name will default to the MIB-II sysName; for a satellite to empty (if not registered to any base) or the name it is registered to. When a name is set for a satellite, the satellite will only register on a base with this name.') oriWORPIfConfigTableMaxSatellites = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableMaxSatellites.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableMaxSatellites.setDescription('The maximum of remotes allowed on this interface. Please note that this value will also be limited by the image and the license.') oriWORPIfConfigTableRegistrationTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableRegistrationTimeout.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableRegistrationTimeout.setDescription('This object represents the Timeout of regristration and authentication, configurable between 1sec and 10sec.') oriWORPIfConfigTableRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableRetries.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableRetries.setDescription('The number of times a data message will be retransmitted, configurable between 0 and 10. The value 0 allows unreliable operation for streaming applications.') oriWORPIfConfigTableNetworkSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableNetworkSecret.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableNetworkSecret.setDescription('The NetworkSecret is a string that must be the same for all stations in a certain network. If a station has another secret configured as the base, the base will not allow the station to register. This object should be treated as write-only and returned as asterisks.') oriWORPIfConfigTableNoSleepMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 1, 1, 7), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfConfigTableNoSleepMode.setStatus('current') if mibBuilder.loadTexts: oriWORPIfConfigTableNoSleepMode.setDescription('This object is used to enable or disable sleep mode. If this object is enabled, a subscriber unit will not go into sleep mode when they have no data to send.') oriWORPIfStatTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2), ) if mibBuilder.loadTexts: oriWORPIfStatTable.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTable.setDescription('This table is used to monitor the statistics of interfaces that run WORP.') oriWORPIfStatTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriWORPIfStatTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableEntry.setDescription('This object represents an entry in the WORP Interface Statistics Table.') oriWORPIfStatTableRemotePartners = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRemotePartners.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRemotePartners.setDescription('The number of remote partners. For a satellite, this parameter will always be zero or one.') oriWORPIfStatTableAverageLocalSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableAverageLocalSignal.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableAverageLocalSignal.setDescription('The current signal level calculated over all inbound packets. This variable indicates the running average of the local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfStatTableAverageLocalNoise = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableAverageLocalNoise.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableAverageLocalNoise.setDescription('The current noise level calculated over all inbound packets. This variable indicates the running average of the local noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfStatTableAverageRemoteSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableAverageRemoteSignal.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableAverageRemoteSignal.setDescription('The current remote signal level calculated over the inbound packets send by this station. This variable indicates the running average over all registered stations of the remote signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfStatTableAverageRemoteNoise = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableAverageRemoteNoise.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableAverageRemoteNoise.setDescription('The current average remote noise level calculated over the inbound packets send by this station. This variable indicates the running average over all registered stations of the remote noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfStatTableBaseStationAnnounces = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableBaseStationAnnounces.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableBaseStationAnnounces.setDescription('The number of Base Station Announces Broadcasts (BSAB) sent (base) or received (satellite) on this interface.') oriWORPIfStatTableRegistrationRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationRequests.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationRequests.setDescription('The number of Registration Requests (RREQ) sent (satellite) or received (base) on this interface.') oriWORPIfStatTableRegistrationRejects = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationRejects.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationRejects.setDescription('The number of Registration Rejects (RREJ) sent (base) or received (satellite) on this interface.') oriWORPIfStatTableAuthenticationRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableAuthenticationRequests.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableAuthenticationRequests.setDescription('The number of Authentication Requests (AREQ) sent (satellite) or received (base) on this interface.') oriWORPIfStatTableAuthenticationConfirms = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableAuthenticationConfirms.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableAuthenticationConfirms.setDescription('The number of Authentication Confirms (ACFM) sent (base) or received (satellite) on this interface.') oriWORPIfStatTableRegistrationAttempts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationAttempts.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationAttempts.setDescription('The number of times a Registration Attempt has been initiated.') oriWORPIfStatTableRegistrationIncompletes = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationIncompletes.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationIncompletes.setDescription('The number of registration attempts that is not completed yet. For a satellite this parameters will always be zero or one.') oriWORPIfStatTableRegistrationTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationTimeouts.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationTimeouts.setDescription('The number of times the registration procedure timed out.') oriWORPIfStatTableRegistrationLastReason = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("none", 1), ("noMoreAllowed", 2), ("incorrectParameter", 3), ("roaming", 4), ("timeout", 5), ("lowQuality", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationLastReason.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRegistrationLastReason.setDescription('The reason for why the last registration was aborted or failed.') oriWORPIfStatTablePollData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTablePollData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTablePollData.setDescription('The number of polls with data sent (base) or received (satellite).') oriWORPIfStatTablePollNoData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTablePollNoData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTablePollNoData.setDescription('The number of polls with no data sent (base) or received (satellite).') oriWORPIfStatTableReplyData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableReplyData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableReplyData.setDescription('The number of poll replies with data sent (satellite) or received (base). This counter does not include replies with the MoreData flag set (see ReplyMoreData).') oriWORPIfStatTableReplyMoreData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableReplyMoreData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableReplyMoreData.setDescription('The number of poll replies with data sent (satellite) or received (base) with the MoreData flag set (see also ReplyData).') oriWORPIfStatTableReplyNoData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableReplyNoData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableReplyNoData.setDescription('The number of poll replies with no data sent (satellite) or received (base).') oriWORPIfStatTableRequestForService = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 20), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableRequestForService.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableRequestForService.setDescription('The number of requests for service sent (satellite) or received (base).') oriWORPIfStatTableSendSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 21), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableSendSuccess.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableSendSuccess.setDescription('The number of data packets sent that were acknowledged and did not need a retransmit.') oriWORPIfStatTableSendRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 22), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableSendRetries.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableSendRetries.setDescription('The number of data packets sent that needed retransmition but were finally received succesfully by the remote partner.') oriWORPIfStatTableSendFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 23), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableSendFailures.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableSendFailures.setDescription('The number of data packets sent that were (finally) not received succesfully by the remote partner.') oriWORPIfStatTableReceiveSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 24), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableReceiveSuccess.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableReceiveSuccess.setDescription('The number of data packets received that were acknowledged and did not need a retransmit of the remote partner.') oriWORPIfStatTableReceiveRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 25), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableReceiveRetries.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableReceiveRetries.setDescription('The number of data packets received that needed retransmition by the remote partner but were finally received succesfully.') oriWORPIfStatTableReceiveFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 26), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTableReceiveFailures.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTableReceiveFailures.setDescription('The number of data packets that were (finally) not received succesfully.') oriWORPIfStatTablePollNoReplies = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 2, 1, 27), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfStatTablePollNoReplies.setStatus('current') if mibBuilder.loadTexts: oriWORPIfStatTablePollNoReplies.setDescription('The number of times a poll was sent but no reply was received. This object only applies to the base.') oriWORPIfSatConfigStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigStatus.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigStatus.setDescription('This object is used to enable or disable the per-satellite config from the base device.') oriWORPIfSatConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2), ) if mibBuilder.loadTexts: oriWORPIfSatConfigTable.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTable.setDescription('This table contains wireless stations statistics.') oriWORPIfSatConfigTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriWORPIfSatConfigTableIndex")) if mibBuilder.loadTexts: oriWORPIfSatConfigTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableEntry.setDescription('This object represents an entry in the WORP Interface Satellite Statistics Table.') oriWORPIfSatConfigTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatConfigTableIndex.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableIndex.setDescription('This object is used to index the protocol filter table.') oriWORPIfSatConfigTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableEntryStatus.setDescription('This object is used to enable, disable, delete, create the Ethernet protocols in this table.') oriWORPIfSatConfigTableMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 3), MacAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableMacAddress.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableMacAddress.setDescription('This object represents the MAC address of the satellite for which the statistics are gathered.') oriWORPIfSatConfigTableMinimumBandwidthLimitDownlink = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 4), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableMinimumBandwidthLimitDownlink.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableMinimumBandwidthLimitDownlink.setDescription('This object represents the minimum input bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration or by a license. A written value will only take effect after reboot.') oriWORPIfSatConfigTableMaximumBandwidthLimitDownlink = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 5), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableMaximumBandwidthLimitDownlink.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableMaximumBandwidthLimitDownlink.setDescription('This object represents the maximum input bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration or by a license. A written value will only take effect after reboot.') oriWORPIfSatConfigTableMinimumBandwidthLimitUplink = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 6), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableMinimumBandwidthLimitUplink.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableMinimumBandwidthLimitUplink.setDescription('This object represents the minimum output bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration or by a license. A written value will only take effect after reboot.') oriWORPIfSatConfigTableMaximumBandwidthLimitUplink = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 7), Gauge32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableMaximumBandwidthLimitUplink.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableMaximumBandwidthLimitUplink.setDescription('This object represents the maximum output bandwidth limit of the interface in increments of 64 kbps. The value can be limited by a previous written value, the negotiation process during registration or by a license. A written value will only take effect after reboot.') oriWORPIfSatConfigTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 1, 2, 1, 8), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSatConfigTableComment.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatConfigTableComment.setDescription('This object is used for an optional comment associated to the per Satellite config Table entry.') oriWORPIfSatStatTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1), ) if mibBuilder.loadTexts: oriWORPIfSatStatTable.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTable.setDescription('This table contains wireless stations statistics.') oriWORPIfSatStatTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriStationStatTableIndex")) if mibBuilder.loadTexts: oriWORPIfSatStatTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableEntry.setDescription('This object represents an entry in the WORP Interface Satellite Statistics Table.') oriWORPIfSatStatTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableIndex.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableIndex.setDescription('This object represents the table index for SatStat Table.') oriWORPIfSatStatTableMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableMacAddress.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableMacAddress.setDescription('This object represents the MAC address of the satellite for which the statistics are gathered.') oriWORPIfSatStatTableAverageLocalSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageLocalSignal.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageLocalSignal.setDescription('The current signal level calculated over all inbound packets. This variable indicates the running average of the local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfSatStatTableAverageLocalNoise = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageLocalNoise.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageLocalNoise.setDescription('The current noise level calculated over all inbound packets. This variable indicates the running average of the local noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfSatStatTableAverageRemoteSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageRemoteSignal.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageRemoteSignal.setDescription('The current remote signal level calculated over the inbound packets send by this station. This variable indicates the running average over all registered stations of the remote signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfSatStatTableAverageRemoteNoise = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageRemoteNoise.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableAverageRemoteNoise.setDescription('The current average remote noise level calculated over the inbound packets send by this station. This variable indicates the running average over all registered stations of the remote noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfSatStatTablePollData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTablePollData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTablePollData.setDescription('The number of polls with data sent (base) or received (satellite).') oriWORPIfSatStatTablePollNoData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTablePollNoData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTablePollNoData.setDescription('The number of polls with no data sent (base) or received (satellite).') oriWORPIfSatStatTableReplyData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableReplyData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableReplyData.setDescription('The number of poll replies with data sent (satellite) or received (base). This counter does not include replies with the MoreData flag set (see ReplyMoreData).') oriWORPIfSatStatTableReplyNoData = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableReplyNoData.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableReplyNoData.setDescription('The number of poll replies with no data sent (satellite) or received (base).') oriWORPIfSatStatTableRequestForService = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableRequestForService.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableRequestForService.setDescription('The number of requests for service sent (satellite) or received (base).') oriWORPIfSatStatTableSendSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableSendSuccess.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableSendSuccess.setDescription('The number of data packets sent that were acknowledged and did not need a retransmit.') oriWORPIfSatStatTableSendRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableSendRetries.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableSendRetries.setDescription('The number of data packets sent that needed retransmition but were finally received succesfully by the remote partner.') oriWORPIfSatStatTableSendFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableSendFailures.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableSendFailures.setDescription('The number of data packets sent that were (finally) not received succesfully by the remote partner.') oriWORPIfSatStatTableReceiveSuccess = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableReceiveSuccess.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableReceiveSuccess.setDescription('The number of data packets received that were acknowledged and did not need a retransmit of the remote partner.') oriWORPIfSatStatTableReceiveRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableReceiveRetries.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableReceiveRetries.setDescription('The number of data packets received that needed retransmition by the remote partner but were finally received succesfully.') oriWORPIfSatStatTableReceiveFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableReceiveFailures.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableReceiveFailures.setDescription('The number of data packets that were (finally) not received succesfully.') oriWORPIfSatStatTablePollNoReplies = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTablePollNoReplies.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTablePollNoReplies.setDescription('The number of times a poll was sent but no reply was received. This object only applies to the base.') oriWORPIfSatStatTableLocalTxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableLocalTxRate.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableLocalTxRate.setDescription('This object represents the Transmit Data Rate of the BSU.') oriWORPIfSatStatTableRemoteTxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 3, 2, 1, 1, 20), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSatStatTableRemoteTxRate.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSatStatTableRemoteTxRate.setDescription('This object represents the Transmit Data Rate of the SU which is registered to this SU.') oriWORPIfSiteSurveyOperation = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2), ("test", 3))).clone('disabled')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfSiteSurveyOperation.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyOperation.setDescription('This object is used to enable or disable the site survey mode. The site survey is going to show user the wireless signal level, noise level and SNR value.') oriWORPIfSiteSurveyTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2), ) if mibBuilder.loadTexts: oriWORPIfSiteSurveyTable.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyTable.setDescription('This table contains the information for the stations currently associated with the access point.') oriWORPIfSiteSurveySignalQualityTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriWORPIfSiteSurveyTableIndex")) if mibBuilder.loadTexts: oriWORPIfSiteSurveySignalQualityTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveySignalQualityTableEntry.setDescription('This object represents the entry in the Remote Link Test table.') oriWORPIfSiteSurveyTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyTableIndex.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyTableIndex.setDescription('This object represents a unique entry in the table.') oriWORPIfSiteSurveyBaseMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 2), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyBaseMACAddress.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyBaseMACAddress.setDescription('This object represents the MAC address of the base unit being tested with.') oriWORPIfSiteSurveyBaseName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyBaseName.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyBaseName.setDescription('This object identifies the name of the base unit being tested with..') oriWORPIfSiteSurveyMaxSatAllowed = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyMaxSatAllowed.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyMaxSatAllowed.setDescription('This object identifies the maximum number of satellites is allowed to be registered with the base unit being tested with.') oriWORPIfSiteSurveyNumSatRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyNumSatRegistered.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyNumSatRegistered.setDescription('This object identifies the maximum number of satellites is allowed to be registered with the base unit being tested with.') oriWORPIfSiteSurveyCurrentSatRegistered = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyCurrentSatRegistered.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyCurrentSatRegistered.setDescription('This object identifies the maximum number of satellites is allowed to be registered with the base unit being tested with.') oriWORPIfSiteSurveyLocalSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyLocalSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyLocalSignalLevel.setDescription('The current signal level (in dB) for the Site Survey from this station. This object indicates the running average of the local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfSiteSurveyLocalNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyLocalNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyLocalNoiseLevel.setDescription('The current noise level (in dB) for the Site Survey to this station. This object indicates the running average of the local noise level.') oriWORPIfSiteSurveyLocalSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyLocalSNR.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyLocalSNR.setDescription('The current signal to noise ratio for the Site Survey to this station.') oriWORPIfSiteSurveyRemoteSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyRemoteSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyRemoteSignalLevel.setDescription('The current signal level (in dB) for the Site Survey from the base with which the current satellite is registered. This object indicates the running average of the local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriWORPIfSiteSurveyRemoteNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyRemoteNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyRemoteNoiseLevel.setDescription('The current noise level (in dB) for the Site Survey from the base with which the current satellite is registered.') oriWORPIfSiteSurveyRemoteSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 4, 2, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWORPIfSiteSurveyRemoteSNR.setStatus('current') if mibBuilder.loadTexts: oriWORPIfSiteSurveyRemoteSNR.setDescription('The current SNR (in dB) for the Site Survey from the base with which the current satellite is registered.') oriWORPIfDDRSStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSStatus.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSStatus.setDescription('This is object is used to enable/disable the WORP DDRS feature on the BSU.') oriWORPIfDDRSDefDataRate = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(6, 108))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSDefDataRate.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSDefDataRate.setDescription('This is the data rate that shall be used only when DDRS is enabled. This is to specify default data rate on BSU. The possible values of the variable shall be: 1. 802.11a normal mode 6Mbps 2. 802.11a normal mode 9Mbps 3. 802.11a normal mode 12Mbps 4. 802.11a normal mode 18Mbps 5. 802.11a normal mode 24Mbps 6. 802.11a normal mode 36Mbps 7. 802.11a normal mode 48Mbps 8. 802.11a normal mode 54Mbps 9. 802.11a turbo mode 12Mbps 10. 802.11a turbo mode 18Mbps 11. 802.11a turbo mode 24Mbps 12. 802.11a turbo mode 36Mbps 13. 802.11a turbo mode 48Mbps 14. 802.11a turbo mode 72Mbps 15. 802.11a turbo mode 96Mbps 16. 802.11a turbo mode 108Mbps') oriWORPIfDDRSMaxDataRate = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(6, 108)).clone(36)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMaxDataRate.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMaxDataRate.setDescription('This is the data rate that shall be used only when DDRS is enabled. This is to limit maximum possible data rate that is set by DDRS on BSU. The possible values of the variable shall be: 1. 802.11a normal mode 6Mbps 2. 802.11a normal mode 9Mbps 3. 802.11a normal mode 12Mbps 4. 802.11a normal mode 18Mbps 5. 802.11a normal mode 24Mbps 6. 802.11a normal mode 36Mbps 7. 802.11a normal mode 48Mbps 8. 802.11a normal mode 54Mbps 9. 802.11a turbo mode 12Mbps 10. 802.11a turbo mode 18Mbps 11. 802.11a turbo mode 24Mbps 12. 802.11a turbo mode 36Mbps 13. 802.11a turbo mode 48Mbps 14. 802.11a turbo mode 72Mbps 15. 802.11a turbo mode 96Mbps 16. 802.11a turbo mode 108Mbps') oriWORPIfDDRSMinReqSNRdot11an6Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an6Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an6Mbps.setDescription('This is to specify the minimum required SNR for data rate of 6Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 6dB.') oriWORPIfDDRSMinReqSNRdot11an9Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(7)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an9Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an9Mbps.setDescription('This is to specify the minimum required SNR for data rate of 9Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 7dB.') oriWORPIfDDRSMinReqSNRdot11an12Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(9)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an12Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an12Mbps.setDescription('This is to specify the minimum required SNR for data rate of 12Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 9dB.') oriWORPIfDDRSMinReqSNRdot11an18Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(11)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an18Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an18Mbps.setDescription('This is to specify the minimum required SNR for data rate of 18Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 11dB.') oriWORPIfDDRSMinReqSNRdot11an24Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(14)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an24Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an24Mbps.setDescription('This is to specify the minimum required SNR for data rate of 24Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 14dB.') oriWORPIfDDRSMinReqSNRdot11an36Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(18)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an36Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an36Mbps.setDescription('This is to specify the minimum required SNR for data rate of 36Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 18dB.') oriWORPIfDDRSMinReqSNRdot11an48Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(22)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an48Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an48Mbps.setDescription('This is to specify the minimum required SNR for data rate of 48Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 22dB.') oriWORPIfDDRSMinReqSNRdot11an54Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(25)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an54Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11an54Mbps.setDescription('This is to specify the minimum required SNR for data rate of 54Mbps on 802.11a radio, normal mode. The value should be in dB and in the range 0..50 dB. The default value should be 25dB.') oriWORPIfDDRSMinReqSNRdot11at12Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at12Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at12Mbps.setDescription('This is to specify the minimum required SNR for data rate of 12Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 6dB.') oriWORPIfDDRSMinReqSNRdot11at18Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(7)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at18Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at18Mbps.setDescription('This is to specify the minimum required SNR for data rate of 18Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 7dB.') oriWORPIfDDRSMinReqSNRdot11at24Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(7)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at24Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at24Mbps.setDescription('This is to specify the minimum required SNR for data rate of 24Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 9dB.') oriWORPIfDDRSMinReqSNRdot11at36Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(11)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at36Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at36Mbps.setDescription('This is to specify the minimum required SNR for data rate of 36Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 11dB.') oriWORPIfDDRSMinReqSNRdot11at48Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(14)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at48Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at48Mbps.setDescription('This is to specify the minimum required SNR for data rate of 48Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 14dB.') oriWORPIfDDRSMinReqSNRdot11at72Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(18)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at72Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at72Mbps.setDescription('This is to specify the minimum required SNR for data rate of 72Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 18dB.') oriWORPIfDDRSMinReqSNRdot11at96Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(22)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at96Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at96Mbps.setDescription('This is to specify the minimum required SNR for data rate of 96Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 22dB.') oriWORPIfDDRSMinReqSNRdot11at108Mbps = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(25)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at108Mbps.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSMinReqSNRdot11at108Mbps.setDescription('This is to specify the minimum required SNR for data rate of 108Mbps on 802.11a radio, turbo mode. The value should be in dB and in the range 0..50 dB. The default value should be 25dB.') oriWORPIfDDRSDataRateIncAvgSNRThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(4)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSDataRateIncAvgSNRThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSDataRateIncAvgSNRThreshold.setDescription('This is to specify average SNR threshold for data rate increase. The value should be in dB and in the range 0..50 dB. The default value should be 4 dB.') oriWORPIfDDRSDataRateIncReqSNRThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSDataRateIncReqSNRThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSDataRateIncReqSNRThreshold.setDescription('This is to specify average SNR threshold for data rate decrease. The value should be in dB and in the range 0..50 dB. The default value should be 6 dB.') oriWORPIfDDRSDataRateDecReqSNRThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSDataRateDecReqSNRThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSDataRateDecReqSNRThreshold.setDescription('This is to specify SNRreq threshold for data rate reduction. The value should be in dB and in the range 0..50 dB. The default value should be 3 dB.') oriWORPIfDDRSDataRateIncPercentThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSDataRateIncPercentThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSDataRateIncPercentThreshold.setDescription('This object specifies the threshold percentage of retransmissions for DDRS data rate increase.') oriWORPIfDDRSDataRateDecPercentThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 6, 24), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfDDRSDataRateDecPercentThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfDDRSDataRateDecPercentThreshold.setDescription('This object specifies the threshold percentage of retransmissions for DDRS data rate decrease.') oriWORPIfRoamingStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5, 1), ObjStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfRoamingStatus.setStatus('current') if mibBuilder.loadTexts: oriWORPIfRoamingStatus.setDescription('This object is used to enable/disable Roaming between BSUs.') oriWORPIfRoamingSlowScanThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 50)).clone(12)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfRoamingSlowScanThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfRoamingSlowScanThreshold.setDescription('This object specifies the threshold for initiating slow scanning procedure. The units of this object is dBs.') oriWORPIfRoamingFastScanThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 50)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfRoamingFastScanThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfRoamingFastScanThreshold.setDescription('This object specifies the threshold for initiating fast scanning procedure. The units of this object is dBs.') oriWORPIfRoamingThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 50)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfRoamingThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfRoamingThreshold.setDescription('This object specifies the threshold for roaming threshold. The units of this object is dBs.') oriWORPIfRoamingSlowScanPercentThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfRoamingSlowScanPercentThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfRoamingSlowScanPercentThreshold.setDescription('This object specifies the threshold percentage of retransmissions for initiating slow scanning procedure.') oriWORPIfRoamingFastScanPercentThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 5, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPIfRoamingFastScanPercentThreshold.setStatus('current') if mibBuilder.loadTexts: oriWORPIfRoamingFastScanPercentThreshold.setDescription('This object specifies the threshold percentage of retransmissions for initiating fast scanning procedure.') orinocoWORPIfBSUStatMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 1), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatMACAddress.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatMACAddress.setDescription('This object represents the MAC address of BSU to which the SU is registered.') orinocoWORPIfBSUStatLocalTxRate = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatLocalTxRate.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatLocalTxRate.setDescription('This object represents the Transmit Data Rate of the SU.') orinocoWORPIfBSUStatRemoteTxRate = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatRemoteTxRate.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatRemoteTxRate.setDescription('This object represents the Transmit Data Rate of the BSU to which the SU is registered.') orinocoWORPIfBSUStatAverageLocalSignal = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageLocalSignal.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageLocalSignal.setDescription("The current signal level calculated over all inbound packets. This variable indicates the running average of the SU's local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).") orinocoWORPIfBSUStatAverageLocalNoise = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageLocalNoise.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageLocalNoise.setDescription("The current noise level calculated over all inbound packets. This variable indicates the running average of the SU's local noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).") orinocoWORPIfBSUStatAverageRemoteSignal = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageRemoteSignal.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageRemoteSignal.setDescription("The current remote signal level calculated over the inbound packets received at SU, sent by the BSU. This variable indicates the running average of the SU's Rx Signal level(i.e. BSU's Tx Signal level) all registered stations of the remote signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).") orinocoWORPIfBSUStatAverageRemoteNoise = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 2, 5, 7, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageRemoteNoise.setStatus('current') if mibBuilder.loadTexts: orinocoWORPIfBSUStatAverageRemoteNoise.setDescription("The current remote noise level calculated over the inbound packets received at SU, sent by the BSU. This variable indicates the running average of the SU's Rx Noise level(i.e. BSU's Tx Noise level) all registered stations of the remote noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).") oriNetworkIPConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 1), ) if mibBuilder.loadTexts: oriNetworkIPConfigTable.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPConfigTable.setDescription('This table contains the Network IP configuration for the network interface(s) of the device. For bridge mode, only the address assigned to the Ethernet interface (index 1) will be used.') oriNetworkIPConfigTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriNetworkIPConfigTableIndex")) if mibBuilder.loadTexts: oriNetworkIPConfigTableEntry.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPConfigTableEntry.setDescription('This object represents an entry for the network IP configuration for each interface in the system.') oriNetworkIPConfigTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriNetworkIPConfigTableIndex.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPConfigTableIndex.setDescription('This object represents an index or interface number in the network IP configuration table.') oriNetworkIPConfigIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 1, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNetworkIPConfigIPAddress.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPConfigIPAddress.setDescription('This object represents the IP Address of the network interface.') oriNetworkIPConfigSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 1, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNetworkIPConfigSubnetMask.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPConfigSubnetMask.setDescription('This object represents the subnet mask of the network interface.') oriNetworkIPDefaultRouterIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNetworkIPDefaultRouterIPAddress.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPDefaultRouterIPAddress.setDescription('This object represents the IP address of the gateway or router of the device.') oriNetworkIPDefaultTTL = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255)).clone(64)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNetworkIPDefaultTTL.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPDefaultTTL.setDescription('The default value inserted into the Time-To-Live (TTL) field of the IP header of datagrams originated at this entity, whenever a TTL value is not supplied by the transport layer protocol.') oriNetworkIPAddressType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("static", 1), ("dynamic", 2))).clone('dynamic')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNetworkIPAddressType.setStatus('current') if mibBuilder.loadTexts: oriNetworkIPAddressType.setDescription('This object identifies if the device is configured to be assigned a static or dynamic IP address using a DHCP client.') oriSNMPReadPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 1), DisplayString().clone('public')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPReadPassword.setStatus('current') if mibBuilder.loadTexts: oriSNMPReadPassword.setDescription('This object represents the read-only community name used in the SNMP protocol. This object is used for reading objects from the SNMP agent. This object should be treated as write-only and returned as asterisks.') oriSNMPReadWritePassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 2), DisplayString().clone('public')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPReadWritePassword.setStatus('current') if mibBuilder.loadTexts: oriSNMPReadWritePassword.setDescription('This objecgt represents the read-write community name used in the SNMP protocol. This object is used for reading and writing objects to and from the SNMP Agent. This object should be treated as write-only and returned as asterisks.') oriSNMPAuthorizedManagerCount = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSNMPAuthorizedManagerCount.setStatus('current') if mibBuilder.loadTexts: oriSNMPAuthorizedManagerCount.setDescription('This object reflects the number of entries in the Management IP Access Table.') oriSNMPAccessTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4), ) if mibBuilder.loadTexts: oriSNMPAccessTable.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTable.setDescription('This table is used configure management stations that are authorized to manage the device. This table applies to the supported management services/interfaces (SNMP, HTTP, and Telnet). This table is limited to 20 entries.') oriSNMPAccessTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSNMPAccessTableIndex")) if mibBuilder.loadTexts: oriSNMPAccessTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableEntry.setDescription('This object identifies an entry in the Management IP Access Table.') oriSNMPAccessTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 20))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSNMPAccessTableIndex.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableIndex.setDescription('This object represents the index for the Management IP Access Table.') oriSNMPAccessTableIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPAccessTableIPAddress.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableIPAddress.setDescription('This object represents the IP address of the management station authorized to manage the device.') oriSNMPAccessTableIPMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPAccessTableIPMask.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableIPMask.setDescription('This object represents the IP subnet mask. This object can be used to grant access to a complete subnet.') oriSNMPAccessTableInterfaceBitmask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1, 4), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPAccessTableInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableInterfaceBitmask.setDescription('This object is used to control the interface access for each table entry in the Management IP Access Table.') oriSNMPAccessTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1, 5), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPAccessTableComment.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableComment.setDescription('This object is used for an optional comment associated to the Management IP Access Table entry.') oriSNMPAccessTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 4, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPAccessTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableEntryStatus.setDescription('This object is used to enable, disable, delete, or create an entry in the Management IP Access Table.') oriSNMPTrapHostTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5), ) if mibBuilder.loadTexts: oriSNMPTrapHostTable.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTable.setDescription('This table contains the information regarding the trap host that will receive SNMP traps sent by the device. This table is limited 10 entries.') oriSNMPTrapHostTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSNMPTrapHostTableIndex")) if mibBuilder.loadTexts: oriSNMPTrapHostTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTableEntry.setDescription('This object identifies an entry in the SNMP Trap Host Table.') oriSNMPTrapHostTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSNMPTrapHostTableIndex.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTableIndex.setDescription('This object is used as an index for the SNMP Trap Host Table.') oriSNMPTrapHostTableIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPTrapHostTableIPAddress.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTableIPAddress.setDescription('This object represents the IP address of the management station that will receive SNMP Traps from the device.') oriSNMPTrapHostTablePassword = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPTrapHostTablePassword.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTablePassword.setDescription("This object represents the password that is sent with the SNMP trap messages to allow the host to accept or reject the traps. The trap host will only accept SNMP traps if this password matches the host's password. This object should be treated as write-only and returned as asterisks.") oriSNMPTrapHostTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5, 1, 4), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPTrapHostTableComment.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTableComment.setDescription('This object is used for an optional comment associated to the SNMP Trap Host Table entry.') oriSNMPTrapHostTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPTrapHostTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapHostTableEntryStatus.setDescription('This object is used to enable, disable, delete, create an entry in the SNMP Trap Host Table.') oriSNMPInterfaceBitmask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 7), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriSNMPInterfaceBitmask.setDescription('This object is used to control the interface access for SNMP based management (not HTTP and Telnet).') oriSNMPErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 8), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSNMPErrorMessage.setStatus('current') if mibBuilder.loadTexts: oriSNMPErrorMessage.setDescription('This object is used to provide additional information in case of an SNMP error.') oriSNMPAccessTableStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPAccessTableStatus.setStatus('current') if mibBuilder.loadTexts: oriSNMPAccessTableStatus.setDescription('This object is used to enable or disable the Management IP Access Table. If this object is disabled, the check based on source IP address for the enteries in the Management IP Access Table will not be performed.') oriSNMPTrapType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("snmp-v1", 1), ("snmp-v2c", 2))).clone('snmp-v1')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPTrapType.setStatus('current') if mibBuilder.loadTexts: oriSNMPTrapType.setDescription('This object is used to configure the SNMP trap/notification type that will be generated.') oriSNMPSecureManagementStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPSecureManagementStatus.setStatus('current') if mibBuilder.loadTexts: oriSNMPSecureManagementStatus.setDescription("This object is used to enable or disable the secure Management feature for the Access Point. With this object enabled, view based access control will be enforced on all forms of management including SNMPv1/v2c, HTTP, WEB, HTTPS, SSH, serial, and Telnet. Also SNMPv3 user security model will be enabled. The default SNMPv3 user is defined as userName 'administrator', with SHA authentication and DES privacy protocols.") oriSNMPV3AuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(6, 32)).clone('public')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPV3AuthPassword.setStatus('current') if mibBuilder.loadTexts: oriSNMPV3AuthPassword.setDescription('This object represents the SNMPv3 administrator authentication password. This object should be treated as write-only and returned as asterisks.') oriSNMPV3PrivPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 4, 13), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(6, 32)).clone('public')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNMPV3PrivPassword.setStatus('current') if mibBuilder.loadTexts: oriSNMPV3PrivPassword.setDescription('This object represents the SNMPv3 administrator privacy password. This object should be treated as write-only and returned as asterisks.') oriProtocolFilterOperationType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("passthru", 1), ("block", 2))).clone('block')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterOperationType.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterOperationType.setDescription('This object is used to passthru (allow) or block (deny) packets with protocols in the protocol filter table.') oriProtocolFilterTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2), ) if mibBuilder.loadTexts: oriProtocolFilterTable.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterTable.setDescription('This table contains the two byte hexadecimal values of the protocols. The packets whose protocol field matches with any of the entries in this table will be forwarded or dropped based on value of oriProtocolFilterFlag. This table is limited to 256 ethernet protocols (enteries).') oriProtocolFilterTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriProtocolFilterTableIndex")) if mibBuilder.loadTexts: oriProtocolFilterTableEntry.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterTableEntry.setDescription('This object represents an entry in the protocol filter table.') oriProtocolFilterTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriProtocolFilterTableIndex.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterTableIndex.setDescription('This object is used to index the protocol filter table.') oriProtocolFilterProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterProtocol.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterProtocol.setDescription('This object represents a two byte hexadecimal value for the Ethernet protocol to be filtered (the protocol field of the Ethernet packet).') oriProtocolFilterProtocolComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterProtocolComment.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterProtocolComment.setDescription('This object is used as an optional comment for the ethernet protocol to be filtered.') oriProtocolFilterTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterTableEntryStatus.setDescription('This object is used to enable, disable, delete, create the Ethernet protocols in this table.') oriProtocolFilterTableInterfaceBitmask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1, 5), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterTableInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterTableInterfaceBitmask.setDescription('This object is isued to control protocol filtering per interface for each entry in this table.') oriProtocolFilterProtocolString = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 2, 1, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterProtocolString.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterProtocolString.setDescription('This object represents the value in the protocol field of the Ethernet packet. The value is of 4-digit Hex format. Example: The value of IP protocol is 0800. The value of ARP protocol is 0806.') oriProtocolFilterInterfaceBitmask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 1, 3), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProtocolFilterInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriProtocolFilterInterfaceBitmask.setDescription('This object is isued to control protocol filtering per interface for the table.') oriAccessControlStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriAccessControlStatus.setStatus('current') if mibBuilder.loadTexts: oriAccessControlStatus.setDescription('This object is used to enable or disable MAC Access Control feature/filter in the device.') oriAccessControlOperationType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("passthru", 1), ("block", 2))).clone('passthru')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriAccessControlOperationType.setStatus('current') if mibBuilder.loadTexts: oriAccessControlOperationType.setDescription('This flag determines whether the stations with MAC addresses listed in the access control table will be allowed or denied access. This flag is used only if oriAccessControlStatus is enabled. This table is limited to 1000 MAC Address entries.') oriAccessControlTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 3), ) if mibBuilder.loadTexts: oriAccessControlTable.setStatus('current') if mibBuilder.loadTexts: oriAccessControlTable.setDescription('This table contains the information about MAC addresses of the wireless stations that are either allowed or disallowed access (based on oriAccessControlOperation) through this device. This table is used only if oriAccessControlStatus is enabled.') oriAccessControlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriAccessControlTableIndex")) if mibBuilder.loadTexts: oriAccessControlEntry.setStatus('current') if mibBuilder.loadTexts: oriAccessControlEntry.setDescription('This object represents the entry in the access control table.') oriAccessControlTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriAccessControlTableIndex.setStatus('current') if mibBuilder.loadTexts: oriAccessControlTableIndex.setDescription('This object is used as an index for the access control table.') oriAccessControlTableMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 3, 1, 2), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriAccessControlTableMACAddress.setStatus('current') if mibBuilder.loadTexts: oriAccessControlTableMACAddress.setDescription('This object represents the MAC address of the wireless station that can access the device.') oriAccessControlTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 3, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriAccessControlTableComment.setStatus('current') if mibBuilder.loadTexts: oriAccessControlTableComment.setDescription('This object is used as an optional comment associated to the access control table entry.') oriAccessControlTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 2, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriAccessControlTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriAccessControlTableEntryStatus.setDescription('This object is used to enable, disable, delete, create the entries in the Access Control Table.') oriStaticMACAddressFilterTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1), ) if mibBuilder.loadTexts: oriStaticMACAddressFilterTable.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterTable.setDescription('This table provides the MAC address of the stations on the wired and the wireless interface; the MAC addresses will be given in pairs. Stations listed in the Static MAC Address filter will have no traffic forwarded by the device. This way Multicast traffic exchanged between stations or servers can be prevented, from being transmitted over the wireless medium when both stations are actually located on the wired backbone. This table is limited to 200 entries.') oriStaticMACAddressFilterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriStaticMACAddressFilterTableIndex")) if mibBuilder.loadTexts: oriStaticMACAddressFilterEntry.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterEntry.setDescription('This object identifies the entry in the Static MAC address filter table.') oriStaticMACAddressFilterTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 200))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStaticMACAddressFilterTableIndex.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterTableIndex.setDescription('This object is used as an index for the Static MAC address filter table.') oriStaticMACAddressFilterWiredAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 2), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStaticMACAddressFilterWiredAddress.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterWiredAddress.setDescription('This object represents the MAC address of the station on the wired interface of the device.') oriStaticMACAddressFilterWiredMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 3), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStaticMACAddressFilterWiredMask.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterWiredMask.setDescription('This mask determines the presence of wildcard characters in the MAC address of the station on the wired interface. The value F (hex digit) in the mask indicates the presence of a wildcard character and the value 0 indicates its absence.') oriStaticMACAddressFilterWirelessAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 4), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStaticMACAddressFilterWirelessAddress.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterWirelessAddress.setDescription('This object represents the MAC address of the station on the wireless interface.') oriStaticMACAddressFilterWirelessMask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 5), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStaticMACAddressFilterWirelessMask.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterWirelessMask.setDescription('The mask that determines the presence of wildcard characters in the MAC address of the station on the wireless side. The value F (hex digit) indicates the presence of a wildcard character and the hex digit 0 indicates its absense.') oriStaticMACAddressFilterTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStaticMACAddressFilterTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterTableEntryStatus.setDescription('This object is used to enable, disable, delete, create an entry in the Static MAC Address Table.') oriStaticMACAddressFilterComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 3, 1, 1, 7), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStaticMACAddressFilterComment.setStatus('current') if mibBuilder.loadTexts: oriStaticMACAddressFilterComment.setDescription('This object is used for an optional comment associated to the access control table entry.') oriBroadcastAddressThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriBroadcastAddressThreshold.setStatus('current') if mibBuilder.loadTexts: oriBroadcastAddressThreshold.setDescription('If broadcast rate from any device (identified by its MAC address) exceeds the limit specified by this value, the device will ignore all subsequent messages issued by the particular network device, or ignore all messages of that type. Valid values for address threshold is between 0 - 255 frames per second. Initial Value is 0 (Disable Storm Threshold Protection).') oriMulticastAddressThreshold = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriMulticastAddressThreshold.setStatus('current') if mibBuilder.loadTexts: oriMulticastAddressThreshold.setDescription('If multicast rate from any device (identified by its MAC address) exceeds the limit specified by this value, the device will ignore all subsequent messages issued by the particular network device, or ignore all messages of that type. Valid values for address threshold is between 0 - 255 frames per second. Initial Value is 0 (Disable Storm Threshold Protection).') oriStormThresholdTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4, 3), ) if mibBuilder.loadTexts: oriStormThresholdTable.setStatus('current') if mibBuilder.loadTexts: oriStormThresholdTable.setDescription('The table containing broadcast and multicast threshold values for each interface.') oriStormThresholdTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriStormThresholdTableEntry.setStatus('current') if mibBuilder.loadTexts: oriStormThresholdTableEntry.setDescription('This object represents an entry in the storm threshold filter table.') oriStormThresholdIfBroadcast = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 9999))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStormThresholdIfBroadcast.setStatus('current') if mibBuilder.loadTexts: oriStormThresholdIfBroadcast.setDescription('This parameter specifies a set of Broadcast Storm thresholds for each interface/port of the device, identifying separate values for the number of Broadcast messages/second. Default value is zero, which means disabled.') oriStormThresholdIfMulticast = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 4, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 9999))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStormThresholdIfMulticast.setStatus('current') if mibBuilder.loadTexts: oriStormThresholdIfMulticast.setDescription('This parameter specifies a set of Multicast Storm thresholds for each interface/port of the device, identifying separate values for the number of Multicast messages/second. Default value is zero, which means disabled.') oriPortFilterStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterStatus.setStatus('current') if mibBuilder.loadTexts: oriPortFilterStatus.setDescription('This object is used to enable or disable port filtering.') oriPortFilterOperationType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("passthru", 1), ("block", 2))).clone('passthru')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterOperationType.setStatus('current') if mibBuilder.loadTexts: oriPortFilterOperationType.setDescription('This object determines whether the stations with ports listed in the port filter table must be allowed (passthru) or denied (block) to access the device. This object is used only if oriPacketFilterStatus is enabled.') oriPortFilterTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3), ) if mibBuilder.loadTexts: oriPortFilterTable.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTable.setDescription('This table contains the Port number of packets to be filtered. The packets whose port field matches with any of the enabled entries in this table will be blocked (dropped). This table is limited to 256 entries.') oriPortFilterTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriPortFilterTableEntryIndex")) if mibBuilder.loadTexts: oriPortFilterTableEntry.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntry.setDescription('This parameter represents the entry in the port filter table.') oriPortFilterTableEntryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPortFilterTableEntryIndex.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntryIndex.setDescription('This object is used as the index for the port filter table. This table supports up to 256 entries.') oriPortFilterTableEntryPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1, 2), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterTableEntryPort.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntryPort.setDescription('This object represents the port number of the packets to be filtered.') oriPortFilterTableEntryPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tcp", 1), ("udp", 2), ("both", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterTableEntryPortType.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntryPortType.setDescription('This object specifies the port type.') oriPortFilterTableEntryInterfaceBitmask = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1, 4), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterTableEntryInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntryInterfaceBitmask.setDescription('This object is used to control port filtering per interface for each entry in the table.') oriPortFilterTableEntryComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1, 5), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterTableEntryComment.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntryComment.setDescription('This object is used for an optional comment associated to the port filter table entry.') oriPortFilterTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 5, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPortFilterTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriPortFilterTableEntryStatus.setDescription('This object is used to enable, disable, delete, create an entry in the Port Filter Table.') oriBroadcastFilteringTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6, 1), ) if mibBuilder.loadTexts: oriBroadcastFilteringTable.setStatus('current') if mibBuilder.loadTexts: oriBroadcastFilteringTable.setDescription('The table entries for broadcast filters. This table shall contain 5 entries.') oriBroadcastFilteringTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriBroadcastFilteringTableIndex")) if mibBuilder.loadTexts: oriBroadcastFilteringTableEntry.setStatus('current') if mibBuilder.loadTexts: oriBroadcastFilteringTableEntry.setDescription('This object represents an entry in the broadcast filtering table.') oriBroadcastFilteringTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriBroadcastFilteringTableIndex.setStatus('current') if mibBuilder.loadTexts: oriBroadcastFilteringTableIndex.setDescription('This object represents the index of the Broadcast Filtering table.') oriBroadcastFilteringProtocolName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriBroadcastFilteringProtocolName.setStatus('current') if mibBuilder.loadTexts: oriBroadcastFilteringProtocolName.setDescription('This object represents the broadcast protocol name to be filtered.') oriBroadcastFilteringDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("ethernetToWireless", 1), ("wirelessToEthernet", 2), ("both", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriBroadcastFilteringDirection.setStatus('current') if mibBuilder.loadTexts: oriBroadcastFilteringDirection.setDescription('This object represents the direction of the broadcast filter. The filter can be enabled for Ethernet to Wireless, Wireless to Ethernet, or both directions.') oriBroadcastFilteringTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 6, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriBroadcastFilteringTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriBroadcastFilteringTableEntryStatus.setDescription('This object is used to enable or disable the broadcast filter table enteries.') oriPacketForwardingStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 7, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPacketForwardingStatus.setStatus('current') if mibBuilder.loadTexts: oriPacketForwardingStatus.setDescription('This object is used to enable or disable the Packet Forwarding feature.') oriPacketForwardingMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 7, 2), MacAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPacketForwardingMACAddress.setStatus('current') if mibBuilder.loadTexts: oriPacketForwardingMACAddress.setDescription('This object represents the MAC Address to which all frames will be forwarded by the device.') oriPacketForwardingInterface = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 7, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPacketForwardingInterface.setStatus('current') if mibBuilder.loadTexts: oriPacketForwardingInterface.setDescription('This object is used to configure the interface or port that frames will be forwarded to. If this object is not configured, value set to zero, then the bridge will forward the packets on the interface or port the MAC address was learned on. If this object is not configured, value set to zero, and the bridge has not yet learned the MAC address then the frames will be forwarded on all interfaces and ports.') oriIBSSTrafficOperation = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 8, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("passthru", 1), ("block", 2))).clone('passthru')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIBSSTrafficOperation.setStatus('current') if mibBuilder.loadTexts: oriIBSSTrafficOperation.setDescription('This object is used to control IntraBSS Traffic. If this object is set to the passthru, then IBSS traffic will be allowed; if this object is set to block, then IBSS traffic will be denied.') oriIntraCellBlockingStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingStatus.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingStatus.setDescription('This object is used to enable/disable IntraCell Blocking/Filtering.') oriIntraCellBlockingMACTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2), ) if mibBuilder.loadTexts: oriIntraCellBlockingMACTable.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTable.setDescription('The MAC table entries for IntraCell Blocking filters. This table can contain up to a maximum of 250 entries.') oriIntraCellBlockingMACTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriIntraCellBlockingMACTableIndex")) if mibBuilder.loadTexts: oriIntraCellBlockingMACTableEntry.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableEntry.setDescription('This object represents the entry in the IntraCell Blocking MAC Table.') oriIntraCellBlockingMACTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 250))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableIndex.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableIndex.setDescription('This object is used as the index to the IntraCell Blocking MAC Table.') oriIntraCellBlockingMACTableMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 2), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableMACAddress.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableMACAddress.setDescription('This object represents the MAC address of the SU which is allowed to communicate with other SUs with the same group ID.') oriIntraCellBlockingMACTableGroupID1 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 3), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID1.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID1.setDescription('This object is used to activate/deactivate Group ID 1.') oriIntraCellBlockingMACTableGroupID2 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 4), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID2.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID2.setDescription('This object is used to activate/deactivate Group ID 2.') oriIntraCellBlockingMACTableGroupID3 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 5), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID3.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID3.setDescription('This object is used to activate/deactivate Group ID 3.') oriIntraCellBlockingMACTableGroupID4 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 6), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID4.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID4.setDescription('This object is used to activate/deactivate Group ID 4.') oriIntraCellBlockingMACTableGroupID5 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 7), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID5.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID5.setDescription('This object is used to activate/deactivate Group ID 5.') oriIntraCellBlockingMACTableGroupID6 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 8), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID6.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID6.setDescription('This object is used to activate/deactivate Group ID 6.') oriIntraCellBlockingMACTableGroupID7 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 9), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID7.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID7.setDescription('This object is used to activate/deactivate Group ID 7.') oriIntraCellBlockingMACTableGroupID8 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 10), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID8.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID8.setDescription('This object is used to activate/deactivate Group ID 8.') oriIntraCellBlockingMACTableGroupID9 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 11), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID9.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID9.setDescription('This object is used to activate/deactivate Group ID 9.') oriIntraCellBlockingMACTableGroupID10 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 12), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID10.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID10.setDescription('This object is used to activate/deactivate Group ID 10.') oriIntraCellBlockingMACTableGroupID11 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 13), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID11.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID11.setDescription('This object is used to activate/deactivate Group ID 11.') oriIntraCellBlockingMACTableGroupID12 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 14), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID12.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID12.setDescription('This object is used to activate/deactivate Group ID 12.') oriIntraCellBlockingMACTableGroupID13 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 15), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID13.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID13.setDescription('This object is used to activate/deactivate Group ID 13.') oriIntraCellBlockingMACTableGroupID14 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 16), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID14.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID14.setDescription('This object is used to activate/deactivate Group ID 14.') oriIntraCellBlockingMACTableGroupID15 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 17), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID15.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID15.setDescription('This object is used to activate/deactivate Group ID 15.') oriIntraCellBlockingMACTableGroupID16 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 18), ObjStatusActive().clone('inactive')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID16.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableGroupID16.setDescription('This object is used to activate/deactivate Group ID 16.') oriIntraCellBlockingMACTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 2, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingMACTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingMACTableEntryStatus.setDescription('This object is used to enable, disable, delete, create the entries in the IntraCell Blocking MAC Table.') oriIntraCellBlockingGroupTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 3), ) if mibBuilder.loadTexts: oriIntraCellBlockingGroupTable.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingGroupTable.setDescription('The Group table entries for IntraCell Blocking Group IDs. This table can contain a maximum of 16 entries.') oriIntraCellBlockingGroupTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriIntraCellBlockingGroupTableIndex")) if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableEntry.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableEntry.setDescription('This object represents the entry in the IntraCell Blocking Group Table.') oriIntraCellBlockingGroupTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableIndex.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableIndex.setDescription('This object is used as the index to the IntraCell Blocking Group Table.') oriIntraCellBlockingGroupTableName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 3, 1, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableName.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableName.setDescription('This object represents the group name.') oriIntraCellBlockingGroupTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 9, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriIntraCellBlockingGroupTableEntryStatus.setDescription('This object is used to enable, disable, delete, create the entries in the IntraCell Blocking Group Table.') oriSecurityGwStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 10, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityGwStatus.setStatus('current') if mibBuilder.loadTexts: oriSecurityGwStatus.setDescription('This object is used to enable/disable the Security Gateway feature.') oriSecurityGwMac = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 5, 10, 2), MacAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityGwMac.setStatus('current') if mibBuilder.loadTexts: oriSecurityGwMac.setDescription('This object represents the Security Gateway MAC Address to which all frames will be forwarded by the device.') oriRADIUSClientInvalidServerAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSClientInvalidServerAddress.setStatus('current') if mibBuilder.loadTexts: oriRADIUSClientInvalidServerAddress.setDescription('This counter represents the total number of RADIUS access-response messages received from an unknown address since system startup.') oriRADIUSMACAccessControl = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSMACAccessControl.setStatus('current') if mibBuilder.loadTexts: oriRADIUSMACAccessControl.setDescription('This object is used to enables RADIUS Access Control based on wireless stations MAC Address.') oriRADIUSAuthorizationLifeTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(7200, 43200), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthorizationLifeTime.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthorizationLifeTime.setDescription('This object represents the authorization lifetime for a certain MAC based RADIUS authenticated client. A value of zero (0) means that re-authorization is disabled. The units for this object is seconds.') oriRADIUSMACAddressFormat = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("dashDelimited", 1), ("colonDelimited", 2), ("singleDashDelimited", 3), ("noDelimiter", 4))).clone('dashDelimited')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSMACAddressFormat.setStatus('current') if mibBuilder.loadTexts: oriRADIUSMACAddressFormat.setDescription('This object is used to configure the MAC Address format that is to be used for communication with the RADIUS Server. Examples of MAC Address Format are: - Dash Delimited: 00-11-22-AA-BB-CC - Colon Delimited: 00:11:22:AA:BB:CC - Single Dash Delimited: 001122-AABBCC - No Delimiter: 001122AABBCC') oriRADIUSLocalUserStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 7), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSLocalUserStatus.setStatus('current') if mibBuilder.loadTexts: oriRADIUSLocalUserStatus.setDescription('This object is used to enable/disable local user support when RADIUS based management is enabled.') oriRADIUSLocalUserPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(6, 32)).clone('public')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSLocalUserPassword.setStatus('current') if mibBuilder.loadTexts: oriRADIUSLocalUserPassword.setDescription('This object is the password to access the device when using the local username - root. This object should be treated as write-only and returned as asterisks.') oriRADIUSbasedManagementAccessProfile = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 9), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSbasedManagementAccessProfile.setStatus('current') if mibBuilder.loadTexts: oriRADIUSbasedManagementAccessProfile.setDescription('This object is used to configure the RADIUS Server profile that will be used for RADIUS based management access. The RADIUS profile is defined in the RADIUS Server Table in the orinocoRADIUSSvrProfile group.') oriRADIUSAuthServerTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1), ) if mibBuilder.loadTexts: oriRADIUSAuthServerTable.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerTable.setDescription('This table represents the RADIUS servers that the device will communicated with for client authentication. Usually this table should have two members representing the primary and secondary (backup) RADIUS Authentication Servers.') oriRADIUSAuthServerTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRADIUSAuthServerTableIndex")) if mibBuilder.loadTexts: oriRADIUSAuthServerTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerTableEntry.setDescription('This object represents an entry in the RADIUS Authentication Server Table.') oriRADIUSAuthServerTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthServerTableIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerTableIndex.setDescription('This object is used as an index to the RADIUS Authentication Server Table.') oriRADIUSAuthServerType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("authentication", 1), ("accounting", 2), ("authAndAcct", 3), ("authdot1x", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthServerType.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerType.setDescription('This object indicates if the RADIUS server will provide Authentication service, Accounting service, or both.') oriRADIUSAuthServerTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerTableEntryStatus.setDescription('This object identifies if the RADIUS server entry is enabled or disabled.') oriRADIUSAuthServerIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 4), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerIPAddress.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAuthServerIPAddress.setDescription('This object represents the IP address of the RADIUS server.') oriRADIUSAuthServerDestPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 5), Integer32().clone(1812)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerDestPort.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerDestPort.setDescription('This object represents the RADIUS server authentication port - the default value is 1812.') oriRADIUSAuthServerSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerSharedSecret.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerSharedSecret.setDescription('This object represents the shared secret between the RADIUS server and client. This object should be treated as write-only and returned as asterisks.') oriRADIUSAuthServerResponseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerResponseTime.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerResponseTime.setDescription('This object represents the time (in seconds) for which the RADIUS client will wait, until another authentication request is sent to the server.') oriRADIUSAuthServerMaximumRetransmission = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerMaximumRetransmission.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerMaximumRetransmission.setDescription('This object represents the number of retransmissions of authentication requests by the RADIUS Client to the Server.') oriRADIUSAuthClientAccessRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientAccessRequests.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientAccessRequests.setDescription('This object represents the number of RADIUS Access Requests messages transmitted from the client to the server since client startup.') oriRADIUSAuthClientAccessRetransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientAccessRetransmissions.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientAccessRetransmissions.setDescription('This object represents the number of RADIUS Access Requests retransmitted by the client to the server since system startup.') oriRADIUSAuthClientAccessAccepts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientAccessAccepts.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientAccessAccepts.setDescription('This object indicates the number of RADIUS Access Accept messages received since system startup.') oriRADIUSAuthClientAccessChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientAccessChallenges.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientAccessChallenges.setDescription('This object represents the number of RADIUS Access Challenges messages received since system startup.') oriRADIUSAuthClientAccessRejects = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientAccessRejects.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientAccessRejects.setDescription('This object represents the number of RADIUS Access Rejects messages received since system startup.') oriRADIUSAuthClientMalformedAccessResponses = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientMalformedAccessResponses.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientMalformedAccessResponses.setDescription('This object represents the number of malformed RADIUS Access Response messages received since system startup.') oriRADIUSAuthClientAuthInvalidAuthenticators = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientAuthInvalidAuthenticators.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientAuthInvalidAuthenticators.setDescription('This object represents the number of malformed RADIUS Access Response messages containing invalid authenticators received since system startup.') oriRADIUSAuthClientTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientTimeouts.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientTimeouts.setDescription('This object represents the total number of timeouts for RADIUS Access Request messages since system startup.') oriRADIUSAuthServerNameOrIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 17), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerNameOrIPAddress.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerNameOrIPAddress.setDescription('This object is used to specify the RADIUS Server host name or IP Address.') oriRADIUSAuthServerAddressingFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 1, 1, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ipAddress", 1), ("name", 2))).clone('ipAddress')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAuthServerAddressingFormat.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthServerAddressingFormat.setDescription('This object is used to specify the addressing format for configuring the RADIUS Server. If this object is configured to IP Address, then IP address should be used to specify the server. If this object is configured to name, then the host name should be specified.') oriRADIUSAcctStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctStatus.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctStatus.setDescription('This object is used to enable or disable the RADIUS Accounting service. This object has been deprecated.') oriRADIUSAcctInactivityTimer = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60)).clone(5)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctInactivityTimer.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctInactivityTimer.setDescription('This parameter represents the inactivity or idle timeout in minutes after which an Accounting Stop request is sent to the RADIUS Accounting server - the default value is 5 minutes. This object has been deprecated.') oriRADIUSAcctServerTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3), ) if mibBuilder.loadTexts: oriRADIUSAcctServerTable.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerTable.setDescription('This table represents the RADIUS servers that the device will communicated with for accounting. Usually this table should have two members representing the primary and secondary (backup) RADIUS Accounting Servers. This object has been deprecated.') oriRADIUSAcctServerTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRADIUSAcctServerTableIndex")) if mibBuilder.loadTexts: oriRADIUSAcctServerTableEntry.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerTableEntry.setDescription('This object represents an entry into the RADIUS Accouting Server Table. This object has been deprecated.') oriRADIUSAcctServerTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctServerTableIndex.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerTableIndex.setDescription('This object is used as the index to the RADIUS Server Accounting table. This object has been deprecated.') oriRADIUSAcctServerType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("authentication", 1), ("accounting", 2), ("authAndAcct", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctServerType.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerType.setDescription('This object indicates if the RADIUS server will provide Authentication service, Accounting service, or both. This object has been deprecated.') oriRADIUSAcctServerTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerTableEntryStatus.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerTableEntryStatus.setDescription('This object identifies if the RADIUS server entry is enabled or disabled. This object has been deprecated.') oriRADIUSAcctServerIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 4), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerIPAddress.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerIPAddress.setDescription('This object represents the IP address of the RADIUS server. This object has been deprecated.') oriRADIUSAcctServerDestPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 5), Integer32().clone(1813)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerDestPort.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerDestPort.setDescription('This object represents the RADIUS server accounting port - the default value is 1813. This object has been deprecated.') oriRADIUSAcctServerSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerSharedSecret.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerSharedSecret.setDescription('This object represents the shared secret between the RADIUS server and client. This object should be treated as write-only and returned as asterisks. This object has been deprecated.') oriRADIUSAcctServerResponseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerResponseTime.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerResponseTime.setDescription('This object represents the time (in seconds) for which the RADIUS client will wait, until another accounting request is sent to the server. This object has been deprecated.') oriRADIUSAcctServerMaximumRetransmission = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerMaximumRetransmission.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerMaximumRetransmission.setDescription('This object represents the number of retransmissions of accounting requests by the RADIUS Client to the Server. This object has been deprecated.') oriRADIUSAcctClientAccountingRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientAccountingRequests.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctClientAccountingRequests.setDescription('This object represents the number of Accounting Requests messages sent since system startup. This object has been deprecated.') oriRADIUSAcctClientAccountingRetransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientAccountingRetransmissions.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctClientAccountingRetransmissions.setDescription('This object represents the number of Accounting Requests messages retransmitted sent since system startup. This object has been deprecated.') oriRADIUSAcctClientAccountingResponses = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientAccountingResponses.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctClientAccountingResponses.setDescription('This object represents the number of Accounting Response messages received since system startup. This object has been deprecated.') oriRADIUSAcctClientAcctInvalidAuthenticators = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientAcctInvalidAuthenticators.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctClientAcctInvalidAuthenticators.setDescription('This object represents the number of Accounting Response messages which contain invalid authenticators received since system startup. This object has been deprecated.') oriRADIUSAcctServerNameOrIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 13), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerNameOrIPAddress.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerNameOrIPAddress.setDescription('This object is used to specify the RADIUS Server host name or the IP Address. This object has been deprecated.') oriRADIUSAcctServerAddressingFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 3, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ipAddress", 1), ("name", 2))).clone('ipAddress')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctServerAddressingFormat.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctServerAddressingFormat.setDescription('This object is used to specify the addressing format for configuring the RADIUS Server. If this object is configured to IP Address, then IP address should be used to specify the server. If this object is configured to name, then the host name should be specified. This object has been deprecated.') oriRADIUSAcctUpdateInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3600))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSAcctUpdateInterval.setStatus('deprecated') if mibBuilder.loadTexts: oriRADIUSAcctUpdateInterval.setDescription('This object is used to specify the interval in seconds at which RADIUS accounting update messages will be sent. This object has been deprecated.') oriRADIUSSvrTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1), ) if mibBuilder.loadTexts: oriRADIUSSvrTable.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTable.setDescription('This table represents the RADIUS server profile that the device will communicated with for client authentication and/or accounting. This table has two indices - the first index indicates the profile number and the second index indicates primary and secondary/backup servers.') oriRADIUSSvrTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRADIUSSvrTableProfileIndex"), (0, "ORiNOCO-MIB", "oriRADIUSSvrTablePrimaryOrSecondaryIndex")) if mibBuilder.loadTexts: oriRADIUSSvrTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableEntry.setDescription('This object represents an entry in the RADIUS Server Table.') oriRADIUSSvrTableProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSSvrTableProfileIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableProfileIndex.setDescription('This object represents the RADIUS Server profile index.') oriRADIUSSvrTablePrimaryOrSecondaryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSSvrTablePrimaryOrSecondaryIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTablePrimaryOrSecondaryIndex.setDescription('This object is a second index to the RADIUS Server table, which identifies a server bein primary or secondary/backup.') oriRADIUSSvrTableProfileName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 3), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableProfileName.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableProfileName.setDescription('This object is used to specify a unique name for the RADIUS server profile.') oriRADIUSSvrTableAddressingFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ipAddress", 1), ("name", 2))).clone('ipAddress')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableAddressingFormat.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableAddressingFormat.setDescription('This object is used to specify the addressing format for configuring the RADIUS Server. If this object is configured to IP Address, then IP address should be used to specify the server. If this object is configured to name, then the host name should be specified.') oriRADIUSSvrTableNameOrIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 5), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableNameOrIPAddress.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableNameOrIPAddress.setDescription('This object is used to specify the RADIUS Server host name or IP Address.') oriRADIUSSvrTableDestPort = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 6), Integer32().clone(1812)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableDestPort.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableDestPort.setDescription('This object represents the RADIUS server authentication port - the default value is 1812.') oriRADIUSSvrTableSharedSecret = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 7), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableSharedSecret.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableSharedSecret.setDescription('This object represents the shared secret between the RADIUS server and client. This object should be treated as write-only and returned as asterisks.') oriRADIUSSvrTableResponseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(3)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableResponseTime.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableResponseTime.setDescription('This object represents the time (in seconds) for which the RADIUS client will wait, until another authentication request is sent to the server.') oriRADIUSSvrTableMaximumRetransmission = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4)).clone(3)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableMaximumRetransmission.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableMaximumRetransmission.setDescription('This object represents the number of retransmissions of authentication requests by the RADIUS Client to the Server.') oriRADIUSSvrTableVLANID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 10), VlanId()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableVLANID.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableVLANID.setDescription('This object represents the VLAND ID that will be used to tag RADIUS messages from the client to the server.') oriRADIUSSvrTableMACAddressFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("dashDelimited", 1), ("colonDelimited", 2), ("singleDashDelimited", 3), ("noDelimiter", 4))).clone('dashDelimited')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSSvrTableMACAddressFormat.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableMACAddressFormat.setDescription('This object is used to configure the MAC Address format that is to be used for communication with the RADIUS Server. Examples of MAC Address Format are: - Dash Delimited: 00-11-22-AA-BB-CC - Colon Delimited: 00:11:22:AA:BB:CC - Single Dash Delimited: 001122-AABBCC - No Delimiter: 001122AABBCC') oriRADIUSSvrTableAuthorizationLifeTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(900, 43200), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSSvrTableAuthorizationLifeTime.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableAuthorizationLifeTime.setDescription('This object represents the authorization lifetime for a certain MAC based RADIUS authenticated client. A value of zero (0) means that re-authorization is disabled. The units for this object is seconds.') oriRADIUSSvrTableAccountingInactivityTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 60)).clone(5)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSSvrTableAccountingInactivityTimer.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableAccountingInactivityTimer.setDescription('This parameter represents the client idle timeout in minutes. Once this timer has expired an Accounting Stop request is sent to the RADIUS Accounting Server.') oriRADIUSSvrTableAccountingUpdateInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(10, 10080), ))).setUnits('minutes').setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADIUSSvrTableAccountingUpdateInterval.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableAccountingUpdateInterval.setDescription('This object is used to specify the interval in seconds at which RADIUS accounting update messages will be sent. This object is defined in minutes; a value of zero (0) disables the accouting updates.') oriRADIUSSvrTableRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 1, 1, 15), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRADIUSSvrTableRowStatus.setStatus('current') if mibBuilder.loadTexts: oriRADIUSSvrTableRowStatus.setDescription('This object represents the status of the RADIUS Server profile.') oriRADIUSClientInvalidSvrAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSClientInvalidSvrAddress.setStatus('current') if mibBuilder.loadTexts: oriRADIUSClientInvalidSvrAddress.setDescription('This counter represents the total number of RADIUS access-response messages received from an unknown address since system startup.') oriRADIUSAuthClientStatTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3), ) if mibBuilder.loadTexts: oriRADIUSAuthClientStatTable.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTable.setDescription('This table is used to store RADIUS Authentication Client Statistics for the configured profiles.') oriRADIUSAuthClientStatTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRADIUSAuthClientStatTableIndex"), (0, "ORiNOCO-MIB", "oriRADIUSAuthClientStatTablePrimaryOrSecondaryIndex")) if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableEntry.setDescription('This object represents an entry, primary and secondary/backup, in the RADIUS Authentication Client Statistics table.') oriRADIUSAuthClientStatTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableIndex.setDescription('This object is used as an index to the RADIUS Authentication Client Statistics Table.') oriRADIUSAuthClientStatTablePrimaryOrSecondaryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTablePrimaryOrSecondaryIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTablePrimaryOrSecondaryIndex.setDescription('This object is used as an secondary index to the RADIUS Authentication Client Statistics Table, which is used to indicate primary and secondary/backup server statistics.') oriRADIUSAuthClientStatTableAccessRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessRequests.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessRequests.setDescription('This object represents the number of RADIUS Access Requests messages transmitted from the client to the server since client startup.') oriRADIUSAuthClientStatTableAccessRetransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessRetransmissions.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessRetransmissions.setDescription('This object represents the number of RADIUS Access Requests retransmitted by the client to the server since system startup.') oriRADIUSAuthClientStatTableAccessAccepts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessAccepts.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessAccepts.setDescription('This object indicates the number of RADIUS Access Accept messages received since system startup.') oriRADIUSAuthClientStatTableAccessChallenges = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessChallenges.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessChallenges.setDescription('This object represents the number of RADIUS Access Challenges messages received since system startup.') oriRADIUSAuthClientStatTableAccessRejects = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessRejects.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableAccessRejects.setDescription('This object represents the number of RADIUS Access Rejects messages received since system startup.') oriRADIUSAuthClientStatTableMalformedAccessResponses = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableMalformedAccessResponses.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableMalformedAccessResponses.setDescription('This object represents the number of malformed RADIUS Access Response messages received since system startup.') oriRADIUSAuthClientStatTableBadAuthenticators = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableBadAuthenticators.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableBadAuthenticators.setDescription('This object represents the number of malformed RADIUS Access Response messages containing invalid authenticators received since system startup.') oriRADIUSAuthClientStatTableTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 3, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableTimeouts.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAuthClientStatTableTimeouts.setDescription('This object represents the total number of timeouts for RADIUS Access Request messages since system startup.') oriRADIUSAcctClientStatTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4), ) if mibBuilder.loadTexts: oriRADIUSAcctClientStatTable.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTable.setDescription('This table is used to store RADIUS Accounting Client Statistics for the configured profiles.') oriRADIUSAcctClientStatTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRADIUSAcctClientStatTableIndex"), (0, "ORiNOCO-MIB", "oriRADIUSAcctClientStatTablePrimaryOrSecondaryIndex")) if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableEntry.setDescription('This object represents an entry, primary and secondary/backup, in the RADIUS Accounting Client Statistics table.') oriRADIUSAcctClientStatTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableIndex.setDescription('This object is used as an index to the RADIUS Accounting Client Statistics Table.') oriRADIUSAcctClientStatTablePrimaryOrSecondaryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientStatTablePrimaryOrSecondaryIndex.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTablePrimaryOrSecondaryIndex.setDescription('This object is used as an secondary index to the RADIUS Accounting Client Statistics Table, which is used to indicate primary and secondary/backup server statistics.') oriRADIUSAcctClientStatTableAccountingRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableAccountingRequests.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableAccountingRequests.setDescription('This object represents the number of RADIUS Accounting Requests messages transmitted from the client to the server since client startup.') oriRADIUSAcctClientStatTableAccountingRetransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableAccountingRetransmissions.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableAccountingRetransmissions.setDescription('This object represents the number of RADIUS Accounting Requests retransmitted by the client to the server since system startup.') oriRADIUSAcctClientStatTableAccountingResponses = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableAccountingResponses.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableAccountingResponses.setDescription('This object indicates the number of RADIUS Accounting Response messages received since system startup.') oriRADIUSAcctClientStatTableBadAuthenticators = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 6, 10, 4, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableBadAuthenticators.setStatus('current') if mibBuilder.loadTexts: oriRADIUSAcctClientStatTableBadAuthenticators.setDescription('This object represents the number of malformed RADIUS Access Response messages containing invalid authenticators received since system startup.') oriTelnetSessions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetSessions.setStatus('deprecated') if mibBuilder.loadTexts: oriTelnetSessions.setDescription('This object is used to enable or disable telnet access and to specify the maximum number of active telnet sessions. When this object is set to 0, telnet access is disabled. When this object is set to something greater than 0, then it specifies the maximum number of active telnet sessions. This object has been deprecated.') oriTelnetPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 2), DisplayString().clone('public')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetPassword.setStatus('current') if mibBuilder.loadTexts: oriTelnetPassword.setDescription('This object is the password to access the device via the telnet interface. This object should be treated as write-only and returned as asterisks.') oriTelnetPort = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 3), Integer32().clone(23)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetPort.setStatus('current') if mibBuilder.loadTexts: oriTelnetPort.setDescription('This object represents the TCP/IP port for which the telnet daemon/server will be accessible.') oriTelnetLoginTimeout = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 300)).clone(60)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetLoginTimeout.setStatus('current') if mibBuilder.loadTexts: oriTelnetLoginTimeout.setDescription('This object represents the telnet login timeout in seconds.') oriTelnetIdleTimeout = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 36000)).clone(900)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetIdleTimeout.setStatus('current') if mibBuilder.loadTexts: oriTelnetIdleTimeout.setDescription('This object represents the telnet inactivity/idle timeout in seconds.') oriTelnetInterfaceBitmask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 6), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriTelnetInterfaceBitmask.setDescription('This object is used to control interface access for telnet based management.') oriTelnetSSHStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 7), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetSSHStatus.setStatus('current') if mibBuilder.loadTexts: oriTelnetSSHStatus.setDescription('This object is used to enable or disable CLI access configuration using secure shell.') oriTelnetSSHHostKeyStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("create", 1), ("delete", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetSSHHostKeyStatus.setStatus('current') if mibBuilder.loadTexts: oriTelnetSSHHostKeyStatus.setDescription('This object is used create or delete the SSH Public Host key of the device.') oriTelnetSSHFingerPrint = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 9), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTelnetSSHFingerPrint.setStatus('current') if mibBuilder.loadTexts: oriTelnetSSHFingerPrint.setDescription('This object gives the fingerprint of the SSH Public Host key stored on the device.') oriTelnetRADIUSAccessControl = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 7, 10), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTelnetRADIUSAccessControl.setStatus('current') if mibBuilder.loadTexts: oriTelnetRADIUSAccessControl.setDescription('This object is used to enable/disable RADIUS Based Authentication for telnet based management.') oriTFTPServerIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 1), IpAddress().clone(hexValue="0a000002")).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPServerIPAddress.setStatus('current') if mibBuilder.loadTexts: oriTFTPServerIPAddress.setDescription('This object represents the IP address of the TFTP server.') oriTFTPFileName = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 2), DisplayString().clone('Filename')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPFileName.setStatus('current') if mibBuilder.loadTexts: oriTFTPFileName.setDescription('This object represents the filename to upload or download to the TFTP server.') oriTFTPFileType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("config", 1), ("image", 2), ("bootloader", 3), ("license", 4), ("certificate", 5), ("privatekey", 6), ("sshHostPublicKey", 7), ("sshHostPrivateKey", 8), ("cliBatchFile", 9), ("cliBatchLog", 10), ("templog", 11), ("eventlog", 12)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPFileType.setStatus('current') if mibBuilder.loadTexts: oriTFTPFileType.setDescription('This object is used for the device to know what type of file is being uploaded or downloaded.') oriTFTPOperation = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("upload", 1), ("download", 2), ("downloadAndReboot", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPOperation.setStatus('current') if mibBuilder.loadTexts: oriTFTPOperation.setDescription('This object represents the TFTP operation to be executed. The upload function shall transfer the specified file from the device to the TFTP server. The download function shall transfer the specified file from the TFTP server to the device. The download and reboot option, will perform the download and then reboot the device.') oriTFTPFileMode = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ascii", 1), ("bin", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPFileMode.setStatus('current') if mibBuilder.loadTexts: oriTFTPFileMode.setDescription('This objects represents the file transfer mode for the TFTP protocol.') oriTFTPOperationStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("idle", 1), ("inProgress", 2), ("successful", 3), ("failure", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTFTPOperationStatus.setStatus('current') if mibBuilder.loadTexts: oriTFTPOperationStatus.setDescription('This object represents the TFTP operation status. When a TFTP operation is idle (not in progress) this object will be set to 1. When a TFTP operation is in progress this object will be set to 2. When a TFTP operation has been successful this object will be set to 3. When a TFTP operation has failed this object will be set to 4.') oriTFTPAutoConfigStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 7), ObjStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPAutoConfigStatus.setStatus('current') if mibBuilder.loadTexts: oriTFTPAutoConfigStatus.setDescription('This objects is used to enable/disable the Auto Configuration feature. This feature allows for a configuration file to be downloaded from a TFTP server so the AP can be configured via a config file.') oriTFTPAutoConfigFilename = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 8), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPAutoConfigFilename.setStatus('current') if mibBuilder.loadTexts: oriTFTPAutoConfigFilename.setDescription('This object is used to configure the name of the configuration file to be downloaded using the Auto Configuration feature. This filename can be configured directly via the end user or can be retrieved in the DHCP response message when the AP is configured for dynamic IP address assignment type.') oriTFTPAutoConfigServerIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 9), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPAutoConfigServerIPAddress.setStatus('current') if mibBuilder.loadTexts: oriTFTPAutoConfigServerIPAddress.setDescription('This object is used to configure the TFTP server IP Address. This object can be configured directly via the end user or can be retrieved in the DHCP response message when the AP is configured for dynamic IP address assignment type.') oriTFTPDowngrade = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 8, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("rel201", 2))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPDowngrade.setStatus('current') if mibBuilder.loadTexts: oriTFTPDowngrade.setDescription('On selection of this option, the software will downgrade the configuration file to the specified release from the current release') oriSerialBaudRate = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 9, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("baud2400", 1), ("baud4800", 2), ("baud9600", 3), ("baud19200", 4), ("baud38400", 5), ("baud57600", 6))).clone('baud9600')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSerialBaudRate.setStatus('current') if mibBuilder.loadTexts: oriSerialBaudRate.setDescription('This object represents the baud rate for the serial interface - the default value is 9600.') oriSerialDataBits = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 9, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(4, 8)).clone(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSerialDataBits.setStatus('current') if mibBuilder.loadTexts: oriSerialDataBits.setDescription('This object represents the serial interface data bits - the default value is 8.') oriSerialParity = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 9, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("even", 1), ("odd", 2), ("none", 3), ("mark", 4), ("space", 5))).clone('none')).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSerialParity.setStatus('current') if mibBuilder.loadTexts: oriSerialParity.setDescription('This object is used for the serial interface parity check - the default value is none.') oriSerialStopBits = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 9, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("bit1", 1), ("bit1dot5", 2), ("bit2", 3))).clone('bit1')).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSerialStopBits.setStatus('current') if mibBuilder.loadTexts: oriSerialStopBits.setDescription('This object indicates the serial interface stop bits - the default value is 1.') oriSerialFlowControl = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 9, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("xonxoff", 1), ("none", 2))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSerialFlowControl.setStatus('current') if mibBuilder.loadTexts: oriSerialFlowControl.setDescription('This object is used for the serial interface flow control - the default value is none.') oriIAPPStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIAPPStatus.setStatus('current') if mibBuilder.loadTexts: oriIAPPStatus.setDescription('This object is used to enable or disable the IAPP feature.') oriIAPPPeriodicAnnounceInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(80, 120, 160, 200))).clone(namedValues=NamedValues(("eighty", 80), ("oneHundredTwenty", 120), ("oneHundredSixty", 160), ("twoHundred", 200))).clone('oneHundredTwenty')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIAPPPeriodicAnnounceInterval.setStatus('current') if mibBuilder.loadTexts: oriIAPPPeriodicAnnounceInterval.setDescription('This object represents interval in seconds for performing an IAPP announce operation by the device.') oriIAPPAnnounceResponseTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPAnnounceResponseTime.setStatus('current') if mibBuilder.loadTexts: oriIAPPAnnounceResponseTime.setDescription('This object indicates the amount of time in seconds the device waits to send an IAPP announce response after an announce request message is sent.') oriIAPPHandoverTimeout = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(410, 512, 614, 717, 819))).clone(namedValues=NamedValues(("fourHundredTen", 410), ("fiveHundredTwelve", 512), ("sixHundredFourteen", 614), ("sevenHundredSeventeen", 717), ("eightHundredNineteen", 819))).clone('fiveHundredTwelve')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIAPPHandoverTimeout.setStatus('current') if mibBuilder.loadTexts: oriIAPPHandoverTimeout.setDescription('This object represents the time in milliseconds the device waits before it resends a handover response message. This object is originally given in kuseconds, but has been converted to milliseconds.') oriIAPPMaximumHandoverRetransmissions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4)).clone(4)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIAPPMaximumHandoverRetransmissions.setStatus('current') if mibBuilder.loadTexts: oriIAPPMaximumHandoverRetransmissions.setDescription('This object indicates the maximum amount of retransmission sent by the device for a handover request message.') oriIAPPAnnounceRequestSent = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPAnnounceRequestSent.setStatus('current') if mibBuilder.loadTexts: oriIAPPAnnounceRequestSent.setDescription('This object represents the total number of IAPP Announce Request Messages sent since system startup.') oriIAPPAnnounceRequestReceived = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPAnnounceRequestReceived.setStatus('current') if mibBuilder.loadTexts: oriIAPPAnnounceRequestReceived.setDescription('This object represents the total number of IAPP Announce Request Messages received since system startup.') oriIAPPAnnounceResponseSent = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPAnnounceResponseSent.setStatus('current') if mibBuilder.loadTexts: oriIAPPAnnounceResponseSent.setDescription('This object represents the total number of IAPP Announce Response Messages sent since system startup.') oriIAPPAnnounceResponseReceived = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPAnnounceResponseReceived.setStatus('current') if mibBuilder.loadTexts: oriIAPPAnnounceResponseReceived.setDescription('This object represents the total number of IAPP Announce Response Messages received since system startup.') oriIAPPHandoverRequestSent = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPHandoverRequestSent.setStatus('current') if mibBuilder.loadTexts: oriIAPPHandoverRequestSent.setDescription('This object represents the total number of IAPP Handover Request messages sent since system startup.') oriIAPPHandoverRequestReceived = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPHandoverRequestReceived.setStatus('current') if mibBuilder.loadTexts: oriIAPPHandoverRequestReceived.setDescription('This object represents the total number of IAPP Handover Request messages received since system startup.') oriIAPPHandoverRequestRetransmissions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPHandoverRequestRetransmissions.setStatus('current') if mibBuilder.loadTexts: oriIAPPHandoverRequestRetransmissions.setDescription('This object represents the total number of IAPP Handover Request retransmissions since system startup.') oriIAPPHandoverResponseSent = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPHandoverResponseSent.setStatus('current') if mibBuilder.loadTexts: oriIAPPHandoverResponseSent.setDescription('This object represents the total number of IAPP Handover Response messages sent since system startup.') oriIAPPHandoverResponseReceived = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPHandoverResponseReceived.setStatus('current') if mibBuilder.loadTexts: oriIAPPHandoverResponseReceived.setDescription('This object represents the total number of IAPP Handover Response messages received since system startup.') oriIAPPPDUsDropped = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPPDUsDropped.setStatus('current') if mibBuilder.loadTexts: oriIAPPPDUsDropped.setDescription('This object represents the total number of IAPP packets dropped due to erroneous information within the packet since system startup.') oriIAPPRoamingClients = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPRoamingClients.setStatus('current') if mibBuilder.loadTexts: oriIAPPRoamingClients.setDescription('This object represents the total number of client that have roamed from one device to another. This parameter is per device and not a total counter of all the roaming clients for all devices on the network.') oriIAPPMACIPTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21), ) if mibBuilder.loadTexts: oriIAPPMACIPTable.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTable.setDescription('This table contains a list of devices on the network that support IAPP and have the feature enabled.') oriIAPPMACIPTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriIAPPMACIPTableIndex")) if mibBuilder.loadTexts: oriIAPPMACIPTableEntry.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTableEntry.setDescription('This object represents an entry in the IAPP table, which essentially is a device that supports IAPP and has the feature enabled.') oriIAPPMACIPTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPMACIPTableIndex.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTableIndex.setDescription('This object is used as the index for the IAPP MAC-IP table.') oriIAPPMACIPTableSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPMACIPTableSystemName.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTableSystemName.setDescription('This object represents the System Name of the IAPP enabled device.') oriIAPPMACIPTableIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21, 1, 3), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPMACIPTableIPAddress.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTableIPAddress.setDescription('This object represents the IP Address of the IAPP enabled device.') oriIAPPMACIPTableBSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21, 1, 4), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPMACIPTableBSSID.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTableBSSID.setDescription('This object represents the BSSID (MAC address of wireless interface) of the IAPP enabled device.') oriIAPPMACIPTableESSID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 21, 1, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriIAPPMACIPTableESSID.setStatus('current') if mibBuilder.loadTexts: oriIAPPMACIPTableESSID.setDescription('This object represents the ESSID (network name) of the IAPP enabled device.') oriIAPPSendAnnounceRequestOnStart = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 10, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIAPPSendAnnounceRequestOnStart.setStatus('current') if mibBuilder.loadTexts: oriIAPPSendAnnounceRequestOnStart.setDescription('This object is used to determine whether to send announce request on start.') oriLinkTestTimeOut = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 1), Integer32().clone(300)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkTestTimeOut.setStatus('current') if mibBuilder.loadTexts: oriLinkTestTimeOut.setDescription('The value of this object determines the time (in seconds) that a link test will continue without any SNMP requests for a Link Test Table entry. When the time expires the Link Test Table is cleared.') oriLinkTestInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 3), Integer32().clone(200)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkTestInterval.setStatus('current') if mibBuilder.loadTexts: oriLinkTestInterval.setDescription('This object indicates the interval (in milliseconds) between sending link test frames to a station.') oriLinkTestExplore = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tableTimedOut", 1), ("exploring", 2), ("exploreResultsAvailable", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkTestExplore.setStatus('current') if mibBuilder.loadTexts: oriLinkTestExplore.setDescription('When this object is set to 2, the device will send out an explore request on all 802.11 interfaces and from the results build the Link Test table. This table is valid only while this object is set to 3.') oriLinkTestTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5), ) if mibBuilder.loadTexts: oriLinkTestTable.setStatus('current') if mibBuilder.loadTexts: oriLinkTestTable.setDescription('This table contains the information for the stations currently associated with the access point.') oriLinkTestTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriLinkTestTableIndex")) if mibBuilder.loadTexts: oriLinkTestTableEntry.setStatus('current') if mibBuilder.loadTexts: oriLinkTestTableEntry.setDescription('This object represents the entry in the Remote Link Test table.') oriLinkTestTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 500))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestTableIndex.setStatus('current') if mibBuilder.loadTexts: oriLinkTestTableIndex.setDescription('This object represents a unique value for each station. The value for each station must remain constant at least from one explore to the next.') oriLinkTestInProgress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noLinkTestInProgress", 1), ("linkTestIinProgress", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkTestInProgress.setStatus('current') if mibBuilder.loadTexts: oriLinkTestInProgress.setDescription('When this object is set to 2 the device will initiate a link test sequence with this station.') oriLinkTestStationName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestStationName.setStatus('current') if mibBuilder.loadTexts: oriLinkTestStationName.setDescription('This object identifies the name of the station whom which the link test is being performed.') oriLinkTestMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 4), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestMACAddress.setStatus('current') if mibBuilder.loadTexts: oriLinkTestMACAddress.setDescription('This object represents the MAC address that will be mapped to the IP Address of the station.') oriLinkTestStationProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestStationProfile.setStatus('current') if mibBuilder.loadTexts: oriLinkTestStationProfile.setDescription('This object represents the profile/capabilities for this station.') oriLinkTestOurCurSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurCurSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurCurSignalLevel.setDescription('The current signal level (in dB) for the link test from this station. This object indicates the running average of the local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriLinkTestOurCurNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurCurNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurCurNoiseLevel.setDescription('The current noise level (in dB) for the link test to this station. This object indicates the running average of the local noise level.') oriLinkTestOurCurSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurCurSNR.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurCurSNR.setDescription('The current signal to noise ratio for the link test to this station.') oriLinkTestOurMinSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMinSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMinSignalLevel.setDescription('The minimum signal level during the link test to this station.') oriLinkTestOurMinNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMinNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMinNoiseLevel.setDescription('The minimum noise level during the link test to this station.') oriLinkTestOurMinSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMinSNR.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMinSNR.setDescription('The minimum signal to noise ratio during the link test to this station.') oriLinkTestOurMaxSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMaxSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMaxSignalLevel.setDescription('The maximum signal level during the link test to this station.') oriLinkTestOurMaxNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 13), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMaxNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMaxNoiseLevel.setDescription('The maximum noise level during the link test to this station.') oriLinkTestOurMaxSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 14), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMaxSNR.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMaxSNR.setDescription('The maximum signal to noise ratio during the link test to this station.') oriLinkTestOurLowFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurLowFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurLowFrameCount.setDescription('The total number of frames sent at 1 Mbit/s speed during the link test to this station.') oriLinkTestOurStandardFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurStandardFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurStandardFrameCount.setDescription('The total number of frames sent at 2 Mbit/s speed during the link test to this station.') oriLinkTestOurMediumFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurMediumFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurMediumFrameCount.setDescription('The total number of frames sent at 5.5 Mbit/s (for Turbo-8, it is 5 Mbit/s) speed during the link test to this station.') oriLinkTestOurHighFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestOurHighFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestOurHighFrameCount.setDescription('The total number of frames sent at 11 Mbit/s (for Turbo-8, it is 8 Mbit/s) speed during the link test to this station.') oriLinkTestHisCurSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisCurSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisCurSignalLevel.setDescription('The current signal level for the link test to the remote station or access point.') oriLinkTestHisCurNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 20), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisCurNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisCurNoiseLevel.setDescription('The current noise level for the link test to the remote station or access point device.') oriLinkTestHisCurSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisCurSNR.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisCurSNR.setDescription('The current signal to noise ratio for the link test to the remote station or access point device.') oriLinkTestHisMinSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 22), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMinSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMinSignalLevel.setDescription('The minimum signal level during the link test to the remote station or access point device.') oriLinkTestHisMinNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 23), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMinNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMinNoiseLevel.setDescription('The minimum noise level during the link test to the remote station or access point device.') oriLinkTestHisMinSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMinSNR.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMinSNR.setDescription('The minimum signal to noise ratio during the link test to the remote station or access point device.') oriLinkTestHisMaxSignalLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 25), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMaxSignalLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMaxSignalLevel.setDescription('The maximum signal level during the link test to the remote station or access point device.') oriLinkTestHisMaxNoiseLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 26), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMaxNoiseLevel.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMaxNoiseLevel.setDescription('The maximum noise level during the link test to the remote station or access point device.') oriLinkTestHisMaxSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 27), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMaxSNR.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMaxSNR.setDescription('The maximum signal to noise ratio during the link test to the remote station or access point device.') oriLinkTestHisLowFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 28), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisLowFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisLowFrameCount.setDescription('The total number of frames sent at 1 Mbit/s speed during the link test to the remote station or access point device.') oriLinkTestHisStandardFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 29), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisStandardFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisStandardFrameCount.setDescription('The total number of frames sent at 2 Mbit/s speed during the link test to the remote station or access point device.') oriLinkTestHisMediumFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 30), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisMediumFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisMediumFrameCount.setDescription('The total number of frames sent at 5.5 Mbit/s (for Turbo-8, it is 5 Mbit/s) speed during the link test to the remote station or access point device.') oriLinkTestHisHighFrameCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 31), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestHisHighFrameCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestHisHighFrameCount.setDescription('The total number of frames sent at 11 Mbit/s (for Turbo-8, it is 5 Mbit/s) speed during the link test to the remote station or access point device.') oriLinkTestInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 32), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestInterface.setStatus('current') if mibBuilder.loadTexts: oriLinkTestInterface.setDescription('This object represents the wireless interface number to which the Client has sent the Explore Response Message.') oriLinkTestRadioType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 5, 1, 33), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestRadioType.setStatus('current') if mibBuilder.loadTexts: oriLinkTestRadioType.setDescription('The Wireless Standard for example IEEE 802.11, 802.11b, 802.11a, or 802.11g being used by the remote station.') oriLinkTestDataRateTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 6), ) if mibBuilder.loadTexts: oriLinkTestDataRateTable.setStatus('current') if mibBuilder.loadTexts: oriLinkTestDataRateTable.setDescription('This table contains counters for the data rates for the stations currently associated to the access point.') oriLinkTestDataRateTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 6, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriLinkTestTableIndex"), (0, "ORiNOCO-MIB", "oriLinkTestDataRateTableIndex")) if mibBuilder.loadTexts: oriLinkTestDataRateTableEntry.setStatus('current') if mibBuilder.loadTexts: oriLinkTestDataRateTableEntry.setDescription('This object represents the entry in the Remote Link Test data rate counter table.') oriLinkTestDataRateTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 6, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestDataRateTableIndex.setStatus('current') if mibBuilder.loadTexts: oriLinkTestDataRateTableIndex.setDescription('This object is the second index to the Link Test Data Rate Counter Table. The data rates negotiated by the access point and client station will represent an index into this table. The data rates are defined in units of 500 Kbps.') oriLinkTestDataRateTableRemoteCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 6, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestDataRateTableRemoteCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestDataRateTableRemoteCount.setDescription('The total number of frames sent at the data rate value of the index during the link test to the remote station or access point device.') oriLinkTestDataRateTableLocalCount = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 11, 6, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkTestDataRateTableLocalCount.setStatus('current') if mibBuilder.loadTexts: oriLinkTestDataRateTableLocalCount.setDescription('The total number of frames sent at the data rate value of the index (oriLinkTestDataRateTableindex) during the link test to the client station indenfied by the index (oriLinkTestTableIndex).') oriLinkIntStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkIntStatus.setStatus('current') if mibBuilder.loadTexts: oriLinkIntStatus.setDescription('This object is used to enable or disable the link integrity functionality.') oriLinkIntPollInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 2), Integer32().clone(500)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkIntPollInterval.setStatus('current') if mibBuilder.loadTexts: oriLinkIntPollInterval.setDescription('This object is used to set the poll interval (in milliseconds) for the link integrity check. The valid values for this objects are multiples of 500 milliseconds, a value of zero is not supported.') oriLinkIntPollRetransmissions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkIntPollRetransmissions.setStatus('current') if mibBuilder.loadTexts: oriLinkIntPollRetransmissions.setDescription('This object is used to set the number of retransmissions for the link integrity check.') oriLinkIntTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 4), ) if mibBuilder.loadTexts: oriLinkIntTable.setStatus('current') if mibBuilder.loadTexts: oriLinkIntTable.setDescription('This table contains the target IP addresses in order to perform the link integrity check. This table is limited to 5 entries.') oriLinkIntTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 4, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriLinkIntTableIndex")) if mibBuilder.loadTexts: oriLinkIntTableEntry.setStatus('current') if mibBuilder.loadTexts: oriLinkIntTableEntry.setDescription('This object identifies the entry in the link integrity target table.') oriLinkIntTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriLinkIntTableIndex.setStatus('current') if mibBuilder.loadTexts: oriLinkIntTableIndex.setDescription('This object is used as an index for the link integrity target table.') oriLinkIntTableTargetIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 4, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkIntTableTargetIPAddress.setStatus('current') if mibBuilder.loadTexts: oriLinkIntTableTargetIPAddress.setDescription('This object represents the IP address of the target machine for the link integrity check.') oriLinkIntTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 4, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkIntTableComment.setStatus('current') if mibBuilder.loadTexts: oriLinkIntTableComment.setDescription('This object is used as an optional comment associated to the link integrity table entry.') oriLinkIntTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 12, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriLinkIntTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriLinkIntTableEntryStatus.setDescription('This object is used to enable, disable, or delete an entry in the link integrity table.') oriUPSDGPRInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 13, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 25))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriUPSDGPRInterval.setStatus('current') if mibBuilder.loadTexts: oriUPSDGPRInterval.setDescription('This object is used to set the interval of GPR message (in 5ms step), 0 = disable GPR.') oriUPSDMaxActiveSU = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 13, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)).clone(32)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriUPSDMaxActiveSU.setStatus('current') if mibBuilder.loadTexts: oriUPSDMaxActiveSU.setDescription('This object is used to set the maximum actived SU per AP.') oriUPSDE911Reserved = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 13, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)).clone(16)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriUPSDE911Reserved.setStatus('current') if mibBuilder.loadTexts: oriUPSDE911Reserved.setDescription('This object is used to set the bandwidth allocated for E911calls.') oriUPSDRoamingReserved = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 13, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64)).clone(16)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriUPSDRoamingReserved.setStatus('current') if mibBuilder.loadTexts: oriUPSDRoamingReserved.setDescription('This object is used to set the bandwidth allocated for roaming SU.') oriQoSPolicyTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1), ) if mibBuilder.loadTexts: oriQoSPolicyTable.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyTable.setDescription('This table is used to configure Quality of Service policies to be used in the Access Point.') oriQoSPolicyTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriQoSPolicyTableIndex"), (0, "ORiNOCO-MIB", "oriQoSPolicyTableSecIndex")) if mibBuilder.loadTexts: oriQoSPolicyTableEntry.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyTableEntry.setDescription('This object represents entries in the QoS Policy Table.') oriQoSPolicyTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSPolicyTableIndex.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyTableIndex.setDescription('This object is used as the primary index to the QoS Policy Table.') oriQoSPolicyTableSecIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSPolicyTableSecIndex.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyTableSecIndex.setDescription('This object is used as the secondary index to the QoS Policy Table.') oriQoSPolicyName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 3), DisplayString32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSPolicyName.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyName.setDescription('This object is used to specify a name for the QoS Policy.') oriQoSPolicyType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("inboundLayer2", 1), ("inboundLayer3", 2), ("outboundLayer2", 3), ("outboundLayer3", 4), ("spectralink", 5))).clone('inboundLayer2')).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSPolicyType.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyType.setDescription('This object is used to specify the QoS policy type.') oriQoSPolicyPriorityMapping = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 5), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSPolicyPriorityMapping.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyPriorityMapping.setDescription('This object is used to configure the QoS priority mapping. The index from either the QoS 802.1D to 802.1p mapping table or the index from the 802.1D to IP DSCP mapping table should be specified depending on the policy type. For Layer 2 polices, an index from the QoS 802.1D to 802.1p mapping table should be specified. For Layer 3 policies, an index from the QoS 802.1D to IP DSCP mapping table should be specified. If a spectralink policy is configured, then this object is not used.') oriQoSPolicyMarkingStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 6), ObjStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSPolicyMarkingStatus.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyMarkingStatus.setDescription('This object is used to enable or disable QoS markings.') oriQoSPolicyTableRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 1, 1, 7), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSPolicyTableRowStatus.setStatus('current') if mibBuilder.loadTexts: oriQoSPolicyTableRowStatus.setDescription('The object is used to configure the QoS Policy Table row status.') oriQoSDot1DToDot1pMappingTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 2), ) if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTable.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTable.setDescription('This table is used to configure Quality of Service mappings between 802.1D and 802.1p priorities.') oriQoSDot1DToDot1pMappingTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriQoSDot1DToDot1pMappingTableIndex"), (0, "ORiNOCO-MIB", "oriQoSDot1dPriority")) if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTableEntry.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTableEntry.setDescription('This object represents entries in the QoS 802.1D to 802.1p Mapping Table.') oriQoSDot1DToDot1pMappingTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTableIndex.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTableIndex.setDescription('This object is used as the primary index to the QoS 802.1D to 802.1p mapping table.') oriQoSDot1dPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSDot1dPriority.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1dPriority.setDescription('This object is used to specify the 802.1d priority and is used as the secondary index to the 802.1D to 802.1p mapping table.') oriQoSDot1pPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSDot1pPriority.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1pPriority.setDescription('This object is used to specify the 802.1D priority to be mapped to a 802.1p priority.') oriQoSDot1DToDot1pMappingTableRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 2, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTableRowStatus.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToDot1pMappingTableRowStatus.setDescription('The object is used to configure the QoS 802.1D to 802.1p mapping table row status.') oriQoSDot1DToIPDSCPMappingTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3), ) if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTable.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTable.setDescription('This table is used to configure Quality of Service mappings between 802.1D to IP DSCP priorities.') oriQoSDot1DToIPDSCPMappingTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriQoSDot1DToIPDSCPMappingTableIndex"), (0, "ORiNOCO-MIB", "oriQoSDot1DToIPDSCPPriority")) if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTableEntry.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTableEntry.setDescription('This object represents entries in the 802.1D to IP DSCP Mapping Table.') oriQoSDot1DToIPDSCPMappingTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTableIndex.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTableIndex.setDescription('This object is used as the primary index to the 802.1D to IP DSCP mapping table.') oriQoSDot1DToIPDSCPPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPPriority.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPPriority.setDescription('This object is used to specify the 802.1D priority and is used as the secondary index to the 802.1D to IP DSCP mapping table.') oriQoSIPDSCPLowerLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 62))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSIPDSCPLowerLimit.setStatus('current') if mibBuilder.loadTexts: oriQoSIPDSCPLowerLimit.setDescription('This object is used to specify IP DSCP lower limit.') oriQoSIPDSCPUpperLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 63)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSIPDSCPUpperLimit.setStatus('current') if mibBuilder.loadTexts: oriQoSIPDSCPUpperLimit.setDescription('This object is used to specify IP DSCP upper limit.') oriQoSDot1DToIPDSCPMappingTableRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 14, 3, 1, 5), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTableRowStatus.setStatus('current') if mibBuilder.loadTexts: oriQoSDot1DToIPDSCPMappingTableRowStatus.setDescription('The object is used to configure the 802.1D to IP DSCP mapping table row status.') oriDHCPServerStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerStatus.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerStatus.setDescription('This object indicates if the DHCP server is enabled or disabled in the device.') oriDHCPServerIPPoolTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2), ) if mibBuilder.loadTexts: oriDHCPServerIPPoolTable.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTable.setDescription('This table contains the pools of IP Addresses that the DHCP server will assign to the DHCP clients. This table is limited to 20.') oriDHCPServerIPPoolTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriDHCPServerIPPoolTableIndex")) if mibBuilder.loadTexts: oriDHCPServerIPPoolTableEntry.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableEntry.setDescription('This object represents entries in the DHCP IP Address Pool Table.') oriDHCPServerIPPoolTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 20))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableIndex.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableIndex.setDescription('This object is used as the index for the IP Address Pool table.') oriDHCPServerIPPoolTableStartIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableStartIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableStartIPAddress.setDescription('This object represents the start IP address for this DHCP IP Address IP Pool Table entry.') oriDHCPServerIPPoolTableEndIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableEndIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableEndIPAddress.setDescription('This object represents the end IP address for this DHCP IP Address IP Pool Table entry.') oriDHCPServerIPPoolTableWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableWidth.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableWidth.setDescription('This object represents the width or number of IP Address in the DHCP IP Address Pool table entry.') oriDHCPServerIPPoolTableDefaultLeaseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3600, 86400))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableDefaultLeaseTime.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableDefaultLeaseTime.setDescription('This object represents the default lease time, in seconds, for the IP address assigned by the DHCP server to the DHCP client.') oriDHCPServerIPPoolTableMaximumLeaseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(3600, 86400))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableMaximumLeaseTime.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableMaximumLeaseTime.setDescription('This object represents the maximum lease time in seconds for the IP address assigned by the DHCP server to the DHCP client.') oriDHCPServerIPPoolTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 7), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableComment.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableComment.setDescription('This object represents an optional comment for this table entry.') oriDHCPServerIPPoolTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerIPPoolTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerIPPoolTableEntryStatus.setDescription('The object indicates the status of the DHCP IP Address Pool Table entry.') oriDHCPServerDefaultGatewayIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerDefaultGatewayIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerDefaultGatewayIPAddress.setDescription('This object represents the IP Address of the gateway or router that the DHCP Server will assign to the DHCP client.') oriDHCPServerSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriDHCPServerSubnetMask.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerSubnetMask.setDescription('This object represents the subnet mask to be provided to DHCP clients. This object is the same as the subnet mask for the device.') oriDHCPServerNumIPPoolTableEntries = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriDHCPServerNumIPPoolTableEntries.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerNumIPPoolTableEntries.setDescription('This object represents the number of entries in the DHCP IP Address Pool Table.') oriDHCPServerPrimaryDNSIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 6), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerPrimaryDNSIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerPrimaryDNSIPAddress.setDescription('This object represents the primary DNS Server IP Address to be assinged to a DHCP Client.') oriDHCPServerSecondaryDNSIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 1, 7), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPServerSecondaryDNSIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDHCPServerSecondaryDNSIPAddress.setDescription('This object represents the secondary DNS Server IP Address to be assinged to a DHCP Client.') oriDHCPClientID = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 2, 1), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPClientID.setStatus('current') if mibBuilder.loadTexts: oriDHCPClientID.setDescription('This object represents the DHCP client ID.') oriDHCPClientInterfaceBitmask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 2, 2), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPClientInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriDHCPClientInterfaceBitmask.setDescription('This object indicates to which interface a DHCP Request in sent when the unit is in routing mode') oriDHCPRelayStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPRelayStatus.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayStatus.setDescription('This object is used to enable and disable the DHCP Relay functionality.') oriDHCPRelayDHCPServerTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 2), ) if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTable.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTable.setDescription('This table contains a list of DHCP servers to which the DHCP Agent will communicate with.') oriDHCPRelayDHCPServerTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriDHCPRelayDHCPServerTableIndex")) if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableEntry.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableEntry.setDescription('This object represents and entry in the DHCP Server table.') oriDHCPRelayDHCPServerTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableIndex.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableIndex.setDescription('This object is used as the index to this table. This table is limited to 10 entries.') oriDHCPRelayDHCPServerTableIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 2, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableIpAddress.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableIpAddress.setDescription('This object represents the IP address of the DHCP server that shall receive DHCP requests from the device.') oriDHCPRelayDHCPServerTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 2, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableComment.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableComment.setDescription('This object represents an optional comment in order to provide additional information or a unique identifier for the DHCP server (for example the server system name).') oriDHCPRelayDHCPServerTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 15, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriDHCPRelayDHCPServerTableEntryStatus.setDescription('This object is used to enable, disable, delete or create an entry in the DHCP Server Table.') oriHTTPInterfaceBitmask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 1), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriHTTPInterfaceBitmask.setDescription('This object is used to control interface access for HTTP based management.') oriHTTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPPassword.setStatus('current') if mibBuilder.loadTexts: oriHTTPPassword.setDescription('This object represents the login password in order to manage the device via a standard web browser. This object should be treated as write-only and returned as asterisks.') oriHTTPPort = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPPort.setStatus('current') if mibBuilder.loadTexts: oriHTTPPort.setDescription('This object represents the TCP/IP port by which the HTTP server will be accessible.') oriHTTPWebSitenameTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4), ) if mibBuilder.loadTexts: oriHTTPWebSitenameTable.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSitenameTable.setDescription('This table is used to store the different website interfaces stored in the device. Different interfaces can be used to support multiple languages, user levels (novice, expert), etc.') oriHTTPWebSitenameTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriHTTPWebSitenameTableIndex")) if mibBuilder.loadTexts: oriHTTPWebSitenameTableEntry.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSitenameTableEntry.setDescription('This object represents an entry is the HTTP website name table.') oriHTTPWebSitenameTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriHTTPWebSitenameTableIndex.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSitenameTableIndex.setDescription('This objects represents the index to the website interface table.') oriHTTPWebSiteFilename = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriHTTPWebSiteFilename.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSiteFilename.setDescription('This object represents the filename under which the website interface is stored in the device.') oriHTTPWebSiteLanguage = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriHTTPWebSiteLanguage.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSiteLanguage.setDescription('This object represents the language of the website interface.') oriHTTPWebSiteDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriHTTPWebSiteDescription.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSiteDescription.setDescription('This object provides a description for the website interface.') oriHTTPWebSitenameTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPWebSitenameTableStatus.setStatus('current') if mibBuilder.loadTexts: oriHTTPWebSitenameTableStatus.setDescription('This object is used to enable, disable, or delete a website interface file.') oriHTTPRefreshDelay = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 5), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPRefreshDelay.setStatus('current') if mibBuilder.loadTexts: oriHTTPRefreshDelay.setDescription('This object is used for the automatic refresh delay for the website pages.') oriHTTPHelpInformationLink = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 6), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPHelpInformationLink.setStatus('current') if mibBuilder.loadTexts: oriHTTPHelpInformationLink.setDescription('This object is used to configure the link in the web interface for where help information can be retrieved.') oriHTTPSSLStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 7), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPSSLStatus.setStatus('current') if mibBuilder.loadTexts: oriHTTPSSLStatus.setDescription('This object is used to enable or disable SSL on HTTP based management.') oriHTTPSSLPassphrase = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 8), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPSSLPassphrase.setStatus('current') if mibBuilder.loadTexts: oriHTTPSSLPassphrase.setDescription('This object is used to specify the SSL certificate passphrase on HTTP based management. This object should be treated as write-only and returned as asterisks.') oriHTTPSetupWizardStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPSetupWizardStatus.setStatus('current') if mibBuilder.loadTexts: oriHTTPSetupWizardStatus.setDescription('This object is used to enable or disable the HTT setup wizard. The user can manually disable this functionality or when the setup wizard completes it process successfully it sets this object to disable.') oriHTTPRADIUSAccessControl = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 16, 10), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriHTTPRADIUSAccessControl.setStatus('current') if mibBuilder.loadTexts: oriHTTPRADIUSAccessControl.setDescription('This object is used to enable/disable RADIUS Based Authentication for HTTP based management.') oriWDSSetupTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 1), ) if mibBuilder.loadTexts: oriWDSSetupTable.setStatus('current') if mibBuilder.loadTexts: oriWDSSetupTable.setDescription('This table is used in to configure the WDS feature in the device.') oriWDSSetupTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "ORiNOCO-MIB", "oriWDSSetupTablePortIndex")) if mibBuilder.loadTexts: oriWDSSetupTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWDSSetupTableEntry.setDescription('This object represents an entry in the WDS table. Note this table is index by ifIndex and WDS table index.') oriWDSSetupTablePortIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriWDSSetupTablePortIndex.setStatus('current') if mibBuilder.loadTexts: oriWDSSetupTablePortIndex.setDescription('This object represents the WDS port number.') oriWDSSetupTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWDSSetupTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriWDSSetupTableEntryStatus.setDescription('This object is used to enable or disable a WDS table entry (link).') oriWDSSetupTablePartnerMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 1, 1, 3), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWDSSetupTablePartnerMACAddress.setStatus('current') if mibBuilder.loadTexts: oriWDSSetupTablePartnerMACAddress.setDescription('This object represents the partner MAC address for a WDS table entry (link).') oriWDSSecurityTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 2), ) if mibBuilder.loadTexts: oriWDSSecurityTable.setStatus('current') if mibBuilder.loadTexts: oriWDSSecurityTable.setDescription('This table is used in to configure the WDS security modes for all entries in the WDS table.') oriWDSSecurityTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriWDSSecurityTableEntry.setStatus('current') if mibBuilder.loadTexts: oriWDSSecurityTableEntry.setDescription('This object represents an entry in the WDS security table. Note this table is index by ifIndex since the security configuration will apply for all the WDS links per interface.') oriWDSSecurityTableSecurityMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 6))).clone(namedValues=NamedValues(("none", 1), ("wep", 6)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWDSSecurityTableSecurityMode.setStatus('current') if mibBuilder.loadTexts: oriWDSSecurityTableSecurityMode.setDescription('This object is used to configure the WDS security mode. Currently the supported WDS security modes are none and wep.') oriWDSSecurityTableEncryptionKey0 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 17, 2, 1, 2), WEPKeyType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWDSSecurityTableEncryptionKey0.setStatus('current') if mibBuilder.loadTexts: oriWDSSecurityTableEncryptionKey0.setDescription('This object represents the WDS Encryption Key 0. When the WDS security mode is configured to wep, this object must be configured to a valid value. This object should be treated as write-only and returned as asterisks.') oriTrapVariable = MibIdentifier((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1)) oriGenericTrapVariable = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriGenericTrapVariable.setStatus('current') if mibBuilder.loadTexts: oriGenericTrapVariable.setDescription('This object is used to provide additional information on traps.') oriTrapVarMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 2), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarMACAddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarMACAddress.setDescription('This object is used to store the MAC address of the device that has sent a trap.') oriTrapVarTFTPIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 3), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarTFTPIPAddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarTFTPIPAddress.setDescription('This object is used to store the IP Address of the TFTP server.') oriTrapVarTFTPFilename = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarTFTPFilename.setStatus('current') if mibBuilder.loadTexts: oriTrapVarTFTPFilename.setDescription('This object is used to store the name of the file on which the TFTP operation has occurred.') oriTrapVarTFTPOperation = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("upload", 1), ("download", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarTFTPOperation.setStatus('current') if mibBuilder.loadTexts: oriTrapVarTFTPOperation.setDescription('This object is used to store the TFTP operation that failed, either download or upload.') oriTrapVarUnauthorizedManagerIPaddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 6), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarUnauthorizedManagerIPaddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarUnauthorizedManagerIPaddress.setDescription('This object is used to store the IP address of the unauthorized manager that has attempted to manage the device.') oriTrapVarFailedAuthenticationType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 7), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarFailedAuthenticationType.setStatus('current') if mibBuilder.loadTexts: oriTrapVarFailedAuthenticationType.setDescription('This trap variable is used to specify the client authentication method/type that failed. The authentication methods/types are dependant on the device and can range from the following: - MAC Access Control Table - RADIUS MAC Authentication - 802.1x Authentication specifying the EAP-Type - WORP Mutual Authentication - SSID Authorization Failure specifying the SSID - VLAN ID Authorization Failure specifying the VLAN ID') oriTrapVarUnAuthorizedManagerCount = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarUnAuthorizedManagerCount.setStatus('current') if mibBuilder.loadTexts: oriTrapVarUnAuthorizedManagerCount.setDescription('This object represents a counter for the number of unauthorized SNMP managers that have attempted to modify and/or view the devices setup. When this number is incremented a trap should be sent out notifying the trap host(s) that an unauthorized station has attempted to configure or monitor the device the count should also be sent out in the trap message.') oriTrapVarTaskSuspended = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 9), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarTaskSuspended.setStatus('current') if mibBuilder.loadTexts: oriTrapVarTaskSuspended.setDescription('This object is used to inform what task has been suspended on the device.') oriTrapVarUnauthorizedClientMACAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 17), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarUnauthorizedClientMACAddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarUnauthorizedClientMACAddress.setDescription('This object is used to store the MAC Address of an unauthorized client station.') oriTrapVarWirelessCard = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("pcCardA", 1), ("pcCardB", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarWirelessCard.setStatus('current') if mibBuilder.loadTexts: oriTrapVarWirelessCard.setDescription('This object is used to determine on which Wireless Card, PC Card A or PC Card B, a wireless TRAP has occured on.') oriTrapVarInterface = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarInterface.setStatus('current') if mibBuilder.loadTexts: oriTrapVarInterface.setDescription('This object is used to store the interface number.') oriTrapVarBatchCLIFilename = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 22), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarBatchCLIFilename.setStatus('current') if mibBuilder.loadTexts: oriTrapVarBatchCLIFilename.setDescription('This object is used to store filename used for Batch CLI execution.') oriTrapVarBatchCLIMessage = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 23), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarBatchCLIMessage.setStatus('current') if mibBuilder.loadTexts: oriTrapVarBatchCLIMessage.setDescription('This object is used to store message from Batch CLI execution.') oriTrapVarBatchCLILineNumber = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 24), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarBatchCLILineNumber.setStatus('current') if mibBuilder.loadTexts: oriTrapVarBatchCLILineNumber.setDescription('This object is used to store line number of command executed in Batch CLI.') oriTrapVarDHCPServerIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 25), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarDHCPServerIPAddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarDHCPServerIPAddress.setDescription('This object is used to store the DHCP Server IP Address from which the access point has received an IP address as a result of the a DHCP client request.') oriTrapVarIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 26), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarIPAddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarIPAddress.setDescription('This object is a trap variable/object to store an IP address.') oriTrapVarSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 27), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarSubnetMask.setStatus('current') if mibBuilder.loadTexts: oriTrapVarSubnetMask.setDescription('This object is a trap variable/object to store a subnet mask.') oriTrapVarDefaultRouterIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 28), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriTrapVarDefaultRouterIPAddress.setStatus('current') if mibBuilder.loadTexts: oriTrapVarDefaultRouterIPAddress.setDescription('This object is a trap variable/object to store a default router or gateway IP address.') oriConfigurationTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriConfigurationTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriConfigurationTrapsStatus.setDescription('This object is used to enable or disable the configuration related traps.') oriSecurityTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriSecurityTrapsStatus.setDescription('This object is used to enable or disable the security related traps.') oriWirelessIfTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWirelessIfTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfTrapsStatus.setDescription('This object is used to enable or disable the wireless interface/card related traps.') oriOperationalTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriOperationalTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriOperationalTrapsStatus.setDescription('This object is used to enable or disable the operational related traps.') oriFlashMemoryTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriFlashMemoryTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriFlashMemoryTrapsStatus.setDescription('This object is used to enable or disable the flash memory related traps.') oriTFTPTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTFTPTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriTFTPTrapsStatus.setDescription('This object is used to enable or disable the TFTP related traps.') oriTrapsImageStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriTrapsImageStatus.setStatus('current') if mibBuilder.loadTexts: oriTrapsImageStatus.setDescription('This object is used to enable or disable the Image related traps.') oriADSLIfTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriADSLIfTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriADSLIfTrapsStatus.setDescription('This object is used to enable or disable the ADSL interface related traps.') oriWORPTrapsStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriWORPTrapsStatus.setStatus('current') if mibBuilder.loadTexts: oriWORPTrapsStatus.setDescription('This object is used to enable or disable the WORP related traps.') oriProxyARPStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 19, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriProxyARPStatus.setStatus('current') if mibBuilder.loadTexts: oriProxyARPStatus.setDescription('This object is used to enable/disable the Proxy ARP functionality in the device.') oriIPARPFilteringStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 19, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIPARPFilteringStatus.setStatus('current') if mibBuilder.loadTexts: oriIPARPFilteringStatus.setDescription('This object is used to enable/disable the IP/ARP functionality in the device.') oriIPARPFilteringIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 19, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIPARPFilteringIPAddress.setStatus('current') if mibBuilder.loadTexts: oriIPARPFilteringIPAddress.setDescription('This object is used to specify the IP/ARP Filtering address in the device.') oriIPARPFilteringSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 19, 4), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriIPARPFilteringSubnetMask.setStatus('current') if mibBuilder.loadTexts: oriIPARPFilteringSubnetMask.setDescription('This object is used to specify the IP/ARP Subnet Mask in the device.') oriSpanningTreeStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 20, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSpanningTreeStatus.setStatus('current') if mibBuilder.loadTexts: oriSpanningTreeStatus.setDescription('This object is used to enable/disable the spanning tree protocol in the device.') oriSecurityConfiguration = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("dot1x", 2), ("mixedWepAnddot1x", 3))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityConfiguration.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfiguration.setDescription('This object represents the supported security configuration options. This object has been deprecated.') oriSecurityEncryptionKeyLengthTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 2), ) if mibBuilder.loadTexts: oriSecurityEncryptionKeyLengthTable.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityEncryptionKeyLengthTable.setDescription('This table is used to specify the encryption key length for the wireless interface(s). This table has been deprecated.') oriSecurityEncryptionKeyLengthTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriSecurityEncryptionKeyLengthTableEntry.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityEncryptionKeyLengthTableEntry.setDescription('This object represents an entry in the encryption key length table. This object has been deprecated.') oriSecurityEncryptionKeyLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("sixtyFourBits", 1), ("oneHundredTwentyEightBits", 2))).clone('sixtyFourBits')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityEncryptionKeyLength.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityEncryptionKeyLength.setDescription('This object represents the encryption key length, the supported key lengths are 64 bits (40 + 24 for IV), and 128 bits (104 + 24 for IV). This object has been deprecated.') oriSecurityRekeyingInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityRekeyingInterval.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityRekeyingInterval.setDescription('This object represents the encryption rekeying interval in seconds. This object has been deprecated.') oriRADStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADStatus.setStatus('current') if mibBuilder.loadTexts: oriRADStatus.setDescription('This object allows to enable or disable the RAD service in the device.') oriRADInterval = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(15, 1440)).clone(15)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADInterval.setStatus('current') if mibBuilder.loadTexts: oriRADInterval.setDescription('This object is used to identify the interval at which the RAD feature will initialize. The units of this object is minutes.') oriRADInterfaceBitmask = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 3), InterfaceBitmask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriRADInterfaceBitmask.setStatus('current') if mibBuilder.loadTexts: oriRADInterfaceBitmask.setDescription('This object is used to configure the interface(s) on which the RAD feature will operate on.') oriRADLastSuccessfulScanTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 4), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADLastSuccessfulScanTime.setStatus('current') if mibBuilder.loadTexts: oriRADLastSuccessfulScanTime.setDescription('This object is the number of seconds that have elapsed since the last successful RAD scan since the AP has started up.') oriRADAccessPointCount = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADAccessPointCount.setStatus('current') if mibBuilder.loadTexts: oriRADAccessPointCount.setDescription('This object represents the number of access points that were discovered since the last RAD scan.') oriRADScanResultsTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 6), ) if mibBuilder.loadTexts: oriRADScanResultsTable.setStatus('current') if mibBuilder.loadTexts: oriRADScanResultsTable.setDescription('This table is used to store the RAD scan results. Each entry represents an access point scanned in the network.') oriRADScanResultsTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 6, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRADScanResultsTableIndex")) if mibBuilder.loadTexts: oriRADScanResultsTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRADScanResultsTableEntry.setDescription('This object represents an entry in the RAD scan results table.') oriRADScanResultsTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 6, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADScanResultsTableIndex.setStatus('current') if mibBuilder.loadTexts: oriRADScanResultsTableIndex.setDescription('This object is used as the index to the scan results table.') oriRADScanResultsMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 6, 1, 2), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADScanResultsMACAddress.setStatus('current') if mibBuilder.loadTexts: oriRADScanResultsMACAddress.setDescription('This object represents the MAC address of the access point detected during a RAD scan.') oriRADScanResultsFrequencyChannel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 4, 6, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRADScanResultsFrequencyChannel.setStatus('current') if mibBuilder.loadTexts: oriRADScanResultsFrequencyChannel.setDescription('This object represents the frequency channel of the access point.') oriRogueScanConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 1), ) if mibBuilder.loadTexts: oriRogueScanConfigTable.setStatus('current') if mibBuilder.loadTexts: oriRogueScanConfigTable.setDescription('This table is used to configure the Rogue Scan feature per wireless network interface card.') oriRogueScanConfigTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriRogueScanConfigTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRogueScanConfigTableEntry.setDescription('This object represents an entry in the Rogue Scan Config Table.') oriRogueScanConfigTableScanMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("bkScanMode", 1), ("contScanMode", 2))).clone('bkScanMode')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanConfigTableScanMode.setStatus('current') if mibBuilder.loadTexts: oriRogueScanConfigTableScanMode.setDescription('This object is used to configure the scan mode for the wireless NIC.') oriRogueScanConfigTableScanCycleTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1440)).clone(1)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanConfigTableScanCycleTime.setStatus('current') if mibBuilder.loadTexts: oriRogueScanConfigTableScanCycleTime.setDescription('This object is used to configure the rogue scan cycle time for the wireless NIC.') oriRogueScanConfigTableScanStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 1, 1, 3), ObjStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanConfigTableScanStatus.setStatus('current') if mibBuilder.loadTexts: oriRogueScanConfigTableScanStatus.setDescription('This object is used to enable/disable rogue scan on the wireless NIC.') oriRogueScanStationCountWirelessCardA = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanStationCountWirelessCardA.setStatus('current') if mibBuilder.loadTexts: oriRogueScanStationCountWirelessCardA.setDescription("This object represents the number of stations that were discovered/detected on the device's wireless NIC A.") oriRogueScanStationCountWirelessCardB = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanStationCountWirelessCardB.setStatus('current') if mibBuilder.loadTexts: oriRogueScanStationCountWirelessCardB.setDescription("This object represents the number of stations that were discovered/detected on the device's wireless NIC B.") oriRogueScanResultsTableAgingTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 7200)).clone(60)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanResultsTableAgingTime.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsTableAgingTime.setDescription('This object represents the aging time for the entries in RogueScanResultsTable, after which the entries are removed from RogueScanResultsTable.') oriRogueScanResultsTableClearEntries = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 5), Integer32()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanResultsTableClearEntries.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsTableClearEntries.setDescription('This object is used to remove the content/entries of RogueScanResultsTable. When this object is set, the content of the table shall be cleared.') oriRogueScanResultsNotificationMode = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("noNotification", 1), ("notifyAP", 2), ("notifyClient", 3), ("notifyAll", 4))).clone('notifyAll')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanResultsNotificationMode.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsNotificationMode.setDescription('This object is used to configure the trap/notification mode for detected stations during Rogue Scan.') oriRogueScanResultsTrapReportType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("reportSinceLastScan", 1), ("reportSinceStartOfScan", 2))).clone('reportSinceLastScan')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriRogueScanResultsTrapReportType.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsTrapReportType.setDescription('This object is used to configure the trap/notification report type for detected stations during Rogue Scan.') oriRogueScanResultsTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8), ) if mibBuilder.loadTexts: oriRogueScanResultsTable.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsTable.setDescription('This table is used to store the rogue scan results. Each entry represents a rogue wireless station detected in the network.') oriRogueScanResultsTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriRogueScanResultsTableIndex")) if mibBuilder.loadTexts: oriRogueScanResultsTableEntry.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsTableEntry.setDescription('This object represents an entry in the rogue scan results table.') oriRogueScanResultsTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanResultsTableIndex.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsTableIndex.setDescription('This object is used as the index to the rogue scan results table.') oriRogueScanResultsStationType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("infrastructureClient", 2), ("accessPoint", 3), ("ibssClient", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanResultsStationType.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsStationType.setDescription('This object represents the type of station detected during a rogue scan.') oriRogueScanResultsMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1, 3), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanResultsMACAddress.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsMACAddress.setDescription('This object represents the MAC address of the station detected during a rogue scan.') oriRogueScanResultsFrequencyChannel = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(32, 32)).setFixedLength(32)).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanResultsFrequencyChannel.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsFrequencyChannel.setDescription('This object represents the frequency channel on which the rogue wireless stations was detected.') oriRogueScanResultsSNR = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanResultsSNR.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsSNR.setDescription('This object represents the signal to noise ration (SNR) for the station detected during a rogue scan.') oriRogueScanResultsBSSID = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 8, 8, 1, 7), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriRogueScanResultsBSSID.setStatus('current') if mibBuilder.loadTexts: oriRogueScanResultsBSSID.setDescription('This object represents BSSID of the station detected during a rogue scan.') oriSecurityConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 5), ) if mibBuilder.loadTexts: oriSecurityConfigTable.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfigTable.setDescription('This table is used to specify the security configuration for the wireless interface(s) in the access point.') oriSecurityConfigTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 5, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: oriSecurityConfigTableEntry.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfigTableEntry.setDescription('This object represents an entry in the security configuration table.') oriSecurityConfigTableSupportedSecurityModes = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 5, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSecurityConfigTableSupportedSecurityModes.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfigTableSupportedSecurityModes.setDescription('This object is used to provide information on the supported security modes by the wireless interface(s). The possible security modes can be: - None: no security mode enabled. - dot1x: 802.1x authentication enabled. - mixed: mixed WEP and 802.1x. - wpa: WiFi Protected Access enabled. - wpa-psk: WiFi Protected Access with Preshared Keys enabled.') oriSecurityConfigTableSecurityMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("dot1x", 2), ("mixed", 3), ("wpa", 4), ("wpa-psk", 5))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityConfigTableSecurityMode.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfigTableSecurityMode.setDescription('This object is used to configure the security mode. The supported security modes are: - None: no security mode enabled. - dot1x: 802.1x authentication enabled. - mixed: mixed WEP and 802.1x. - wpa: WiFi Protected Access enabled. - wpa-psk: WiFi Protected Access with Preshared Keys enabled.') oriSecurityConfigTableRekeyingInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 65535))).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityConfigTableRekeyingInterval.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfigTableRekeyingInterval.setDescription('This object represents the encryption rekeying interval in seconds.') oriSecurityConfigTableEncryptionKeyLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("sixtyFourBits", 1), ("oneHundredTwentyEightBits", 2), ("oneHundredFiftyTwoBits", 3))).clone('sixtyFourBits')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityConfigTableEncryptionKeyLength.setStatus('deprecated') if mibBuilder.loadTexts: oriSecurityConfigTableEncryptionKeyLength.setDescription('This object represents the encryption key length, the supported key lengths are 64 bits (40 + 24 for IV), 128 bits (104 + 24 for IV), and 152 bits (128 + 24 for IV).') oriSecurityHwConfigResetStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 6), ObjStatus().clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityHwConfigResetStatus.setStatus('current') if mibBuilder.loadTexts: oriSecurityHwConfigResetStatus.setDescription('This object is used to enable/disable the status of configuration reset using the hardware reset button.') oriSecurityHwConfigResetPassword = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(6, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityHwConfigResetPassword.setStatus('current') if mibBuilder.loadTexts: oriSecurityHwConfigResetPassword.setDescription('This object represents the configuration reset password. This object should be treated as write-only and returned as asterisks.') oriSecurityProfileTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9), ) if mibBuilder.loadTexts: oriSecurityProfileTable.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTable.setDescription('This table is used to configure a security profile. A security profile can consist of single or muliple security modes.') oriSecurityProfileTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriSecurityProfileTableIndex"), (0, "ORiNOCO-MIB", "oriSecurityProfileTableSecModeIndex")) if mibBuilder.loadTexts: oriSecurityProfileTableEntry.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEntry.setDescription('This object represents an entry in the security profile table. This table is index by two indices - the first/primary index defines the security profile, the second index defines a single or multiple security policies per profile. The primary index is used in the wireless interface SSID table to specify which security profile to use per SSID. The admin/user can configure policies for different wireless station types by specifying a authentication and cipher mode/type. Below are examples of how to configure different STA types. STA Type Authentication Mode Cipher Mode ======== =================== =========== Non Secure None None WEP None WEP (64, 128, 152) 802.1x 802.1x WEP (64, 128) WPA 802.1x TKIP WPA-PSK PSK TKIP 802.11i 802.1x AES 802.11i-PSK PSK AES In the case of None, WEP, WPA-PSK, and 802.11i-PSK, MAC Access Control Table/List and RADIUS based MAC access control can be used to authenticate the wireless STA.') oriSecurityProfileTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSecurityProfileTableIndex.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableIndex.setDescription('This object represents the primary index of the Security Policy Table. This index is used to specify which security policy will be used per SSID, in the Wireless Interface SSID Table. A security policy can consist of a single or multiple security modes.') oriSecurityProfileTableSecModeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSecurityProfileTableSecModeIndex.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableSecModeIndex.setDescription('This object is the secondary index to the Security Policy Table. This index will represent the different security modes per security profile.') oriSecurityProfileTableAuthenticationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("dot1x", 2), ("psk", 3))).clone('none')).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSecurityProfileTableAuthenticationMode.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableAuthenticationMode.setDescription('This object is used to specify the authentication mode for the security mode.') oriSecurityProfileTableCipherMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("wep", 2), ("tkip", 3), ("aes", 4))).clone('none')).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSecurityProfileTableCipherMode.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableCipherMode.setDescription('This object is used to specify the cipher mode/type for the security mode.') oriSecurityProfileTableEncryptionKey0 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 5), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey0.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey0.setDescription('This object represents Encryption Key 0. This object should be treated as write-only and returned as asterisks.') oriSecurityProfileTableEncryptionKey1 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 6), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey1.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey1.setDescription('This object represents Encryption Key 1. This object should be treated as write-only and returned as asterisks.') oriSecurityProfileTableEncryptionKey2 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 7), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey2.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey2.setDescription('This object represents Encryption Key 2. This object should be treated as write-only and returned as asterisks.') oriSecurityProfileTableEncryptionKey3 = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 8), WEPKeyType()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey3.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKey3.setDescription('This object represents Encryption Key 3. This object should be treated as write-only and returned as asterisks.') oriSecurityProfileTableEncryptionTxKey = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3))).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionTxKey.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionTxKey.setDescription('This object indicates which encryption key is used to encrypt data that is sent via the wireless interfaces. The default value for this object should be key 0.') oriSecurityProfileTableEncryptionKeyLength = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("sixtyFourBits", 1), ("oneHundredTwentyEightBits", 2), ("oneHundredFiftyTwoBits", 3))).clone('sixtyFourBits')).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKeyLength.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableEncryptionKeyLength.setDescription('This object represents the encryption key length, the supported key lengths are 64 bits (40 + 24 for IV), 128 bits (104 + 24 for IV), and 152 bits (128 + 24 for IV).') oriSecurityProfileTablePSKValue = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 11), OctetString().subtype(subtypeSpec=ValueSizeConstraint(32, 32)).setFixedLength(32)).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTablePSKValue.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTablePSKValue.setDescription('The Pre-Shared Key (PSK) for when RSN in PSK mode is the selected authentication suite. In that case, the PMK will obtain its value from this object. This object is logically write-only. Reading this variable shall return unsuccessful status or null or zero.') oriSecurityProfileTablePSKPassPhrase = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(8, 63))).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTablePSKPassPhrase.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTablePSKPassPhrase.setDescription('The PSK, for when RSN in PSK mode is the selected authentication suite, is configured by oriWirelessIfSSIDTablePSKValue. An alternative manner of setting the PSK uses the password-to-key algorithm defined in the standard. This variable provides a means to enter a pass phrase. When this object is written, the RSN entity shall use the password-to-key algorithm specified in the standard to derive a pre-shared and populate oriWirelessIfSSIDTablePSKValue with this key. This object is logically write-only. Reading this variable shall return unsuccessful status or null or zero.') oriSecurityProfileTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 9, 1, 14), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: oriSecurityProfileTableStatus.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileTableStatus.setDescription('This object represents the Table row status.') oriSecurityProfileFourWEPKeySupport = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 21, 10), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSecurityProfileFourWEPKeySupport.setStatus('current') if mibBuilder.loadTexts: oriSecurityProfileFourWEPKeySupport.setDescription('This object is used to configure the security profile to use with four WEP keys. Currently only one security profile can be active which supports four WEP keys. Therefore this object is used to specify which profile will be using four WEP keys. The purpose of this object is to support legacy products/users that are still using four WEP keys.') oriPPPoEStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoEStatus.setStatus('current') if mibBuilder.loadTexts: oriPPPoEStatus.setDescription('This object allows to enable or disable the PPPoE service in the device.') oriPPPoEMaximumNumberOfSessions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 2), Integer32().clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoEMaximumNumberOfSessions.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMaximumNumberOfSessions.setDescription('This object represents the maximum number of PPPoE sessions.') oriPPPoENumberOfActiveSessions = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoENumberOfActiveSessions.setStatus('current') if mibBuilder.loadTexts: oriPPPoENumberOfActiveSessions.setDescription('This object represents the number of active PPPoE sessions.') oriPPPoESessionTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4), ) if mibBuilder.loadTexts: oriPPPoESessionTable.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionTable.setDescription('This table is used to configure the PPPoE session information.') oriPPPoESessionTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriPPPoESessionTableIndex")) if mibBuilder.loadTexts: oriPPPoESessionTableEntry.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionTableEntry.setDescription('This object represents an entry in the PPPoE session table.') oriPPPoESessionTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionTableIndex.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionTableIndex.setDescription('This object is used as the index to the PPPoE Session Table.') oriPPPoESessionWANConnectMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("alwaysOn", 1), ("onDemand", 2), ("manual", 3))).clone('alwaysOn')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionWANConnectMode.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionWANConnectMode.setDescription('This object represents the WAN connect mode.') oriPPPoESessionIdleTimeOut = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionIdleTimeOut.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionIdleTimeOut.setDescription('This object is used as a timeout for the PPPoE session to be disconnected from public side if idle for specified amount of time.') oriPPPoESessionConnectTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionConnectTime.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionConnectTime.setDescription('This object identifies the PPPoE session connect time.') oriPPPoESessionConnectTimeLimitation = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 5), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionConnectTimeLimitation.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionConnectTimeLimitation.setDescription('This object represents the maximum connection time per session.') oriPPPoESessionConfigPADITxInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 6), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionConfigPADITxInterval.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionConfigPADITxInterval.setDescription('This object represents the time in seconds between PADI retries from the Host.') oriPPPoESessionConfigPADIMaxNumberOfRetries = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 7), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionConfigPADIMaxNumberOfRetries.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionConfigPADIMaxNumberOfRetries.setDescription('This object represents the number of times the Host sends a PADI.') oriPPPoESessionBindingsNumberPADITx = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberPADITx.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberPADITx.setDescription('This object represents the number of PPPoE PADI transmitted.') oriPPPoESessionBindingsNumberPADTTx = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberPADTTx.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberPADTTx.setDescription('This object represents the number of PPPoE PADT transmitted.') oriPPPoESessionBindingsNumberServiceNameErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberServiceNameErrors.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberServiceNameErrors.setDescription('This object represents the number of PPPoE Service-Name-Error tags received/transmitted.') oriPPPoESessionBindingsNumberACSystemErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 11), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberACSystemErrors.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberACSystemErrors.setDescription('This object represents the number of PPPoE AC-System-Error tags received/transmitted.') oriPPPoESessionBindingsNumberGenericErrorsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberGenericErrorsRx.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberGenericErrorsRx.setDescription('This object represents the number of PPPoE Generic-Error tags received.') oriPPPoESessionBindingsNumberGenericErrorsTx = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberGenericErrorsTx.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberGenericErrorsTx.setDescription('This object represents the number of PPPoE Generic Error tags transmitted.') oriPPPoESessionBindingsNumberMalformedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberMalformedPackets.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberMalformedPackets.setDescription('This object represents teh number of malformed PPPoE packets received.') oriPPPoESessionBindingsNumberMultiplePADORx = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberMultiplePADORx.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionBindingsNumberMultiplePADORx.setDescription("This object represents the number of PPPoE multiple PADO's received after a PADI request.") oriPPPoESessionUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 16), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionUserName.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionUserName.setDescription('This object represents the PPPoE user name.') oriPPPoESessionUserNamePassword = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 17), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionUserNamePassword.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionUserNamePassword.setDescription('This object represents the PPPoE user name password. This object should be treated as write-only and returned as asterisks.') oriPPPoESessionServiceName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 18), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionServiceName.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionServiceName.setDescription('This object represents the PPPoE service name.') oriPPPoESessionISPName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 19), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionISPName.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionISPName.setDescription('This object represents the PPPoE ISP name.') oriPPPoESessionTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionTableStatus.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionTableStatus.setDescription('This object represents the PPPoE ISP table entry status.') oriPPPoESessionWANManualConnect = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoESessionWANManualConnect.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionWANManualConnect.setDescription('This object is used to connect of disconnect the PPPoE session when the connect mode is set to manual.') oriPPPoESessionWANConnectionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 4, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("null", 1), ("start", 2), ("addingStack", 3), ("stackAdded", 4), ("stackAddError", 5), ("connectFailed", 6), ("authFailed", 7), ("up", 8), ("down", 9), ("suspended", 10), ("unknown", 11)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoESessionWANConnectionStatus.setStatus('current') if mibBuilder.loadTexts: oriPPPoESessionWANConnectionStatus.setDescription('This object represents the state of the PPPoE WAN connection interface.') oriPPPoEMACtoSessionTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 5), ) if mibBuilder.loadTexts: oriPPPoEMACtoSessionTable.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMACtoSessionTable.setDescription('This table is used to map client MAC address to PPPoE Session information for an ISP.') oriPPPoEMACtoSessionTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 5, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriPPPoEMACtoSessionTableIndex")) if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableEntry.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableEntry.setDescription('This object represents an entry in the PPPoE MAC to Session table.') oriPPPoEMACtoSessionTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 5, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableIndex.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableIndex.setDescription('This object is used as the index to the PPPoE Session Table.') oriPPPoEMACtoSessionTableMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 5, 1, 2), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableMACAddress.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableMACAddress.setDescription('This object represents the client MAC address.') oriPPPoEMACtoSessionTableISPName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 5, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableISPName.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableISPName.setDescription('This object represents the ISP name.') oriPPPoEMACtoSessionTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 22, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableStatus.setStatus('current') if mibBuilder.loadTexts: oriPPPoEMACtoSessionTableStatus.setDescription('This object represents the PPPoE MAC to Session table entry status.') oriConfigResetToDefaults = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("bridgeMode", 1), ("gatewayMode", 2), ("gatewayModeDHCPClient", 3), ("gatewayModePPPoE", 4))).clone('gatewayMode')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriConfigResetToDefaults.setStatus('current') if mibBuilder.loadTexts: oriConfigResetToDefaults.setDescription('This object represents the quickstart modes that the device can be configured in.') oriConfigFileTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 2), ) if mibBuilder.loadTexts: oriConfigFileTable.setStatus('current') if mibBuilder.loadTexts: oriConfigFileTable.setDescription('This table contains the current configuration files stored in the device. This table is used to manage the different configuration files.') oriConfigFileTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 2, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriConfigFileTableIndex")) if mibBuilder.loadTexts: oriConfigFileTableEntry.setStatus('current') if mibBuilder.loadTexts: oriConfigFileTableEntry.setDescription('This object represents an entry in the configuration file table.') oriConfigFileTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 2, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriConfigFileTableIndex.setStatus('current') if mibBuilder.loadTexts: oriConfigFileTableIndex.setDescription('This object represents the index to the configuration file table.') oriConfigFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 2, 1, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriConfigFileName.setStatus('current') if mibBuilder.loadTexts: oriConfigFileName.setDescription('This object represents the configuration file name.') oriConfigFileStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriConfigFileStatus.setStatus('current') if mibBuilder.loadTexts: oriConfigFileStatus.setDescription('This object represents the status of the configuration file. The possible options are: - Enable: active configuration file - Disable: inactive configuration file - Delete: in order to delete the configuration file') oriConfigSaveFile = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriConfigSaveFile.setStatus('current') if mibBuilder.loadTexts: oriConfigSaveFile.setDescription('This object saves the configuration to the specified name.') oriConfigSaveKnownGood = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 23, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("saveKnownGood", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriConfigSaveKnownGood.setStatus('current') if mibBuilder.loadTexts: oriConfigSaveKnownGood.setDescription('This object is used to identify the last know good configuration file used. Setting a value of 1 to this objecgt saves the current configuration as the known good configuration.') oriDNSRedirectStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSRedirectStatus.setStatus('current') if mibBuilder.loadTexts: oriDNSRedirectStatus.setDescription('This object is used to enable or disable the DNS Redirect functionality.') oriDNSRedirectMaxResponseWaitTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 2), Integer32().clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSRedirectMaxResponseWaitTime.setStatus('current') if mibBuilder.loadTexts: oriDNSRedirectMaxResponseWaitTime.setDescription('This object represents the maximum response wait time for DNS redirect. The units for this object is seconds.') oriDNSPrimaryDNSIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSPrimaryDNSIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDNSPrimaryDNSIPAddress.setDescription('This object represents the Primary DNS IP Address.') oriDNSSecondaryDNSIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 4), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSSecondaryDNSIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDNSSecondaryDNSIPAddress.setDescription('This object represents the Secondary DNS IP Address.') oriDNSClientStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSClientStatus.setStatus('current') if mibBuilder.loadTexts: oriDNSClientStatus.setDescription('This object is used to enable or disable the DNS Client feature.') oriDNSClientPrimaryServerIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 5, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSClientPrimaryServerIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDNSClientPrimaryServerIPAddress.setDescription('This object represents the Primary Server DNS IP Address.') oriDNSClientSecondaryServerIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 5, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSClientSecondaryServerIPAddress.setStatus('current') if mibBuilder.loadTexts: oriDNSClientSecondaryServerIPAddress.setDescription('This object represents the Secondary Server DNS IP Address.') oriDNSClientDefaultDomainName = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 24, 5, 4), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDNSClientDefaultDomainName.setStatus('current') if mibBuilder.loadTexts: oriDNSClientDefaultDomainName.setDescription('This object represents the default domain name for the DNS Client.') oriAOLNATALGStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 25, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriAOLNATALGStatus.setStatus('current') if mibBuilder.loadTexts: oriAOLNATALGStatus.setDescription('This object is used to enable/disable the AOL NAT Application Level Gateway (ALG) support.') oriNATStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStatus.setStatus('current') if mibBuilder.loadTexts: oriNATStatus.setDescription('This object is used to enable/disable the NAT feature.') oriNATType = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 2), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATType.setStatus('current') if mibBuilder.loadTexts: oriNATType.setDescription("A Bit Mask documenting the NAT device's actual configuration according to natTypeMask above. Its value may be one and only one of the options below: - Basic-NAT (Bit 0) - NAPT (Bit 1) - Bi-directional-NAT (Bit 2) - Twice-NAT (Bit 3) - RSA-IP-Server (Bit 4) - RSAP-IP-Server (Bit 5) - Bit 0, if set, indicates that Basic-NAT is configured. - Bit 1, if set, indicates that NAPT is configured. - Bit 2, if set, indicates that Bi-directional-NAT is configured. - Bit 3, if set, indicates that Twice-NAT is configured. - Bit 4, if set, indicates that RSA-IP-Server is configured. - Bit 5, if set, indicates that RSAP-IP-Server is configured.") oriNATStaticBindStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticBindStatus.setStatus('current') if mibBuilder.loadTexts: oriNATStaticBindStatus.setDescription('This object is used to enable or disable static bind entries on the NAT device.') oriNATPublicIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriNATPublicIPAddress.setStatus('current') if mibBuilder.loadTexts: oriNATPublicIPAddress.setDescription('This object is used to provide information on the NAT public IP Address.') oriNATStaticIPBindTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 5), ) if mibBuilder.loadTexts: oriNATStaticIPBindTable.setStatus('current') if mibBuilder.loadTexts: oriNATStaticIPBindTable.setDescription('This table contains NAT IP bind specific information.') oriNATStaticIPBindTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 5, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriNATStaticIPBindTableIndex")) if mibBuilder.loadTexts: oriNATStaticIPBindTableEntry.setStatus('current') if mibBuilder.loadTexts: oriNATStaticIPBindTableEntry.setDescription('This object is an entry in the NAT Static IP Bind Table.') oriNATStaticIPBindTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 5, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriNATStaticIPBindTableIndex.setStatus('current') if mibBuilder.loadTexts: oriNATStaticIPBindTableIndex.setDescription('This object is used as the index for the NAT static IP bind table.') oriNATStaticIPBindLocalAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 5, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticIPBindLocalAddress.setStatus('current') if mibBuilder.loadTexts: oriNATStaticIPBindLocalAddress.setDescription('This object represents the local IP address for this NAT Static IP bind Table entry.') oriNATStaticIPBindRemoteAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 5, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticIPBindRemoteAddress.setStatus('current') if mibBuilder.loadTexts: oriNATStaticIPBindRemoteAddress.setDescription('This object represents the remote IP address for this NAT Static IP bind Table entry.') oriNATStaticIPBindTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticIPBindTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriNATStaticIPBindTableEntryStatus.setDescription('The object indicates the status of the NAT Static IP Bind Table entry.') oriNATStaticPortBindTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6), ) if mibBuilder.loadTexts: oriNATStaticPortBindTable.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindTable.setDescription('This table is used to configure NAT Port bind specific information.') oriNATStaticPortBindTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriNATStaticPortBindTableIndex")) if mibBuilder.loadTexts: oriNATStaticPortBindTableEntry.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindTableEntry.setDescription('This object represents an entry in the NAT Static Port Bind Table.') oriNATStaticPortBindTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriNATStaticPortBindTableIndex.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindTableIndex.setDescription('This object is used as the index for the NAT static Port bind table.') oriNATStaticPortBindLocalAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticPortBindLocalAddress.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindLocalAddress.setDescription('This object represents the local IP address for this NAT Static Port bind Table entry.') oriNATStaticPortBindStartPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1, 3), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticPortBindStartPortNumber.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindStartPortNumber.setDescription('This object represents the start port number for this NAT Static Port bind Table entry.') oriNATStaticPortBindEndPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1, 4), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticPortBindEndPortNumber.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindEndPortNumber.setDescription('This object represents the end port number for this NAT Static Port bind Table entry.') oriNATStaticPortBindPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tcp", 1), ("udp", 2), ("both", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticPortBindPortType.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindPortType.setDescription('This object represents the port type for this NAT Static Port bind Table entry.') oriNATStaticPortBindTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 26, 6, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriNATStaticPortBindTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriNATStaticPortBindTableEntryStatus.setDescription('The object indicates the status of the NAT Static Port Bind Table entry.') oriSpectraLinkStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 29, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSpectraLinkStatus.setStatus('current') if mibBuilder.loadTexts: oriSpectraLinkStatus.setDescription('This object is used to enable or disable the SpectraLink VoIP feature.') oriSpectraLinkLegacyDeviceSupport = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 29, 2), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSpectraLinkLegacyDeviceSupport.setStatus('current') if mibBuilder.loadTexts: oriSpectraLinkLegacyDeviceSupport.setDescription('This object is used to enable/disable SpectraLink VoIP support for legacy SpectraLink devices/phones.') oriVLANStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30, 1), ObjStatus().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriVLANStatus.setStatus('current') if mibBuilder.loadTexts: oriVLANStatus.setDescription('This object is used to enable or disable the VLAN feature.') oriVLANMgmtIdentifier = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30, 2), VlanId().clone(-1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriVLANMgmtIdentifier.setStatus('current') if mibBuilder.loadTexts: oriVLANMgmtIdentifier.setDescription('This object represents the VLAN management Identifier (ID).') oriVLANIDTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30, 3), ) if mibBuilder.loadTexts: oriVLANIDTable.setStatus('deprecated') if mibBuilder.loadTexts: oriVLANIDTable.setDescription('This table is used to configure the VLAN IDs for the device. This table has been deprecated.') oriVLANIDTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30, 3, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriVLANIDTableIndex")) if mibBuilder.loadTexts: oriVLANIDTableEntry.setStatus('deprecated') if mibBuilder.loadTexts: oriVLANIDTableEntry.setDescription('This object represents an entry in the respective table. In this case each table entry represents a VLAN ID. This object has been deprecated.') oriVLANIDTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30, 3, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriVLANIDTableIndex.setStatus('deprecated') if mibBuilder.loadTexts: oriVLANIDTableIndex.setDescription('This object represents the index to the VLAN ID Table. This object has been deprecated.') oriVLANIDTableIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 30, 3, 1, 2), VlanId()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriVLANIDTableIdentifier.setStatus('deprecated') if mibBuilder.loadTexts: oriVLANIDTableIdentifier.setDescription('This object represents the VLAN Identifier (ID). This object has been deprecated.') oriDMZHostTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31, 1), ) if mibBuilder.loadTexts: oriDMZHostTable.setStatus('current') if mibBuilder.loadTexts: oriDMZHostTable.setDescription("A table containing DMZ host IP information. Only if the system is in Gateway mode, and the NAT is enabled, and this table has valid 'enabled' entry, the DMZ takes effect.") oriDMZHostTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriDMZHostTableIndex")) if mibBuilder.loadTexts: oriDMZHostTableEntry.setStatus('current') if mibBuilder.loadTexts: oriDMZHostTableEntry.setDescription('This object represents an entry in the DMZ host IP Table.') oriDMZHostTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31, 1, 1, 1), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriDMZHostTableIndex.setStatus('current') if mibBuilder.loadTexts: oriDMZHostTableIndex.setDescription('This object is used as the index for the DMZ host IP Table.') oriDMZHostTableHostIP = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31, 1, 1, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDMZHostTableHostIP.setStatus('current') if mibBuilder.loadTexts: oriDMZHostTableHostIP.setDescription('This object represents the DMZ host IP address.') oriDMZHostTableComment = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31, 1, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDMZHostTableComment.setStatus('current') if mibBuilder.loadTexts: oriDMZHostTableComment.setDescription('This objecgt is used for an optional comment associated to the DMZ host IP Table entry.') oriDMZHostTableEntryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 31, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3), ("create", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriDMZHostTableEntryStatus.setStatus('current') if mibBuilder.loadTexts: oriDMZHostTableEntryStatus.setDescription('The object indicates the status of the DMZ host IP Table entry.') oriOEMName = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriOEMName.setStatus('current') if mibBuilder.loadTexts: oriOEMName.setDescription('This object is used to specify the OEM name.') oriOEMHomeUrl = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriOEMHomeUrl.setStatus('current') if mibBuilder.loadTexts: oriOEMHomeUrl.setDescription('This object is used to specify the OEM home URL.') oriOEMProductName = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriOEMProductName.setStatus('current') if mibBuilder.loadTexts: oriOEMProductName.setDescription('This object represents the product name. It is the same name as shown in all management Web pages.') oriOEMProductModel = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriOEMProductModel.setStatus('current') if mibBuilder.loadTexts: oriOEMProductModel.setDescription('This object represents the product model.') oriOEMLogoImageFile = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriOEMLogoImageFile.setStatus('current') if mibBuilder.loadTexts: oriOEMLogoImageFile.setDescription('This object represents the name of logo image file.') oriOEMNoNavLogoImageFile = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 32, 6), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriOEMNoNavLogoImageFile.setStatus('current') if mibBuilder.loadTexts: oriOEMNoNavLogoImageFile.setDescription('This object represents the name of no nav. logo image file.') oriStationStatTable = MibTable((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1), ) if mibBuilder.loadTexts: oriStationStatTable.setStatus('current') if mibBuilder.loadTexts: oriStationStatTable.setDescription('This table contains wireless stations statistics.') oriStationStatTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1), ).setIndexNames((0, "ORiNOCO-MIB", "oriStationStatTableIndex")) if mibBuilder.loadTexts: oriStationStatTableEntry.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableEntry.setDescription('This object represents an entry in the respective table. In this case each table entry represents a wireless station.') oriStationStatTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 500))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableIndex.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableIndex.setDescription('This object represents the index of the stations statistics table. This table is limited to 500 entries.') oriStationStatTableMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableMACAddress.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableMACAddress.setDescription('This object represents the MAC address of the station for which the statistics are gathered.') oriStationStatTableIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 3), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableIPAddress.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableIPAddress.setDescription('This object represents the IP address of the stations for which the statistics are gathered. If the IP address is not known, 0.0.0.0 will be returned.') oriStationStatTableInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInterface.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInterface.setDescription('This object represents the number of the interface on which the station is last seen.') oriStationStatTableName = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableName.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableName.setDescription('This object represents the name of the station. If the name is not known, an empty string will be returned.') oriStationStatTableType = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("sta", 1), ("wds", 2), ("worpBase", 3), ("worpSatellite", 4), ("norc", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableType.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableType.setDescription('This object represents the type of station.') oriStationStatTableMACProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("ieee802dot11", 1), ("ieee802dot11a", 2), ("ieee802dot11b", 3), ("worp", 4), ("ieee802dot11g", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableMACProtocol.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableMACProtocol.setDescription('This object represents the MAC protocol for this station.') oriStationStatTableAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableAdminStatus.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableAdminStatus.setDescription('This object represents the administrative state for the station. The testing(3) state indicates that no operational packets can be passed.') oriStationStatTableOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("testing", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableOperStatus.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableOperStatus.setDescription('This object represents the current operational state of the interface. The testing(3) state indicates that no operational packets can be passed.') oriStationStatTableLastChange = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 10), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableLastChange.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableLastChange.setDescription('This object represents the value of sysUpTime at the time the station entered its current operational state. If the current state was entered prior to the last re-initialization of the local network management subsystem, then this object contains a zero value.') oriStationStatTableLastState = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("unknown", 1), ("registering", 2), ("authenticating", 3), ("registered", 4), ("timeout", 5), ("aborded", 6), ("rejected", 7), ("linktest", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableLastState.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableLastState.setDescription('This object represents the last state of this station.') oriStationStatTableInOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 12), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInOctets.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInOctets.setDescription('The total number of octets received from the station, including framing characters.') oriStationStatTableInUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 13), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInUcastPkts.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInUcastPkts.setDescription('This object represents the number of unicast packets from the station that are further processed by either by the bridge/router or by the internal host.') oriStationStatTableInNUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 14), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInNUcastPkts.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInNUcastPkts.setDescription('This object represents the number of non-unicast packets (i.e. broadcast or multicast) from the station that are further processed by either by the bridge/router or by the internal host.') oriStationStatTableInDiscards = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 15), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInDiscards.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInDiscards.setDescription('This object represents the number of inbound packets which were chosen to be discarded even though no errors had been detected to prevent their being deliverable to the internal bridge/router or the internal host. One possible reason for discarding such a packet could be to lack of buffer space.') oriStationStatTableOutOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 16), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableOutOctets.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableOutOctets.setDescription('This object represents the total number of octets send to the station, including framing characters.') oriStationStatTableOutUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 17), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableOutUcastPkts.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableOutUcastPkts.setDescription('This object represents the number of packets that the internal bridge/router or the internal host requested be transmitted to the station, including those that were discarded or not sent.') oriStationStatTableOutNUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 18), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableOutNUcastPkts.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableOutNUcastPkts.setDescription('This object represents the number of packets that the internal bridge/router or the internal host requested be transmitted to a non-unicast (i.e. broadcast or multicast) address that includes the station. This counter includes those packets that were discarded or not sent.') oriStationStatTableOutDiscards = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 19), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableOutDiscards.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableOutDiscards.setDescription('This object represents the number of outbound packets which were chosen to be discarded even though no errors had been detected to prevent their being deliverable to the internal bridge/router or the internal host. One possible reason for discarding such a packet could be to lack of buffer space.') oriStationStatTableInSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 20), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInSignal.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInSignal.setDescription('This object represents the current signal level calculated over the inbound packets from this station. This variable indicates the running average of the local signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriStationStatTableInNoise = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableInNoise.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableInNoise.setDescription('This object represents the current noise level calculated over the inbound packets from this station. This variable indicates the running average of the local noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriStationStatTableRemoteSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableRemoteSignal.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableRemoteSignal.setDescription('This object represents the current remote signal level calculated over the inbound packets from this station on the remote station. This variable indicates the running average of the remote signal level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriStationStatTableRemoteNoise = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-102, -10))).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableRemoteNoise.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableRemoteNoise.setDescription('This object represents the current remote noise level calculated over the inbound packets from this station on the remote station. This variable indicates the running average of the remote noise level using the algorithm (3/4*oldvalue + 1/4*newvalue).') oriStationStatTableLastInPktTime = MibTableColumn((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 1, 1, 24), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatTableLastInPktTime.setStatus('current') if mibBuilder.loadTexts: oriStationStatTableLastInPktTime.setDescription('This object represents the value of sysUpTime at the time the last packet from the remote station was received.') oriStationStatStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriStationStatStatus.setStatus('current') if mibBuilder.loadTexts: oriStationStatStatus.setDescription('This object is used to enable or disable the monitoring of the wireless station statistics.') oriStationStatNumberOfClients = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 33, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriStationStatNumberOfClients.setStatus('current') if mibBuilder.loadTexts: oriStationStatNumberOfClients.setDescription('This object represents the number of active wireless clients associated to the access point.') oriSNTPStatus = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPStatus.setStatus('current') if mibBuilder.loadTexts: oriSNTPStatus.setDescription('This object is used to enable or disable the SNTP functionality.') oriSNTPPrimaryServerNameOrIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 2), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPPrimaryServerNameOrIPAddress.setStatus('current') if mibBuilder.loadTexts: oriSNTPPrimaryServerNameOrIPAddress.setDescription('This object represents the primary SNTP server IP address or host name.') oriSNTPSecondaryServerNameOrIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPSecondaryServerNameOrIPAddress.setStatus('current') if mibBuilder.loadTexts: oriSNTPSecondaryServerNameOrIPAddress.setDescription('This object represents the secondary SNTP server IP address or host name.') oriSNTPTimeZone = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41))).clone(namedValues=NamedValues(("dateline", 1), ("samoa", 2), ("hawaii", 3), ("alaska", 4), ("pacific-us", 5), ("mountain-us", 6), ("arizona", 7), ("central-us", 8), ("mexico-city", 9), ("eastern-us", 10), ("indiana", 11), ("atlantic-canada", 12), ("santiago", 13), ("newfoundland", 14), ("brasilia", 15), ("buenos-aires", 16), ("mid-atlantic", 17), ("azores", 18), ("london", 19), ("western-europe", 20), ("eastern-europe", 21), ("cairo", 22), ("russia-iraq", 23), ("iran", 24), ("arabian", 25), ("afghanistan", 26), ("pakistan", 27), ("india", 28), ("bangladesh", 29), ("burma", 30), ("bangkok", 31), ("australia-wt", 32), ("hong-kong", 33), ("beijing", 34), ("japan-korea", 35), ("australia-ct", 36), ("australia-et", 37), ("central-pacific", 38), ("new-zealand", 39), ("tonga", 40), ("western-samoa", 41)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPTimeZone.setStatus('current') if mibBuilder.loadTexts: oriSNTPTimeZone.setDescription('This parameter is used for the device to know how to adjust GMT for local time.') oriSNTPDateAndTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: oriSNTPDateAndTime.setStatus('current') if mibBuilder.loadTexts: oriSNTPDateAndTime.setDescription('This object represents the Date and Time. The format of this object is the same as the DateAndTime textual convention.') oriSNTPDayLightSavingTime = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("plus-two", 1), ("plus-one", 2), ("unchanged", 3), ("minus-one", 4), ("minus-two", 5))).clone('unchanged')).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPDayLightSavingTime.setStatus('current') if mibBuilder.loadTexts: oriSNTPDayLightSavingTime.setDescription('This parameter indicates the number of hours to adjust for Daylight Saving Time.') oriSNTPYear = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 7), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPYear.setStatus('current') if mibBuilder.loadTexts: oriSNTPYear.setDescription('This object represents the year. This object can be used to manually configure the year in case the Date and Time is not retrieved from an SNTP server.') oriSNTPMonth = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPMonth.setStatus('current') if mibBuilder.loadTexts: oriSNTPMonth.setDescription('This object represents the month. This object can be used to manually configure the month in case the Date and Time is not retrieved from an SNTP server.') oriSNTPDay = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPDay.setStatus('current') if mibBuilder.loadTexts: oriSNTPDay.setDescription('This object represents the day of the month. This object can be used to manually configure the year in case the Date and Time is not retrieved from an SNTP server.') oriSNTPHour = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPHour.setStatus('current') if mibBuilder.loadTexts: oriSNTPHour.setDescription('This object represents the hour of day. This object can be used to manually configure the hour in case the Date and Time is not retrieved from an SNTP server.') oriSNTPMinutes = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPMinutes.setStatus('current') if mibBuilder.loadTexts: oriSNTPMinutes.setDescription('This object represents the minutes. This object can be used to manually configure the minutes in case the Date and Time is not retrieved from an SNTP server.') oriSNTPSeconds = MibScalar((1, 3, 6, 1, 4, 1, 11898, 2, 1, 34, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite") if mibBuilder.loadTexts: oriSNTPSeconds.setStatus('current') if mibBuilder.loadTexts: oriSNTPSeconds.setDescription('This object represents the number of seconds. This object can be used to manually configure the seconds in case the Date and Time is not retrieved from an SNTP server.') oriConfigurationTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2)) if mibBuilder.loadTexts: oriConfigurationTraps.setStatus('current') if mibBuilder.loadTexts: oriConfigurationTraps.setDescription('This is the configuration related trap/notification group.') oriTrapDNSIPNotConfigured = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 3)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriTrapDNSIPNotConfigured.setStatus('current') if mibBuilder.loadTexts: oriTrapDNSIPNotConfigured.setDescription('This traps is generated when the DNS IP Address has not been configured. Trap Severity Level: Major.') oriTrapRADIUSAuthenticationNotConfigured = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 5)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriTrapRADIUSAuthenticationNotConfigured.setStatus('current') if mibBuilder.loadTexts: oriTrapRADIUSAuthenticationNotConfigured.setDescription('This trap is generated when the RADIUS authentication information has not been configured. Trap Severity Level: Major.') oriTrapRADIUSAccountingNotConfigured = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 6)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriTrapRADIUSAccountingNotConfigured.setStatus('current') if mibBuilder.loadTexts: oriTrapRADIUSAccountingNotConfigured.setDescription('This trap is generated when the RADIUS accounting information has not been configured. Trap Severity Level: Major.') oriTrapDuplicateIPAddressEncountered = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 7)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriTrapDuplicateIPAddressEncountered.setStatus('current') if mibBuilder.loadTexts: oriTrapDuplicateIPAddressEncountered.setDescription('This trap is generated when the device has encountered another network device with he same IP Address. Trap Severity Level: Major.') oriTrapDHCPRelayServerTableNotConfigured = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 8)) if mibBuilder.loadTexts: oriTrapDHCPRelayServerTableNotConfigured.setStatus('current') if mibBuilder.loadTexts: oriTrapDHCPRelayServerTableNotConfigured.setDescription('This trap is generated when the DHCP relay agent server table is empty or not configured. Trap Severity Level: Major.') oriTrapWORPIfNetworkSecretNotConfigured = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 9)) if mibBuilder.loadTexts: oriTrapWORPIfNetworkSecretNotConfigured.setStatus('current') if mibBuilder.loadTexts: oriTrapWORPIfNetworkSecretNotConfigured.setDescription('This trap is generated when the system network authentication shared secret is not configured. Trap Severity Level: Major.') oriTrapVLANIDInvalidConfiguration = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 10)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriWirelessIfNetworkName"), ("ORiNOCO-MIB", "oriVLANIDTableIdentifier")) if mibBuilder.loadTexts: oriTrapVLANIDInvalidConfiguration.setStatus('current') if mibBuilder.loadTexts: oriTrapVLANIDInvalidConfiguration.setDescription('This trap is generated when a VLAN ID configuration is invalid. Trap Severity Level: Major.') oriTrapAutoConfigFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 11)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTFTPAutoConfigFilename"), ("ORiNOCO-MIB", "oriTFTPAutoConfigServerIPAddress")) if mibBuilder.loadTexts: oriTrapAutoConfigFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapAutoConfigFailure.setDescription('This trap is generated when the auto configuration failed. Trap Severity Level: Minor.') oriTrapBatchExecFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 12)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarBatchCLIFilename"), ("ORiNOCO-MIB", "oriTrapVarBatchCLILineNumber"), ("ORiNOCO-MIB", "oriTrapVarBatchCLIMessage")) if mibBuilder.loadTexts: oriTrapBatchExecFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapBatchExecFailure.setDescription('This trap is generated when the CLI Batch execution fails for the following reasons. - Illegal Command is parsed in the CLI Batch File. - Execution error is encountered while executing CLI Batch file. - Bigger File Size than 100 Kbytes Trap Severity Level: Minor.') oriTrapBatchFileExecStart = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 13)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarBatchCLIFilename")) if mibBuilder.loadTexts: oriTrapBatchFileExecStart.setStatus('current') if mibBuilder.loadTexts: oriTrapBatchFileExecStart.setDescription('This trap is generated when the CLI Batch execution begins after file is uploaded. Trap Severity Level: Minor.') oriTrapBatchFileExecEnd = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 2, 0, 14)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarBatchCLIFilename"), ("ORiNOCO-MIB", "oriTrapVarBatchCLIMessage")) if mibBuilder.loadTexts: oriTrapBatchFileExecEnd.setStatus('current') if mibBuilder.loadTexts: oriTrapBatchFileExecEnd.setDescription('This trap is generated when the execution of CLI Batch File Ends. Trap Severity Level: Minor.') oriSecurityTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3)) if mibBuilder.loadTexts: oriSecurityTraps.setStatus('current') if mibBuilder.loadTexts: oriSecurityTraps.setDescription('This is the security related trap/notification group.') oriTrapInvalidEncryptionKey = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 1)).setObjects(("ORiNOCO-MIB", "oriTrapVarUnauthorizedClientMACAddress")) if mibBuilder.loadTexts: oriTrapInvalidEncryptionKey.setStatus('current') if mibBuilder.loadTexts: oriTrapInvalidEncryptionKey.setDescription('This trap is generated when an invalid encryption key has been detected. Trap Severity Level: Critical.') oriTrapAuthenticationFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 2)).setObjects(("ORiNOCO-MIB", "oriTrapVarUnauthorizedClientMACAddress"), ("ORiNOCO-MIB", "oriTrapVarFailedAuthenticationType")) if mibBuilder.loadTexts: oriTrapAuthenticationFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapAuthenticationFailure.setDescription('This trap is generated when a client authentication failure has occurred. The authentication failures can range from: - MAC Access Control Table - RADIUS MAC Authentication - 802.1x Authentication specifying the EAP-Type - WORP Mutual Authentication - SSID Authorization Failure specifying the SSID - VLAN ID Authorization Failure specifying the VLAN ID Trap Severity Level: Major.') oriTrapUnauthorizedManagerDetected = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 3)).setObjects(("ORiNOCO-MIB", "oriTrapVarUnauthorizedManagerIPaddress"), ("ORiNOCO-MIB", "oriTrapVarUnAuthorizedManagerCount")) if mibBuilder.loadTexts: oriTrapUnauthorizedManagerDetected.setStatus('current') if mibBuilder.loadTexts: oriTrapUnauthorizedManagerDetected.setDescription('This trap is generated when an unauthorized manager has attempted to view and/or modify parameters. Trap Severity Level: Major.') oriTrapRADScanComplete = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 4)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapRADScanComplete.setStatus('current') if mibBuilder.loadTexts: oriTrapRADScanComplete.setDescription('This trap is generated when an a RAD scan is successfully completed. Trap Severity Level: Informational.') oriTrapRADScanResults = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 5)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapRADScanResults.setStatus('current') if mibBuilder.loadTexts: oriTrapRADScanResults.setDescription('This trap is generated in order to provide information on the RAD Scan results. Trap Severity Level: Informational.') oriTrapRogueScanStationDetected = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 6)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapRogueScanStationDetected.setStatus('current') if mibBuilder.loadTexts: oriTrapRogueScanStationDetected.setDescription('This trap is generated when a rogue station is detected. Trap Severity Level: Informational.') oriTrapRogueScanCycleComplete = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 3, 0, 7)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapRogueScanCycleComplete.setStatus('current') if mibBuilder.loadTexts: oriTrapRogueScanCycleComplete.setDescription('This trap is generated when an a rogue scan is successfully completed. Trap Severity Level: Informational.') oriWirelessIfTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4)) if mibBuilder.loadTexts: oriWirelessIfTraps.setStatus('current') if mibBuilder.loadTexts: oriWirelessIfTraps.setDescription('This is the wireless interface or wireless card related trap/notification group.') oriTrapWLCNotPresent = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 1)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCNotPresent.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCNotPresent.setDescription('This trap is generated when a wireless interface/card is not present in the device. Trap Severity Level: Informational.') oriTrapWLCFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 2)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCFailure.setDescription('This trap is generated when a general failure has occured with the wireless interface/card. Trap Severity Level: Critical.') oriTrapWLCRemoval = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 3)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCRemoval.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCRemoval.setDescription('This trap is generated when the wireless interface/card has been removed from the device. Trap Severity Level: Critical.') oriTrapWLCIncompatibleFirmware = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 4)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCIncompatibleFirmware.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCIncompatibleFirmware.setDescription('This trap is generated when the firmware of the wireless interface/card is incompatible. Trap Severity Level: Critical.') oriTrapWLCVoltageDiscrepancy = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 5)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCVoltageDiscrepancy.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCVoltageDiscrepancy.setDescription('This trap is generated when a non 5 volt card or 3.3 volt wireless interface/card is inserted in the device. Trap Severity Level: Critical.') oriTrapWLCIncompatibleVendor = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 6)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCIncompatibleVendor.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCIncompatibleVendor.setDescription('This trap is generated when an incompatible wireless vendor card is inserted or present in the device. Trap Severity Level: Critical.') oriTrapWLCFirmwareDownloadFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 7)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWLCFirmwareDownloadFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCFirmwareDownloadFailure.setDescription('This trap is generated when a failure occurs during the firmware download process of the wireless interface/card. Trap Severity Level: Critical.') oriTrapWLCFirmwareFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 8)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard"), ("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapWLCFirmwareFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCFirmwareFailure.setDescription('This trap is generated when a failure occurs in the wireless interface/card firmware. Trap Severity Level: Critical.') oriTrapWLCRadarInterferenceDetected = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 4, 0, 9)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard"), ("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapWLCRadarInterferenceDetected.setStatus('current') if mibBuilder.loadTexts: oriTrapWLCRadarInterferenceDetected.setDescription('This trap is generated when radar interference is detected on the channel being used by the wireless interface. The generic trap varible provides information on the channel where interference was detected. Trap Severity Level: Major.') oriOperationalTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5)) if mibBuilder.loadTexts: oriOperationalTraps.setStatus('current') if mibBuilder.loadTexts: oriOperationalTraps.setDescription('This is the operational related trap group group.') oriTrapUnrecoverableSoftwareErrorDetected = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 1)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriTrapVarMACAddress"), ("ORiNOCO-MIB", "oriTrapVarTaskSuspended")) if mibBuilder.loadTexts: oriTrapUnrecoverableSoftwareErrorDetected.setStatus('current') if mibBuilder.loadTexts: oriTrapUnrecoverableSoftwareErrorDetected.setDescription('This trap is generated when an unrecoverable software error has been detected. This trap can signify that a problem/error has occurred with one or more software modules. This error would cause the software watch dog timer to expire which would then cause the device to reboot. Trap Severity Level: Critical.') oriTrapRADIUSServerNotResponding = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 2)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapRADIUSServerNotResponding.setStatus('current') if mibBuilder.loadTexts: oriTrapRADIUSServerNotResponding.setDescription('This trap is generated when no response is received from the RADIUS server(s) for authentication requests sent from the RADIUS client in the device. Trap Severity Level: Major.') oriTrapModuleNotInitialized = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 3)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapModuleNotInitialized.setStatus('current') if mibBuilder.loadTexts: oriTrapModuleNotInitialized.setDescription('This trap is generated when a certain software or hardware module has not been initialized or failed to be initialized. Trap Severity Level: Major.') oriTrapDeviceRebooting = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 5)).setObjects(("ORiNOCO-MIB", "oriTrapVarMACAddress"), ("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriSystemReboot")) if mibBuilder.loadTexts: oriTrapDeviceRebooting.setStatus('current') if mibBuilder.loadTexts: oriTrapDeviceRebooting.setDescription('This trap is generated when the device has received a request to be rebooted. Trap Severity Level: Informational.') oriTrapTaskSuspended = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 6)).setObjects(("ORiNOCO-MIB", "oriTrapVarTaskSuspended")) if mibBuilder.loadTexts: oriTrapTaskSuspended.setStatus('current') if mibBuilder.loadTexts: oriTrapTaskSuspended.setDescription('This trap is generated when a task in the device has suspended. Trap Severity Level: Critical.') oriTrapBootPFailed = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 7)).setObjects(("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriTrapBootPFailed.setStatus('current') if mibBuilder.loadTexts: oriTrapBootPFailed.setDescription('This trap is generated when a response to the BootP request is not received, hence the access point device is not dynamically assigned an IP Address. Trap Severity Level: Major.') oriTrapDHCPFailed = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 8)).setObjects(("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriTrapDHCPFailed.setStatus('current') if mibBuilder.loadTexts: oriTrapDHCPFailed.setDescription('This trap is generated when a response to the DHCP client request is not received, hence the access point device is not dynamically assigned an IP Address. Trap Severity Level: Major.') oriTrapDNSClientLookupFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 9)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapDNSClientLookupFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapDNSClientLookupFailure.setDescription('This trap is generated when the DNS client attempts to resolve a specified hostname (DNS lookup) and a failure occurs. This could be the result of the DNS server being unreachable or returning an error for the hostname lookup. This trap specified the hostname that was being resolved. Trap Severity Level: Major.') oriTrapSNTPFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 10)) if mibBuilder.loadTexts: oriTrapSNTPFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapSNTPFailure.setDescription('This trap is generated when SNTP service is enabled and no response is received from the configured SNTP servers. Trap Severity Level: Major.') oriTrapMaximumNumberOfSubscribersReached = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 11)) if mibBuilder.loadTexts: oriTrapMaximumNumberOfSubscribersReached.setStatus('current') if mibBuilder.loadTexts: oriTrapMaximumNumberOfSubscribersReached.setDescription('This trap is generated when maximum number of suscribers has been reached. Trap Severity Level: Major.') oriTrapSSLInitializationFailure = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 12)) if mibBuilder.loadTexts: oriTrapSSLInitializationFailure.setStatus('current') if mibBuilder.loadTexts: oriTrapSSLInitializationFailure.setDescription('This trap is generated when the SSL initialization fails. Trap Severity Level: Major.') oriTrapWirelessServiceShutdown = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 13)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWirelessServiceShutdown.setStatus('current') if mibBuilder.loadTexts: oriTrapWirelessServiceShutdown.setDescription('This trap is generated when the Wireless Service Shutdown object is configured to down; in other words the wireless interface has shutdown services for wireless clients. Trap Severity Level: Informational.') oriTrapWirelessServiceResumed = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 14)).setObjects(("ORiNOCO-MIB", "oriTrapVarWirelessCard")) if mibBuilder.loadTexts: oriTrapWirelessServiceResumed.setStatus('current') if mibBuilder.loadTexts: oriTrapWirelessServiceResumed.setDescription('This trap is generated when the Wireless Service Shutdown object is configured to up; in other words the wireless interface has resumed service and is ready for wireless client connections. Trap Severity Level: Informational.') oriTrapSSHInitializationStatus = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 15)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapSSHInitializationStatus.setStatus('current') if mibBuilder.loadTexts: oriTrapSSHInitializationStatus.setDescription('This trap is generated to provide information on SSH initialization. Trap Severity Level: Major.') oriTrapVLANIDUserAssignment = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 16)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapVLANIDUserAssignment.setStatus('current') if mibBuilder.loadTexts: oriTrapVLANIDUserAssignment.setDescription('This trap is generated when a user gets assigned a VLAN ID from the RADIUS server. Trap Severity Level: Informational.') oriTrapDHCPLeaseRenewal = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 17)).setObjects(("ORiNOCO-MIB", "oriTrapVarDHCPServerIPAddress"), ("ORiNOCO-MIB", "oriTrapVarIPAddress"), ("ORiNOCO-MIB", "oriTrapVarSubnetMask"), ("ORiNOCO-MIB", "oriTrapVarDefaultRouterIPAddress")) if mibBuilder.loadTexts: oriTrapDHCPLeaseRenewal.setStatus('current') if mibBuilder.loadTexts: oriTrapDHCPLeaseRenewal.setDescription('This trap is generated when the access point does a DHCP renewal request and receives new information from the DHCP server. The variables/objects bound to this trap will provide information on the DHCP server IP address that replied to the DHCP client request, and the IP address, subnet mask, and gateway IP address returned from the DHCP server. Trap Severity Level: Informational.') oriTrapTemperatureAlert = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 5, 0, 18)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable"), ("ORiNOCO-MIB", "oriUnitTemp")) if mibBuilder.loadTexts: oriTrapTemperatureAlert.setStatus('current') if mibBuilder.loadTexts: oriTrapTemperatureAlert.setDescription('This trap is generated when the temperature crosses the limit of -30 to 60 degrees celsius. Trap Severity Level: Major.') oriFlashTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 6)) if mibBuilder.loadTexts: oriFlashTraps.setStatus('current') if mibBuilder.loadTexts: oriFlashTraps.setDescription('This is the flash memory related trap group.') oriTrapFlashMemoryEmpty = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 6, 0, 1)) if mibBuilder.loadTexts: oriTrapFlashMemoryEmpty.setStatus('current') if mibBuilder.loadTexts: oriTrapFlashMemoryEmpty.setDescription('This trap is generated when there is no data present in flash memory - either on the flash card or the onboard flash memory. Trap Severity Level: Informational.') oriTrapFlashMemoryCorrupted = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 6, 0, 2)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapFlashMemoryCorrupted.setStatus('current') if mibBuilder.loadTexts: oriTrapFlashMemoryCorrupted.setDescription('This trap is generated when the data content of flash memory is corrupted. Trap Severity Level: Critical.') oriTrapFlashMemoryRestoringLastKnownGoodConfiguration = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 6, 0, 3)) if mibBuilder.loadTexts: oriTrapFlashMemoryRestoringLastKnownGoodConfiguration.setStatus('current') if mibBuilder.loadTexts: oriTrapFlashMemoryRestoringLastKnownGoodConfiguration.setDescription('This trap is generated when the current/original configuration data file is found to be corrupted, therefore the device will load the last known good configuration file. Trap Severity Level: Informational.') oriTFTPTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 7)) if mibBuilder.loadTexts: oriTFTPTraps.setStatus('current') if mibBuilder.loadTexts: oriTFTPTraps.setDescription('This is the TFTP related trap group.') oriTrapTFTPFailedOperation = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 7, 0, 1)).setObjects(("ORiNOCO-MIB", "oriTrapVarTFTPIPAddress"), ("ORiNOCO-MIB", "oriTrapVarTFTPFilename"), ("ORiNOCO-MIB", "oriTrapVarTFTPOperation")) if mibBuilder.loadTexts: oriTrapTFTPFailedOperation.setStatus('current') if mibBuilder.loadTexts: oriTrapTFTPFailedOperation.setDescription('This trap is generated when a failure has occurred with the TFTP operation. Trap Severity Level: Major.') oriTrapTFTPOperationInitiated = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 7, 0, 2)).setObjects(("ORiNOCO-MIB", "oriTrapVarTFTPIPAddress"), ("ORiNOCO-MIB", "oriTrapVarTFTPFilename"), ("ORiNOCO-MIB", "oriTrapVarTFTPOperation")) if mibBuilder.loadTexts: oriTrapTFTPOperationInitiated.setStatus('current') if mibBuilder.loadTexts: oriTrapTFTPOperationInitiated.setDescription('This trap is generated when a TFTP operation has been initiated. Trap Severity Level: Informational.') oriTrapTFTPOperationCompleted = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 7, 0, 3)).setObjects(("ORiNOCO-MIB", "oriTrapVarTFTPIPAddress"), ("ORiNOCO-MIB", "oriTrapVarTFTPFilename"), ("ORiNOCO-MIB", "oriTrapVarTFTPOperation")) if mibBuilder.loadTexts: oriTrapTFTPOperationCompleted.setStatus('current') if mibBuilder.loadTexts: oriTrapTFTPOperationCompleted.setDescription('This trap is generated when a TFTP operation has been completed. Trap Severity Level: Informational.') oriMiscTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 8)) if mibBuilder.loadTexts: oriMiscTraps.setStatus('current') if mibBuilder.loadTexts: oriMiscTraps.setDescription('This is the miscellaneous trap group.') oriImageTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 9)) if mibBuilder.loadTexts: oriImageTraps.setStatus('current') if mibBuilder.loadTexts: oriImageTraps.setDescription('This is the image related trap group.') oriTrapZeroSizeImage = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 9, 0, 1)) if mibBuilder.loadTexts: oriTrapZeroSizeImage.setStatus('current') if mibBuilder.loadTexts: oriTrapZeroSizeImage.setDescription('This trap is generated when a zero size image is loaded on the device. Trap Severity Level: Major.') oriTrapInvalidImage = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 9, 0, 2)) if mibBuilder.loadTexts: oriTrapInvalidImage.setStatus('current') if mibBuilder.loadTexts: oriTrapInvalidImage.setDescription('This trap is generated when an invalid image is loaded on the device. Trap Severity Level: Major.') oriTrapImageTooLarge = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 9, 0, 3)) if mibBuilder.loadTexts: oriTrapImageTooLarge.setStatus('current') if mibBuilder.loadTexts: oriTrapImageTooLarge.setDescription('This trap is generated when the image loaded on the device exceeds the size limitation of flash. Trap Severity Level: Major.') oriTrapIncompatibleImage = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 9, 0, 4)) if mibBuilder.loadTexts: oriTrapIncompatibleImage.setStatus('current') if mibBuilder.loadTexts: oriTrapIncompatibleImage.setDescription('This trap is generated when an incompatible image is loaded on the device. Trap Severity Level: Major.') oriTrapInvalidImageDigitalSignature = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 9, 0, 5)) if mibBuilder.loadTexts: oriTrapInvalidImageDigitalSignature.setStatus('current') if mibBuilder.loadTexts: oriTrapInvalidImageDigitalSignature.setDescription('This trap is generated when an image with an invalid Digital Signature is loaded in the device. Trap Severity Level: Major.') oriWORPTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 11)) if mibBuilder.loadTexts: oriWORPTraps.setStatus('current') if mibBuilder.loadTexts: oriWORPTraps.setDescription('This is the WORP related trap group.') oriWORPStationRegister = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 11, 0, 1)).setObjects(("ORiNOCO-MIB", "oriTrapVarInterface"), ("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriWORPStationRegister.setStatus('current') if mibBuilder.loadTexts: oriWORPStationRegister.setDescription('This trap is generated when a WORP satellite has registered on and interface of a base; a satellite will not generate this trap, but use oriWORPLinkUp instead. For the station indicated, the oriStationStatTableOperStatus will be up. Trap Severity Level: Informational.') oriWORPStationDeRegister = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 11, 0, 2)).setObjects(("ORiNOCO-MIB", "oriTrapVarInterface"), ("ORiNOCO-MIB", "oriTrapVarMACAddress")) if mibBuilder.loadTexts: oriWORPStationDeRegister.setStatus('current') if mibBuilder.loadTexts: oriWORPStationDeRegister.setDescription('This trap is generated when a WORP satellite has been deleted from an interface of a base; a satellite will not generate this trap, but use oriWORPLinkDown instead. For the station indicated, the oriStationStatTableOperStatus will be down. Trap Severity Level: Informational.') oriSysFeatureTraps = ObjectIdentity((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 12)) if mibBuilder.loadTexts: oriSysFeatureTraps.setStatus('current') if mibBuilder.loadTexts: oriSysFeatureTraps.setDescription('This is the System Feature based License related trap group.') oriTrapIncompatibleLicenseFile = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 12, 0, 1)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapIncompatibleLicenseFile.setStatus('current') if mibBuilder.loadTexts: oriTrapIncompatibleLicenseFile.setDescription("This trap is generated when a license file in the device's flash memory is not compatible with the current bootloader. Trap Severity Level: Major.") oriTrapFeatureNotSupported = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 12, 0, 2)).setObjects(("ORiNOCO-MIB", "oriSystemFeatureTableCode")) if mibBuilder.loadTexts: oriTrapFeatureNotSupported.setStatus('current') if mibBuilder.loadTexts: oriTrapFeatureNotSupported.setDescription('This trap is generated when a feature present in the license codes is not supported by the current embedded software image. A newer embedded software image could support the feature or there are more license that needed. Trap Severity Level: Informational.') oriTrapZeroLicenseFiles = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 12, 0, 3)) if mibBuilder.loadTexts: oriTrapZeroLicenseFiles.setStatus('current') if mibBuilder.loadTexts: oriTrapZeroLicenseFiles.setDescription('This trap is generated when a single license file is not present in flash. This causes the device to operate in default mode with very limited features enabled. Trap Severity Level: Critical.') oriTrapInvalidLicenseFile = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 12, 0, 4)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapInvalidLicenseFile.setStatus('current') if mibBuilder.loadTexts: oriTrapInvalidLicenseFile.setDescription("This trap is generated when a license file in the device's flash memory has an invalid signature and will be ignored. Trap Severity Level: Minor.") oriTrapUselessLicense = NotificationType((1, 3, 6, 1, 4, 1, 11898, 2, 1, 18, 12, 0, 5)).setObjects(("ORiNOCO-MIB", "oriGenericTrapVariable")) if mibBuilder.loadTexts: oriTrapUselessLicense.setStatus('current') if mibBuilder.loadTexts: oriTrapUselessLicense.setDescription('This trap is generated when a license code file does not contain any valid feature code. The probably reason for this is that after verification, not any of the features was meant for this units MAC address. Trap Severity Level: Informational.') mibBuilder.exportSymbols("ORiNOCO-MIB", oriSystemInvMgmtTableComponentId=oriSystemInvMgmtTableComponentId, oriDHCPServerStatus=oriDHCPServerStatus, oriPortFilterTable=oriPortFilterTable, oriWORPIfSatConfigTable=oriWORPIfSatConfigTable, oriWORPIfStatTableAverageLocalNoise=oriWORPIfStatTableAverageLocalNoise, oriStaticMACAddressFilterWiredAddress=oriStaticMACAddressFilterWiredAddress, oriIntraCellBlockingMACTableGroupID1=oriIntraCellBlockingMACTableGroupID1, oriIAPPAnnounceRequestReceived=oriIAPPAnnounceRequestReceived, oriTrapAuthenticationFailure=oriTrapAuthenticationFailure, oriHTTPWebSitenameTableStatus=oriHTTPWebSitenameTableStatus, oriHTTPRefreshDelay=oriHTTPRefreshDelay, oriWirelessIfSSIDTableEncryptionKey3=oriWirelessIfSSIDTableEncryptionKey3, oriPPPoESessionBindingsNumberACSystemErrors=oriPPPoESessionBindingsNumberACSystemErrors, oriStationStatTableOutDiscards=oriStationStatTableOutDiscards, oriTrapRADScanResults=oriTrapRADScanResults, oriWORPIfSatStatTableAverageRemoteNoise=oriWORPIfSatStatTableAverageRemoteNoise, oriWORPIfSiteSurveyRemoteNoiseLevel=oriWORPIfSiteSurveyRemoteNoiseLevel, oriRADScanResultsTableIndex=oriRADScanResultsTableIndex, oriTrapWirelessServiceShutdown=oriTrapWirelessServiceShutdown, oriSystemInvMgmtTableComponentName=oriSystemInvMgmtTableComponentName, oriEthernetIfConfigBandwidthLimitOut=oriEthernetIfConfigBandwidthLimitOut, oriRADScanResultsMACAddress=oriRADScanResultsMACAddress, oriSystemAccessLoginTimeout=oriSystemAccessLoginTimeout, oriRogueScanResultsStationType=oriRogueScanResultsStationType, oriRADIUSAcctInactivityTimer=oriRADIUSAcctInactivityTimer, oriWirelessIfSSIDTableVLANID=oriWirelessIfSSIDTableVLANID, oriLinkIntTableIndex=oriLinkIntTableIndex, oriWORPIfDDRSMinReqSNRdot11at108Mbps=oriWORPIfDDRSMinReqSNRdot11at108Mbps, oriTrapWLCRadarInterferenceDetected=oriTrapWLCRadarInterferenceDetected, oriLinkIntTableEntry=oriLinkIntTableEntry, bg2000=bg2000, oriWirelessIfSSIDTableRADIUSAccountingProfile=oriWirelessIfSSIDTableRADIUSAccountingProfile, oriRogueScanConfigTableScanCycleTime=oriRogueScanConfigTableScanCycleTime, oriTrapZeroLicenseFiles=oriTrapZeroLicenseFiles, orinocoStormThreshold=orinocoStormThreshold, oriPPPoEMACtoSessionTableEntry=oriPPPoEMACtoSessionTableEntry, oriWORPIfDDRSDataRateDecPercentThreshold=oriWORPIfDDRSDataRateDecPercentThreshold, orinocoSyslog=orinocoSyslog, oriProtocolFilterOperationType=oriProtocolFilterOperationType, oriDNSPrimaryDNSIPAddress=oriDNSPrimaryDNSIPAddress, oriTempLogTableReset=oriTempLogTableReset, oriQoSDot1DToDot1pMappingTableEntry=oriQoSDot1DToDot1pMappingTableEntry, oriRADScanResultsTableEntry=oriRADScanResultsTableEntry, oriTrapVarInterface=oriTrapVarInterface, oriQoSPolicyPriorityMapping=oriQoSPolicyPriorityMapping, ap2500=ap2500, oriWirelessIfDTIMPeriod=oriWirelessIfDTIMPeriod, oriRADIUSMACAddressFormat=oriRADIUSMACAddressFormat, oriStationStatTableInUcastPkts=oriStationStatTableInUcastPkts, oriWirelessIfSSIDTableSupportedSecurityModes=oriWirelessIfSSIDTableSupportedSecurityModes, oriStationStatTableAdminStatus=oriStationStatTableAdminStatus, oriSecurityProfileTableEncryptionKey2=oriSecurityProfileTableEncryptionKey2, oriWORPIfDDRSDataRateIncAvgSNRThreshold=oriWORPIfDDRSDataRateIncAvgSNRThreshold, oriLinkTestOurMaxNoiseLevel=oriLinkTestOurMaxNoiseLevel, oriWORPIfStatTable=oriWORPIfStatTable, oriBroadcastFilteringTableEntry=oriBroadcastFilteringTableEntry, oriWORPIfDDRSMinReqSNRdot11an6Mbps=oriWORPIfDDRSMinReqSNRdot11an6Mbps, oriTrapVarTaskSuspended=oriTrapVarTaskSuspended, oriStationStatTableType=oriStationStatTableType, agere=agere, oriWirelessIfSSIDTablePSKValue=oriWirelessIfSSIDTablePSKValue, oriRADIUSAuthClientStatTableAccessRejects=oriRADIUSAuthClientStatTableAccessRejects, oriPPPoEMACtoSessionTableMACAddress=oriPPPoEMACtoSessionTableMACAddress, oriWirelessIfSuperModeStatus=oriWirelessIfSuperModeStatus, oriWORPIfSatConfigTableMaximumBandwidthLimitUplink=oriWORPIfSatConfigTableMaximumBandwidthLimitUplink, oriSecurityProfileTablePSKValue=oriSecurityProfileTablePSKValue, oriConfigFileName=oriConfigFileName, oriRADIUSSvrTableResponseTime=oriRADIUSSvrTableResponseTime, oriStationStatTableIPAddress=oriStationStatTableIPAddress, ap500=ap500, oriSystemInvMgmtComponentTableEntry=oriSystemInvMgmtComponentTableEntry, oriWirelessIfPreambleType=oriWirelessIfPreambleType, oriSecurityGwStatus=oriSecurityGwStatus, oriTrapTaskSuspended=oriTrapTaskSuspended, oriRADIUSAuthServerIPAddress=oriRADIUSAuthServerIPAddress, oriDHCPServerSecondaryDNSIPAddress=oriDHCPServerSecondaryDNSIPAddress, oriTrapSNTPFailure=oriTrapSNTPFailure, orinocoLinkTest=orinocoLinkTest, oriRADIUSAcctServerTable=oriRADIUSAcctServerTable, oriPPPoESessionIdleTimeOut=oriPPPoESessionIdleTimeOut, oriWirelessIfEncryptionKey3=oriWirelessIfEncryptionKey3, oriWORPIfStatTableReceiveFailures=oriWORPIfStatTableReceiveFailures, oriSystemInvMgmtInterfaceTopNumber=oriSystemInvMgmtInterfaceTopNumber, oriWORPIfSiteSurveyCurrentSatRegistered=oriWORPIfSiteSurveyCurrentSatRegistered, oriWirelessIfSSIDTableRADIUSMACAccessControl=oriWirelessIfSSIDTableRADIUSMACAccessControl, orinocoWORPIfRoaming=orinocoWORPIfRoaming, oriWORPIfSatStatTableRequestForService=oriWORPIfSatStatTableRequestForService, oriSyslogHostTableIndex=oriSyslogHostTableIndex, oriNATType=oriNATType, oriDHCPClientInterfaceBitmask=oriDHCPClientInterfaceBitmask, oriRADIUSAuthServerAddressingFormat=oriRADIUSAuthServerAddressingFormat, oriRADInterval=oriRADInterval, oriWirelessIfSSIDTableRADIUSDot1xProfile=oriWirelessIfSSIDTableRADIUSDot1xProfile, oriWirelessIfLBTxTimeThreshold=oriWirelessIfLBTxTimeThreshold, oriSystemCountryCode=oriSystemCountryCode, oriBroadcastFilteringTableIndex=oriBroadcastFilteringTableIndex, oriTrapVarDHCPServerIPAddress=oriTrapVarDHCPServerIPAddress, oriVLANIDTable=oriVLANIDTable, orinocoTempLog=orinocoTempLog, oriRADIUSAcctClientAccountingRequests=oriRADIUSAcctClientAccountingRequests, oriSystemInvMgmtTableComponentMajorVersion=oriSystemInvMgmtTableComponentMajorVersion, oriDHCPRelayDHCPServerTableIpAddress=oriDHCPRelayDHCPServerTableIpAddress, oriTelnetInterfaceBitmask=oriTelnetInterfaceBitmask, oriLinkTestHisMediumFrameCount=oriLinkTestHisMediumFrameCount, orinocoRADIUS=orinocoRADIUS, oriSNMPTrapHostTableComment=oriSNMPTrapHostTableComment, oriHTTPSetupWizardStatus=oriHTTPSetupWizardStatus, oriRADStatus=oriRADStatus, oriLinkIntTable=oriLinkIntTable, oriRADScanResultsFrequencyChannel=oriRADScanResultsFrequencyChannel, oriPPPoESessionBindingsNumberMalformedPackets=oriPPPoESessionBindingsNumberMalformedPackets, oriTFTPAutoConfigFilename=oriTFTPAutoConfigFilename, orinocoNet=orinocoNet, oriWORPIfSatConfigTableEntryStatus=oriWORPIfSatConfigTableEntryStatus, oriRADIUSAuthClientStatTableBadAuthenticators=oriRADIUSAuthClientStatTableBadAuthenticators, oriWORPIfDDRSMinReqSNRdot11at72Mbps=oriWORPIfDDRSMinReqSNRdot11at72Mbps, oriWORPIfRoamingStatus=oriWORPIfRoamingStatus, oriNATStaticPortBindTableIndex=oriNATStaticPortBindTableIndex, oriSNMPTrapType=oriSNMPTrapType, oriTrapMaximumNumberOfSubscribersReached=oriTrapMaximumNumberOfSubscribersReached, oriSystemFlashBackupInterval=oriSystemFlashBackupInterval, DisplayString80=DisplayString80, oriStaticMACAddressFilterWirelessAddress=oriStaticMACAddressFilterWirelessAddress, oriRogueScanStationCountWirelessCardB=oriRogueScanStationCountWirelessCardB, oriSNMPAccessTableIndex=oriSNMPAccessTableIndex, oriWirelessIfLoadBalancing=oriWirelessIfLoadBalancing, oriSNTPSecondaryServerNameOrIPAddress=oriSNTPSecondaryServerNameOrIPAddress, oriLinkTestDataRateTable=oriLinkTestDataRateTable, oriSecurityProfileTable=oriSecurityProfileTable, oriProtocolFilterTableIndex=oriProtocolFilterTableIndex, oriIAPPAnnounceResponseReceived=oriIAPPAnnounceResponseReceived, oriUPSDRoamingReserved=oriUPSDRoamingReserved, oriIntraCellBlockingMACTableGroupID2=oriIntraCellBlockingMACTableGroupID2, oriFlashTraps=oriFlashTraps, oriSerialStopBits=oriSerialStopBits, oriWirelessIfTraps=oriWirelessIfTraps, oriWirelessIfDFSStatus=oriWirelessIfDFSStatus, oriTrapIncompatibleImage=oriTrapIncompatibleImage, oriIAPPPeriodicAnnounceInterval=oriIAPPPeriodicAnnounceInterval, oriTrapVarBatchCLIMessage=oriTrapVarBatchCLIMessage, rg1100=rg1100, oriTelnetSSHStatus=oriTelnetSSHStatus, oriTrapVarSubnetMask=oriTrapVarSubnetMask, oriWirelessIfBandwidthLimitOut=oriWirelessIfBandwidthLimitOut, oriTFTPTrapsStatus=oriTFTPTrapsStatus, orinocoObjects=orinocoObjects, oriRogueScanResultsSNR=oriRogueScanResultsSNR, oriPPPoENumberOfActiveSessions=oriPPPoENumberOfActiveSessions, oriWORPIfStatTableEntry=oriWORPIfStatTableEntry, oriWORPIfStatTableReplyData=oriWORPIfStatTableReplyData, oriSNMPAccessTable=oriSNMPAccessTable, oriStationStatTableInNoise=oriStationStatTableInNoise, oriSNTPDay=oriSNTPDay, oriIBSSTrafficOperation=oriIBSSTrafficOperation, oriSystemInvMgmtInterfaceTableIndex=oriSystemInvMgmtInterfaceTableIndex, oriSNMPInterfaceBitmask=oriSNMPInterfaceBitmask, oriWirelessIfQoSStatus=oriWirelessIfQoSStatus, orinocoStationStatistics=orinocoStationStatistics, orinocoWORPIfSiteSurvey=orinocoWORPIfSiteSurvey, orinocoAccessControl=orinocoAccessControl, oriNetworkIPDefaultRouterIPAddress=oriNetworkIPDefaultRouterIPAddress, oriTFTPOperation=oriTFTPOperation, oriWirelessIfSecurityIndex=oriWirelessIfSecurityIndex, oriNetworkIPConfigSubnetMask=oriNetworkIPConfigSubnetMask, oriSecurityEncryptionKeyLengthTableEntry=oriSecurityEncryptionKeyLengthTableEntry, oriTrapVariable=oriTrapVariable, oriRADIUSAuthClientStatTableIndex=oriRADIUSAuthClientStatTableIndex, oriDHCPServerIPPoolTableMaximumLeaseTime=oriDHCPServerIPPoolTableMaximumLeaseTime, oriPPPoESessionConfigPADIMaxNumberOfRetries=oriPPPoESessionConfigPADIMaxNumberOfRetries, oriIAPPHandoverTimeout=oriIAPPHandoverTimeout, oriWirelessIfSecurityTable=oriWirelessIfSecurityTable, oriPacketForwardingMACAddress=oriPacketForwardingMACAddress, oriLinkIntStatus=oriLinkIntStatus, oriLinkTestHisCurSNR=oriLinkTestHisCurSNR, oriBroadcastFilteringTableEntryStatus=oriBroadcastFilteringTableEntryStatus, oriIntraCellBlockingMACTableGroupID10=oriIntraCellBlockingMACTableGroupID10, oriWORPIfSiteSurveyLocalSNR=oriWORPIfSiteSurveyLocalSNR, oriWORPIfDDRSMinReqSNRdot11an24Mbps=oriWORPIfDDRSMinReqSNRdot11an24Mbps, oriWORPIfDDRSMinReqSNRdot11at18Mbps=oriWORPIfDDRSMinReqSNRdot11at18Mbps, oriDHCPServerIPPoolTableEntry=oriDHCPServerIPPoolTableEntry, oriPPPoEMACtoSessionTableISPName=oriPPPoEMACtoSessionTableISPName, oriWORPIfRoamingFastScanPercentThreshold=oriWORPIfRoamingFastScanPercentThreshold, oriIAPPMACIPTableEntry=oriIAPPMACIPTableEntry, oriPacketForwardingStatus=oriPacketForwardingStatus, oriPPPoESessionTable=oriPPPoESessionTable, oriTrapRogueScanStationDetected=oriTrapRogueScanStationDetected, oriRogueScanConfigTableScanMode=oriRogueScanConfigTableScanMode, oriRADIUSAuthClientAccessRejects=oriRADIUSAuthClientAccessRejects, oriRADIUSAuthClientStatTableEntry=oriRADIUSAuthClientStatTableEntry, oriWORPIfSiteSurveyMaxSatAllowed=oriWORPIfSiteSurveyMaxSatAllowed, oriLinkTestOurMaxSNR=oriLinkTestOurMaxSNR, oriSNMPTrapHostTableEntry=oriSNMPTrapHostTableEntry, orinocoWirelessIf=orinocoWirelessIf, oriNATStaticIPBindTable=oriNATStaticIPBindTable, oriWirelessIfTxPowerControl=oriWirelessIfTxPowerControl, oriDMZHostTableEntry=oriDMZHostTableEntry, oriIntraCellBlockingMACTableGroupID7=oriIntraCellBlockingMACTableGroupID7, oriNetworkIPConfigTableIndex=oriNetworkIPConfigTableIndex, oriRADIUSAuthClientStatTableAccessChallenges=oriRADIUSAuthClientStatTableAccessChallenges, oriLinkTestOurMinSNR=oriLinkTestOurMinSNR, oriIntraCellBlockingMACTableGroupID13=oriIntraCellBlockingMACTableGroupID13, ObjStatusActive=ObjStatusActive, oriWirelessIfMulticastRate=oriWirelessIfMulticastRate, as2000=as2000, oriSecurityProfileTableAuthenticationMode=oriSecurityProfileTableAuthenticationMode, oriRADIUSSvrTableVLANID=oriRADIUSSvrTableVLANID, oriWORPIfSatStatTableReplyData=oriWORPIfSatStatTableReplyData, oriRADIUSSvrTableAuthorizationLifeTime=oriRADIUSSvrTableAuthorizationLifeTime, oriTrapModuleNotInitialized=oriTrapModuleNotInitialized, oriWORPIfStatTableRegistrationRequests=oriWORPIfStatTableRegistrationRequests, oriSecurityTrapsStatus=oriSecurityTrapsStatus, oriWORPIfDDRSMinReqSNRdot11an48Mbps=oriWORPIfDDRSMinReqSNRdot11an48Mbps, oriRADIUSAcctServerDestPort=oriRADIUSAcctServerDestPort, oriLinkTestTable=oriLinkTestTable, oriTrapVarUnauthorizedManagerIPaddress=oriTrapVarUnauthorizedManagerIPaddress, oriRADAccessPointCount=oriRADAccessPointCount, oriTrapBootPFailed=oriTrapBootPFailed, oriTrapTemperatureAlert=oriTrapTemperatureAlert, oriWirelessIfSupportedCipherModes=oriWirelessIfSupportedCipherModes, oriTrapWLCNotPresent=oriTrapWLCNotPresent, oriDHCPRelayStatus=oriDHCPRelayStatus, oriDHCPServerDefaultGatewayIPAddress=oriDHCPServerDefaultGatewayIPAddress, oriDMZHostTable=oriDMZHostTable, oriSNMPAccessTableEntry=oriSNMPAccessTableEntry, oriAccessControlStatus=oriAccessControlStatus, oriWORPIfDDRSDataRateDecReqSNRThreshold=oriWORPIfDDRSDataRateDecReqSNRThreshold, oriWORPIfStatTablePollNoData=oriWORPIfStatTablePollNoData, oriIAPPSendAnnounceRequestOnStart=oriIAPPSendAnnounceRequestOnStart, orinocoAOL=orinocoAOL, InterfaceBitmask=InterfaceBitmask, oriSystemInvMgmtInterfaceVariant=oriSystemInvMgmtInterfaceVariant, oriEthernetIfConfigTableEntry=oriEthernetIfConfigTableEntry, oriSyslogHostIPAddress=oriSyslogHostIPAddress, oriNATStaticBindStatus=oriNATStaticBindStatus, oriWirelessIfACSFrequencyBandScan=oriWirelessIfACSFrequencyBandScan, oriLinkTestHisMaxSNR=oriLinkTestHisMaxSNR, orinocoWORPIfSat=orinocoWORPIfSat, orinocoDHCPRelay=orinocoDHCPRelay, oriRADIUSAcctClientStatTableBadAuthenticators=oriRADIUSAcctClientStatTableBadAuthenticators, oriTelnetSSHHostKeyStatus=oriTelnetSSHHostKeyStatus, oriOEMProductName=oriOEMProductName, oriWORPIfSiteSurveySignalQualityTableEntry=oriWORPIfSiteSurveySignalQualityTableEntry, oriRADIUSAuthClientAccessRetransmissions=oriRADIUSAuthClientAccessRetransmissions, oriNetworkIPDefaultTTL=oriNetworkIPDefaultTTL, oriTrapVarMACAddress=oriTrapVarMACAddress, oriAccessControlTableIndex=oriAccessControlTableIndex, oriProxyARPStatus=oriProxyARPStatus, oriPPPoESessionBindingsNumberGenericErrorsTx=oriPPPoESessionBindingsNumberGenericErrorsTx, oriWirelessIfCapabilities=oriWirelessIfCapabilities, oriLinkTestInterval=oriLinkTestInterval, oriTrapZeroSizeImage=oriTrapZeroSizeImage, oriSystemAccessPassword=oriSystemAccessPassword, oriSecurityProfileFourWEPKeySupport=oriSecurityProfileFourWEPKeySupport, oriRADIUSAcctClientStatTableEntry=oriRADIUSAcctClientStatTableEntry) mibBuilder.exportSymbols("ORiNOCO-MIB", oriWDSSecurityTableSecurityMode=oriWDSSecurityTableSecurityMode, oriPPPoESessionBindingsNumberServiceNameErrors=oriPPPoESessionBindingsNumberServiceNameErrors, orinocoDHCPClient=orinocoDHCPClient, oriIntraCellBlockingMACTableMACAddress=oriIntraCellBlockingMACTableMACAddress, oriRADIUSAuthServerTable=oriRADIUSAuthServerTable, oriLinkTestExplore=oriLinkTestExplore, VlanId=VlanId, oriStationStatTableMACAddress=oriStationStatTableMACAddress, oriWirelessIfEncryptionOptions=oriWirelessIfEncryptionOptions, orinocoWORPIfBSUStatRemoteTxRate=orinocoWORPIfBSUStatRemoteTxRate, oriWirelessIfAntenna=oriWirelessIfAntenna, oriSyslogHeartbeatInterval=oriSyslogHeartbeatInterval, oriConfigFileStatus=oriConfigFileStatus, orinocoFiltering=orinocoFiltering, oriWirelessIfSSIDTableRADIUSAccountingStatus=oriWirelessIfSSIDTableRADIUSAccountingStatus, orinocoIBSSTraffic=orinocoIBSSTraffic, oriPPPoESessionConnectTime=oriPPPoESessionConnectTime, oriQoSPolicyTableRowStatus=oriQoSPolicyTableRowStatus, oriStationStatTableInOctets=oriStationStatTableInOctets, oriLinkTestOurStandardFrameCount=oriLinkTestOurStandardFrameCount, oriTelnetSessions=oriTelnetSessions, oriDHCPRelayDHCPServerTableIndex=oriDHCPRelayDHCPServerTableIndex, oriTrapVarIPAddress=oriTrapVarIPAddress, oriWDSSecurityTableEncryptionKey0=oriWDSSecurityTableEncryptionKey0, oriRogueScanResultsNotificationMode=oriRogueScanResultsNotificationMode, oriWirelessIfDenyNonEncryptedData=oriWirelessIfDenyNonEncryptedData, oriPPPoEMaximumNumberOfSessions=oriPPPoEMaximumNumberOfSessions, oriWORPIfStatTableReceiveRetries=oriWORPIfStatTableReceiveRetries, orinocoWORPIfBSU=orinocoWORPIfBSU, oriWORPIfSatStatTableReplyNoData=oriWORPIfSatStatTableReplyNoData, oriWirelessIfSSIDTableClosedSystem=oriWirelessIfSSIDTableClosedSystem, oriConfigurationTrapsStatus=oriConfigurationTrapsStatus, oriWORPIfStatTableAverageRemoteSignal=oriWORPIfStatTableAverageRemoteSignal, oriNATPublicIPAddress=oriNATPublicIPAddress, oriUnitTemp=oriUnitTemp, oriNetworkIPAddressType=oriNetworkIPAddressType, oriRADIUSAuthClientTimeouts=oriRADIUSAuthClientTimeouts, oriWORPIfStatTableRegistrationAttempts=oriWORPIfStatTableRegistrationAttempts, oriWORPIfConfigTableNetworkSecret=oriWORPIfConfigTableNetworkSecret, oriTFTPTraps=oriTFTPTraps, oriTrapVLANIDUserAssignment=oriTrapVLANIDUserAssignment, oriIPARPFilteringStatus=oriIPARPFilteringStatus, oriDHCPServerIPPoolTableEndIPAddress=oriDHCPServerIPPoolTableEndIPAddress, oriTelnetIdleTimeout=oriTelnetIdleTimeout, oriSNMPAccessTableComment=oriSNMPAccessTableComment, oriTrapVarTFTPOperation=oriTrapVarTFTPOperation, oriLinkTestOurMaxSignalLevel=oriLinkTestOurMaxSignalLevel, oriWORPIfStatTableAuthenticationConfirms=oriWORPIfStatTableAuthenticationConfirms, oriStationStatTableEntry=oriStationStatTableEntry, oriWirelessIfSSIDTableMACAccessControl=oriWirelessIfSSIDTableMACAccessControl, oriNATStaticIPBindRemoteAddress=oriNATStaticIPBindRemoteAddress, oriWirelessIfSSIDTablePSKPassPhrase=oriWirelessIfSSIDTablePSKPassPhrase, oriHTTPWebSiteFilename=oriHTTPWebSiteFilename, oriRADIUSSvrTableRowStatus=oriRADIUSSvrTableRowStatus, oriWORPIfRoamingSlowScanThreshold=oriWORPIfRoamingSlowScanThreshold, oriWORPIfSiteSurveyTable=oriWORPIfSiteSurveyTable, oriWORPIfStatTableRequestForService=oriWORPIfStatTableRequestForService, oriRADIUSAcctServerIPAddress=oriRADIUSAcctServerIPAddress, oriQoSDot1DToIPDSCPPriority=oriQoSDot1DToIPDSCPPriority, oriOEMNoNavLogoImageFile=oriOEMNoNavLogoImageFile, oriConfigFileTableEntry=oriConfigFileTableEntry, oriSecurityTraps=oriSecurityTraps, orinocoIPARP=orinocoIPARP, oriWirelessIfSSIDTableIndex=oriWirelessIfSSIDTableIndex, oriTrapInvalidImage=oriTrapInvalidImage, oriWORPIfConfigTableMode=oriWORPIfConfigTableMode, oriAccessControlEntry=oriAccessControlEntry, oriRADIUSAuthClientStatTableAccessAccepts=oriRADIUSAuthClientStatTableAccessAccepts, oriIntraCellBlockingMACTableGroupID9=oriIntraCellBlockingMACTableGroupID9, oriSecurityProfileTablePSKPassPhrase=oriSecurityProfileTablePSKPassPhrase, oriTrapVarTFTPFilename=oriTrapVarTFTPFilename, oriSNMPAccessTableIPAddress=oriSNMPAccessTableIPAddress, oriSystemFeatureTableCode=oriSystemFeatureTableCode, oriWirelessIfSSIDTableQoSPolicy=oriWirelessIfSSIDTableQoSPolicy, oriStaticMACAddressFilterTableEntryStatus=oriStaticMACAddressFilterTableEntryStatus, oriRADIUSAuthClientStatTableTimeouts=oriRADIUSAuthClientStatTableTimeouts, oriHTTPSSLPassphrase=oriHTTPSSLPassphrase, oriWORPIfSatConfigTableEntry=oriWORPIfSatConfigTableEntry, oriTrapImageTooLarge=oriTrapImageTooLarge, oriProtocolFilterTable=oriProtocolFilterTable, oriHTTPRADIUSAccessControl=oriHTTPRADIUSAccessControl, oriGenericTrapVariable=oriGenericTrapVariable, oriWORPIfSatConfigTableMinimumBandwidthLimitDownlink=oriWORPIfSatConfigTableMinimumBandwidthLimitDownlink, oriIAPPAnnounceRequestSent=oriIAPPAnnounceRequestSent, oriIAPPPDUsDropped=oriIAPPPDUsDropped, oriLinkTestTableEntry=oriLinkTestTableEntry, oriLinkTestOurCurSignalLevel=oriLinkTestOurCurSignalLevel, oriSecurityConfigTableRekeyingInterval=oriSecurityConfigTableRekeyingInterval, orinocoWDS=orinocoWDS, oriLinkTestMACAddress=oriLinkTestMACAddress, oriTrapWLCFirmwareDownloadFailure=oriTrapWLCFirmwareDownloadFailure, oriWORPIfDDRSDataRateIncPercentThreshold=oriWORPIfDDRSDataRateIncPercentThreshold, oriVLANIDTableEntry=oriVLANIDTableEntry, oriIntraCellBlockingMACTableGroupID5=oriIntraCellBlockingMACTableGroupID5, oriOperationalTrapsStatus=oriOperationalTrapsStatus, oriStationStatTableInterface=oriStationStatTableInterface, oriTelnetLoginTimeout=oriTelnetLoginTimeout, orinocoWORPIfSatStat=orinocoWORPIfSatStat, oriSNTPYear=oriSNTPYear, oriStaticMACAddressFilterTable=oriStaticMACAddressFilterTable, oriTrapDHCPFailed=oriTrapDHCPFailed, oriSystemMode=oriSystemMode, oriTrapRogueScanCycleComplete=oriTrapRogueScanCycleComplete, oriConfigSaveKnownGood=oriConfigSaveKnownGood, oriStormThresholdIfMulticast=oriStormThresholdIfMulticast, oriDHCPServerSubnetMask=oriDHCPServerSubnetMask, oriRogueScanConfigTableScanStatus=oriRogueScanConfigTableScanStatus, orinocoDMZ=orinocoDMZ, oriQoSDot1dPriority=oriQoSDot1dPriority, oriWORPIfSatStatTableReceiveRetries=oriWORPIfSatStatTableReceiveRetries, oriQoSDot1DToIPDSCPMappingTableIndex=oriQoSDot1DToIPDSCPMappingTableIndex, oriDMZHostTableHostIP=oriDMZHostTableHostIP, oriWirelessIfPropertiesEntry=oriWirelessIfPropertiesEntry, oriWirelessIfAllowedSupportedDataRates=oriWirelessIfAllowedSupportedDataRates, oriStaticMACAddressFilterWirelessMask=oriStaticMACAddressFilterWirelessMask, oriWirelessIfPropertiesIndex=oriWirelessIfPropertiesIndex, oriTrapInvalidImageDigitalSignature=oriTrapInvalidImageDigitalSignature, oriIntraCellBlockingMACTableEntry=oriIntraCellBlockingMACTableEntry, oriWORPIfStatTableSendRetries=oriWORPIfStatTableSendRetries, oriLinkTestOurMinSignalLevel=oriLinkTestOurMinSignalLevel, oriWORPIfStatTablePollNoReplies=oriWORPIfStatTablePollNoReplies, oriWORPIfSiteSurveyOperation=oriWORPIfSiteSurveyOperation, oriTrapWirelessServiceResumed=oriTrapWirelessServiceResumed, oriLinkTestOurLowFrameCount=oriLinkTestOurLowFrameCount, oriWORPTraps=oriWORPTraps, oriRADIUSAcctClientStatTableAccountingResponses=oriRADIUSAcctClientStatTableAccountingResponses, oriWORPIfDDRSStatus=oriWORPIfDDRSStatus, oriLinkTestHisCurNoiseLevel=oriLinkTestHisCurNoiseLevel, oriLinkIntTableEntryStatus=oriLinkIntTableEntryStatus, oriRADIUSAuthServerTableEntryStatus=oriRADIUSAuthServerTableEntryStatus, oriSysFeatureTraps=oriSysFeatureTraps, oriTrapFlashMemoryCorrupted=oriTrapFlashMemoryCorrupted, oriWirelessIfSSIDTableEntry=oriWirelessIfSSIDTableEntry, oriMulticastAddressThreshold=oriMulticastAddressThreshold, oriLinkTestTimeOut=oriLinkTestTimeOut, oriRADIUSAuthClientStatTable=oriRADIUSAuthClientStatTable, oriRADIUSAcctStatus=oriRADIUSAcctStatus, oriTrapUselessLicense=oriTrapUselessLicense, oriRADIUSAuthServerMaximumRetransmission=oriRADIUSAuthServerMaximumRetransmission, oriRADIUSAuthClientAuthInvalidAuthenticators=oriRADIUSAuthClientAuthInvalidAuthenticators, oriSNTPTimeZone=oriSNTPTimeZone, oriSNTPSeconds=oriSNTPSeconds, oriProtocolFilterTableEntryStatus=oriProtocolFilterTableEntryStatus, oriRADIUSSvrTable=oriRADIUSSvrTable, oriWORPIfConfigTableRetries=oriWORPIfConfigTableRetries, oriRADIUSSvrTableProfileIndex=oriRADIUSSvrTableProfileIndex, oriTrapInvalidLicenseFile=oriTrapInvalidLicenseFile, oriWORPIfStatTableSendFailures=oriWORPIfStatTableSendFailures, oriIPARPFilteringIPAddress=oriIPARPFilteringIPAddress, oriTrapWLCIncompatibleVendor=oriTrapWLCIncompatibleVendor, oriWORPIfConfigTableRegistrationTimeout=oriWORPIfConfigTableRegistrationTimeout, oriQoSIPDSCPLowerLimit=oriQoSIPDSCPLowerLimit, oriTrapBatchFileExecEnd=oriTrapBatchFileExecEnd, oriPPPoESessionTableStatus=oriPPPoESessionTableStatus, DisplayString32=DisplayString32, oriSyslogPriority=oriSyslogPriority, oriPPPoESessionUserNamePassword=oriPPPoESessionUserNamePassword, orinocoGroups=orinocoGroups, oriStationStatTableOutNUcastPkts=oriStationStatTableOutNUcastPkts, oriRADLastSuccessfulScanTime=oriRADLastSuccessfulScanTime, oriTrapTFTPOperationCompleted=oriTrapTFTPOperationCompleted, oriWirelessIfProtectionMechanismStatus=oriWirelessIfProtectionMechanismStatus, oriTelnetRADIUSAccessControl=oriTelnetRADIUSAccessControl, oriTFTPDowngrade=oriTFTPDowngrade, oriWORPIfStatTableAverageLocalSignal=oriWORPIfStatTableAverageLocalSignal, oriDHCPServerIPPoolTableIndex=oriDHCPServerIPPoolTableIndex, oriRADIUSAcctClientAccountingRetransmissions=oriRADIUSAcctClientAccountingRetransmissions, oriWirelessIfAutoChannelSelectStatus=oriWirelessIfAutoChannelSelectStatus, oriProtocolFilterTableInterfaceBitmask=oriProtocolFilterTableInterfaceBitmask, oriLinkIntTableTargetIPAddress=oriLinkIntTableTargetIPAddress, oriStationStatTableMACProtocol=oriStationStatTableMACProtocol, oriIntraCellBlockingMACTableGroupID12=oriIntraCellBlockingMACTableGroupID12, oriNATStaticPortBindLocalAddress=oriNATStaticPortBindLocalAddress, oriDNSClientSecondaryServerIPAddress=oriDNSClientSecondaryServerIPAddress, oriSNMPAccessTableInterfaceBitmask=oriSNMPAccessTableInterfaceBitmask, oriSystemReboot=oriSystemReboot, oriSNTPPrimaryServerNameOrIPAddress=oriSNTPPrimaryServerNameOrIPAddress, oriRADIUSLocalUserStatus=oriRADIUSLocalUserStatus, oriIntraCellBlockingMACTableGroupID11=oriIntraCellBlockingMACTableGroupID11, tmp11=tmp11, oriRogueScanResultsMACAddress=oriRogueScanResultsMACAddress, oriAccessControlTableMACAddress=oriAccessControlTableMACAddress, oriWirelessIfSecurityPerSSIDStatus=oriWirelessIfSecurityPerSSIDStatus, oriRADIUSClientInvalidServerAddress=oriRADIUSClientInvalidServerAddress, DisplayString55=DisplayString55, oriPortFilterOperationType=oriPortFilterOperationType, oriRADIUSAuthClientStatTablePrimaryOrSecondaryIndex=oriRADIUSAuthClientStatTablePrimaryOrSecondaryIndex, oriRADInterfaceBitmask=oriRADInterfaceBitmask, oriStationStatTableInNUcastPkts=oriStationStatTableInNUcastPkts, oriPortFilterStatus=oriPortFilterStatus, oriWirelessIfLBAdjAPTimeDiffThreshold=oriWirelessIfLBAdjAPTimeDiffThreshold, oriWORPIfSatStatTablePollData=oriWORPIfSatStatTablePollData, oriLinkTestTableIndex=oriLinkTestTableIndex, oriTrapAutoConfigFailure=oriTrapAutoConfigFailure, oriWORPIfSiteSurveyTableIndex=oriWORPIfSiteSurveyTableIndex, orinocoOEM=orinocoOEM, oriWirelessIfQoSMaxMediumThreshold=oriWirelessIfQoSMaxMediumThreshold, orinocoRAD=orinocoRAD, oriPortFilterTableEntry=oriPortFilterTableEntry, oriLinkIntTableComment=oriLinkIntTableComment, oriIAPPMaximumHandoverRetransmissions=oriIAPPMaximumHandoverRetransmissions, oriSystemFlashUpdate=oriSystemFlashUpdate, oriWORPIfSatStatTableIndex=oriWORPIfSatStatTableIndex, oriTrapDHCPRelayServerTableNotConfigured=oriTrapDHCPRelayServerTableNotConfigured, oriPPPoESessionBindingsNumberGenericErrorsRx=oriPPPoESessionBindingsNumberGenericErrorsRx, oriIntraCellBlockingMACTableGroupID15=oriIntraCellBlockingMACTableGroupID15, oriNATStatus=oriNATStatus, orinocoDHCPServer=orinocoDHCPServer, oriAccessControlOperationType=oriAccessControlOperationType, oriRADIUSSvrTableProfileName=oriRADIUSSvrTableProfileName, oriSecurityGwMac=oriSecurityGwMac, oriWirelessIfEncryptionKey4=oriWirelessIfEncryptionKey4, oriWORPIfDDRSMinReqSNRdot11at48Mbps=oriWORPIfDDRSMinReqSNRdot11at48Mbps, oriRADIUSAcctServerNameOrIPAddress=oriRADIUSAcctServerNameOrIPAddress, oriWORPIfDDRSMinReqSNRdot11an12Mbps=oriWORPIfDDRSMinReqSNRdot11an12Mbps, oriSNMPAuthorizedManagerCount=oriSNMPAuthorizedManagerCount, oriSystemInvMgmtInterfaceBottomNumber=oriSystemInvMgmtInterfaceBottomNumber, oriTrapRADIUSAccountingNotConfigured=oriTrapRADIUSAccountingNotConfigured, oriPPPoESessionBindingsNumberMultiplePADORx=oriPPPoESessionBindingsNumberMultiplePADORx, oriWirelessIfProfileCode=oriWirelessIfProfileCode, oriTrapDNSIPNotConfigured=oriTrapDNSIPNotConfigured, oriWORPIfStatTableRegistrationRejects=oriWORPIfStatTableRegistrationRejects, oriIAPPMACIPTableESSID=oriIAPPMACIPTableESSID, oriPPPoEMACtoSessionTableIndex=oriPPPoEMACtoSessionTableIndex, oriSystemEventLogTableReset=oriSystemEventLogTableReset, oriSerialBaudRate=oriSerialBaudRate, oriDHCPRelayDHCPServerTableEntryStatus=oriDHCPRelayDHCPServerTableEntryStatus, oriTrapFlashMemoryRestoringLastKnownGoodConfiguration=oriTrapFlashMemoryRestoringLastKnownGoodConfiguration, oriPPPoESessionBindingsNumberPADTTx=oriPPPoESessionBindingsNumberPADTTx, oriProtocolFilterProtocolString=oriProtocolFilterProtocolString, oriDMZHostTableEntryStatus=oriDMZHostTableEntryStatus, oriRADIUSSvrTableEntry=oriRADIUSSvrTableEntry, orinocoWORPIf=orinocoWORPIf, oriIntraCellBlockingMACTableIndex=oriIntraCellBlockingMACTableIndex, oriTrapVarTFTPIPAddress=oriTrapVarTFTPIPAddress, oriRADIUSAuthServerDestPort=oriRADIUSAuthServerDestPort, oriQoSDot1DToDot1pMappingTableIndex=oriQoSDot1DToDot1pMappingTableIndex, oriDMZHostTableComment=oriDMZHostTableComment, oriPortFilterTableEntryIndex=oriPortFilterTableEntryIndex, oriRogueScanResultsFrequencyChannel=oriRogueScanResultsFrequencyChannel, orinocoDNS=orinocoDNS, oriTrapDuplicateIPAddressEncountered=oriTrapDuplicateIPAddressEncountered, oriWORPIfConfigTableEntry=oriWORPIfConfigTableEntry, oriWORPIfRoamingThreshold=oriWORPIfRoamingThreshold, oriOEMProductModel=oriOEMProductModel, oriSNMPAccessTableStatus=oriSNMPAccessTableStatus, oriStationStatTableRemoteSignal=oriStationStatTableRemoteSignal, orinocoNetIP=orinocoNetIP, oriIPARPFilteringSubnetMask=oriIPARPFilteringSubnetMask, oriImageTraps=oriImageTraps, oriQoSPolicyTable=oriQoSPolicyTable, oriStormThresholdTable=oriStormThresholdTable, oriRADScanResultsTable=oriRADScanResultsTable, oriSystemEventLogNumberOfMessages=oriSystemEventLogNumberOfMessages) mibBuilder.exportSymbols("ORiNOCO-MIB", oriRADIUSSvrTableAddressingFormat=oriRADIUSSvrTableAddressingFormat, oriDHCPServerIPPoolTableWidth=oriDHCPServerIPPoolTableWidth, oriSecurityConfiguration=oriSecurityConfiguration, oriRADIUSSvrTableAccountingInactivityTimer=oriRADIUSSvrTableAccountingInactivityTimer, oriRADIUSAcctServerMaximumRetransmission=oriRADIUSAcctServerMaximumRetransmission, oriPPPoESessionISPName=oriPPPoESessionISPName, oriWORPIfDDRSMinReqSNRdot11at12Mbps=oriWORPIfDDRSMinReqSNRdot11at12Mbps, oriHTTPWebSitenameTableIndex=oriHTTPWebSitenameTableIndex, oriWirelessIfOperationalMode=oriWirelessIfOperationalMode, oriTelnetPort=oriTelnetPort, oriPPPoESessionConfigPADITxInterval=oriPPPoESessionConfigPADITxInterval, oriVLANStatus=oriVLANStatus, oriSyslogStatus=oriSyslogStatus, orinocoNAT=orinocoNAT, oriWORPIfConfigTableNoSleepMode=oriWORPIfConfigTableNoSleepMode, oriProtocolFilterProtocolComment=oriProtocolFilterProtocolComment, oriSystemFeatureTableSupported=oriSystemFeatureTableSupported, oriStaticMACAddressFilterComment=oriStaticMACAddressFilterComment, oriQoSPolicyTableSecIndex=oriQoSPolicyTableSecIndex, oriWDSSecurityTable=oriWDSSecurityTable, oriSystemContactPhoneNumber=oriSystemContactPhoneNumber, oriStationStatTableOperStatus=oriStationStatTableOperStatus, oriRADIUSAcctClientStatTable=oriRADIUSAcctClientStatTable, oriHTTPWebSitenameTable=oriHTTPWebSitenameTable, oriLinkTestInterface=oriLinkTestInterface, oriAccessControlTable=oriAccessControlTable, oriRADIUSAuthServerSharedSecret=oriRADIUSAuthServerSharedSecret, oriRogueScanStationCountWirelessCardA=oriRogueScanStationCountWirelessCardA, oriBroadcastFilteringTable=oriBroadcastFilteringTable, oriIntraCellBlockingGroupTableEntryStatus=oriIntraCellBlockingGroupTableEntryStatus, oriSyslogHostTable=oriSyslogHostTable, oriWirelessIfSSIDTableSSID=oriWirelessIfSSIDTableSSID, oriLinkIntPollInterval=oriLinkIntPollInterval, oriRADIUSSvrTableMACAddressFormat=oriRADIUSSvrTableMACAddressFormat, oriRADIUSAuthClientStatTableMalformedAccessResponses=oriRADIUSAuthClientStatTableMalformedAccessResponses, oriTFTPAutoConfigServerIPAddress=oriTFTPAutoConfigServerIPAddress, oriQoSDot1DToIPDSCPMappingTable=oriQoSDot1DToIPDSCPMappingTable, oriWirelessIfTrapsStatus=oriWirelessIfTrapsStatus, oriTrapWLCIncompatibleFirmware=oriTrapWLCIncompatibleFirmware, oriWirelessIfEncryptionTxKey=oriWirelessIfEncryptionTxKey, orinocoSecurityGw=orinocoSecurityGw, oriProtocolFilterInterfaceBitmask=oriProtocolFilterInterfaceBitmask, oriIntraCellBlockingGroupTableIndex=oriIntraCellBlockingGroupTableIndex, oriIAPPHandoverRequestRetransmissions=oriIAPPHandoverRequestRetransmissions, oriSystemInvMgmtTableComponentSerialNumber=oriSystemInvMgmtTableComponentSerialNumber, oriWirelessIfSSIDTableSecurityMode=oriWirelessIfSSIDTableSecurityMode, oriRogueScanResultsTable=oriRogueScanResultsTable, oriSecurityConfigTableSecurityMode=oriSecurityConfigTableSecurityMode, oriStationStatTableLastState=oriStationStatTableLastState, oriTrapVLANIDInvalidConfiguration=oriTrapVLANIDInvalidConfiguration, oriIntraCellBlockingGroupTableEntry=oriIntraCellBlockingGroupTableEntry, oriLinkTestOurHighFrameCount=oriLinkTestOurHighFrameCount, oriSecurityEncryptionKeyLengthTable=oriSecurityEncryptionKeyLengthTable, oriRADIUSLocalUserPassword=oriRADIUSLocalUserPassword, oriWirelessIfSecurityEntry=oriWirelessIfSecurityEntry, oriWORPIfSiteSurveyLocalNoiseLevel=oriWORPIfSiteSurveyLocalNoiseLevel, ap600=ap600, oriWORPIfSatStatTableLocalTxRate=oriWORPIfSatStatTableLocalTxRate, oriSecurityHwConfigResetStatus=oriSecurityHwConfigResetStatus, oriWirelessIfRegulatoryDomainList=oriWirelessIfRegulatoryDomainList, oriSNMPTrapHostTableIPAddress=oriSNMPTrapHostTableIPAddress, oriQoSDot1DToDot1pMappingTableRowStatus=oriQoSDot1DToDot1pMappingTableRowStatus, oriSecurityProfileTableEncryptionKeyLength=oriSecurityProfileTableEncryptionKeyLength, oriWORPIfSatConfigTableMaximumBandwidthLimitDownlink=oriWORPIfSatConfigTableMaximumBandwidthLimitDownlink, oriWORPIfSatStatTableSendRetries=oriWORPIfSatStatTableSendRetries, oriRogueScanResultsTableClearEntries=oriRogueScanResultsTableClearEntries, oriWDSSetupTable=oriWDSSetupTable, oriWORPIfStatTableReplyNoData=oriWORPIfStatTableReplyNoData, oriNATStaticPortBindTable=oriNATStaticPortBindTable, WEPKeyType=WEPKeyType, oriTrapVarWirelessCard=oriTrapVarWirelessCard, oriLinkTestHisCurSignalLevel=oriLinkTestHisCurSignalLevel, oriSNMPAccessTableEntryStatus=oriSNMPAccessTableEntryStatus, oriWORPIfSatStatTablePollNoData=oriWORPIfSatStatTablePollNoData, oriWirelessIfTurboModeStatus=oriWirelessIfTurboModeStatus, orinocoConfig=orinocoConfig, oriRADIUSSvrTablePrimaryOrSecondaryIndex=oriRADIUSSvrTablePrimaryOrSecondaryIndex, oriWORPIfSatStatTableAverageLocalSignal=oriWORPIfSatStatTableAverageLocalSignal, orinocoProtocolFilter=orinocoProtocolFilter, oriStationStatTable=oriStationStatTable, oriWirelessIfSSIDTableEncryptionKey1=oriWirelessIfSSIDTableEncryptionKey1, oriSNMPErrorMessage=oriSNMPErrorMessage, oriWORPIfSatConfigTableMinimumBandwidthLimitUplink=oriWORPIfSatConfigTableMinimumBandwidthLimitUplink, oriAccessControlTableEntryStatus=oriAccessControlTableEntryStatus, oriTFTPFileMode=oriTFTPFileMode, oriWirelessIfAntennaGain=oriWirelessIfAntennaGain, orinocoWORPIfBSUStat=orinocoWORPIfBSUStat, oriHTTPPassword=oriHTTPPassword, rg1000=rg1000, oriWORPIfSatStatTableSendFailures=oriWORPIfSatStatTableSendFailures, oriAOLNATALGStatus=oriAOLNATALGStatus, oriWORPIfStatTableAuthenticationRequests=oriWORPIfStatTableAuthenticationRequests, oriRADIUSAcctServerResponseTime=oriRADIUSAcctServerResponseTime, oriSpanningTreeStatus=oriSpanningTreeStatus, oriWirelessIfInterferenceRobustness=oriWirelessIfInterferenceRobustness, orinocoNotifications=orinocoNotifications, orinocoHTTP=orinocoHTTP, oriHTTPPort=oriHTTPPort, oriWORPIfSiteSurveyRemoteSignalLevel=oriWORPIfSiteSurveyRemoteSignalLevel, oriWORPIfSatStatTableRemoteTxRate=oriWORPIfSatStatTableRemoteTxRate, oriDMZHostTableIndex=oriDMZHostTableIndex, orinocoIAPP=orinocoIAPP, oriWirelessIfSSIDTableStatus=oriWirelessIfSSIDTableStatus, oriIfWANInterfaceMACAddress=oriIfWANInterfaceMACAddress, oriLinkTestHisMaxSignalLevel=oriLinkTestHisMaxSignalLevel, oriIAPPMACIPTableBSSID=oriIAPPMACIPTableBSSID, oriWirelessIfNetworkName=oriWirelessIfNetworkName, oriSecurityProfileTableCipherMode=oriSecurityProfileTableCipherMode, oriSecurityProfileTableEncryptionKey1=oriSecurityProfileTableEncryptionKey1, oriPPPoEMACtoSessionTable=oriPPPoEMACtoSessionTable, orinocoSNTP=orinocoSNTP, oriOEMLogoImageFile=oriOEMLogoImageFile, oriDHCPServerPrimaryDNSIPAddress=oriDHCPServerPrimaryDNSIPAddress, oriStationStatTableOutOctets=oriStationStatTableOutOctets, oriPortFilterTableEntryPort=oriPortFilterTableEntryPort, oriDNSClientStatus=oriDNSClientStatus, oriWirelessIfSSIDTableDenyNonEncryptedData=oriWirelessIfSSIDTableDenyNonEncryptedData, oriRADIUSAcctClientStatTableIndex=oriRADIUSAcctClientStatTableIndex, oriRogueScanConfigTable=oriRogueScanConfigTable, oriWORPIfSatStatTable=oriWORPIfSatStatTable, oriWORPIfDDRSMinReqSNRdot11an18Mbps=oriWORPIfDDRSMinReqSNRdot11an18Mbps, oriWORPIfDDRSMinReqSNRdot11at24Mbps=oriWORPIfDDRSMinReqSNRdot11at24Mbps, oriRADIUSMACAccessControl=oriRADIUSMACAccessControl, oriWORPIfSatStatTableReceiveFailures=oriWORPIfSatStatTableReceiveFailures, oriLinkTestHisMinSignalLevel=oriLinkTestHisMinSignalLevel, oriTrapRADScanComplete=oriTrapRADScanComplete, oriLinkTestOurMediumFrameCount=oriLinkTestOurMediumFrameCount, oriRogueScanResultsTableAgingTime=oriRogueScanResultsTableAgingTime, oriHTTPWebSitenameTableEntry=oriHTTPWebSitenameTableEntry, oriSystemAccessMaxSessions=oriSystemAccessMaxSessions, oriWirelessIfTPCMode=oriWirelessIfTPCMode, oriPPPoESessionWANConnectMode=oriPPPoESessionWANConnectMode, oriNATStaticPortBindStartPortNumber=oriNATStaticPortBindStartPortNumber, orinocoWORPIfSatConfig=orinocoWORPIfSatConfig, oriIntraCellBlockingMACTableGroupID6=oriIntraCellBlockingMACTableGroupID6, oriWORPIfDDRSMinReqSNRdot11at36Mbps=oriWORPIfDDRSMinReqSNRdot11at36Mbps, oriTFTPServerIPAddress=oriTFTPServerIPAddress, oriHTTPHelpInformationLink=oriHTTPHelpInformationLink, oriIntraCellBlockingMACTableGroupID8=oriIntraCellBlockingMACTableGroupID8, oriConfigSaveFile=oriConfigSaveFile, oriWORPIfRoamingSlowScanPercentThreshold=oriWORPIfRoamingSlowScanPercentThreshold, oriRADIUSAcctClientAccountingResponses=oriRADIUSAcctClientAccountingResponses, oriWORPIfSatStatTableAverageRemoteSignal=oriWORPIfSatStatTableAverageRemoteSignal, oriPPPoEStatus=oriPPPoEStatus, oriHTTPInterfaceBitmask=oriHTTPInterfaceBitmask, oriBroadcastFilteringDirection=oriBroadcastFilteringDirection, oriWDSSetupTablePortIndex=oriWDSSetupTablePortIndex, orinocoRogueScan=orinocoRogueScan, oriSystemFeatureTableDescription=oriSystemFeatureTableDescription, oriFlashMemoryTrapsStatus=oriFlashMemoryTrapsStatus, oriLinkTestHisMinSNR=oriLinkTestHisMinSNR, oriWORPIfSatStatTablePollNoReplies=oriWORPIfSatStatTablePollNoReplies, oriLinkIntPollRetransmissions=oriLinkIntPollRetransmissions, oriTrapFlashMemoryEmpty=oriTrapFlashMemoryEmpty, oriSystemContactEmail=oriSystemContactEmail, PYSNMP_MODULE_ID=orinoco, orinocoSpectraLink=orinocoSpectraLink, oriWirelessIfEncryptionStatus=oriWirelessIfEncryptionStatus, oriWORPIfDDRSMinReqSNRdot11an9Mbps=oriWORPIfDDRSMinReqSNRdot11an9Mbps, oriIAPPHandoverResponseReceived=oriIAPPHandoverResponseReceived, oriQoSPolicyMarkingStatus=oriQoSPolicyMarkingStatus, oriBroadcastAddressThreshold=oriBroadcastAddressThreshold, orinocoVLAN=orinocoVLAN, oriTempLogTableEntry=oriTempLogTableEntry, oriStationStatTableInDiscards=oriStationStatTableInDiscards, orinocoWORPIfBSUStatLocalTxRate=orinocoWORPIfBSUStatLocalTxRate, orinocoEthernetIf=orinocoEthernetIf, oriSystemEventLogTable=oriSystemEventLogTable, oriWORPIfSatConfigStatus=oriWORPIfSatConfigStatus, oriIAPPMACIPTable=oriIAPPMACIPTable, oriWORPIfSiteSurveyLocalSignalLevel=oriWORPIfSiteSurveyLocalSignalLevel, oriLinkTestHisMinNoiseLevel=oriLinkTestHisMinNoiseLevel, oriPPPoESessionTableEntry=oriPPPoESessionTableEntry, oriUPSDGPRInterval=oriUPSDGPRInterval, orinocoTFTP=orinocoTFTP, oriSyslogHostComment=oriSyslogHostComment, oriWirelessIfSupportedMulticastRates=oriWirelessIfSupportedMulticastRates, oriSpectraLinkStatus=oriSpectraLinkStatus, orinocoRADIUSSvrProfiles=orinocoRADIUSSvrProfiles, oriWORPIfDDRSMinReqSNRdot11at96Mbps=oriWORPIfDDRSMinReqSNRdot11at96Mbps, oriTempLogTable=oriTempLogTable, oriRADIUSSvrTableMaximumRetransmission=oriRADIUSSvrTableMaximumRetransmission, oriTrapVarUnAuthorizedManagerCount=oriTrapVarUnAuthorizedManagerCount, oriSecurityProfileTableEncryptionKey3=oriSecurityProfileTableEncryptionKey3, orinocoRADIUSAcct=orinocoRADIUSAcct, oriWirelessIfBandwidthLimitIn=oriWirelessIfBandwidthLimitIn, oriSystemInvMgmtComponentTable=oriSystemInvMgmtComponentTable, oriSyslogHeartbeatStatus=oriSyslogHeartbeatStatus, oriEthernetIfConfigBandwidthLimitIn=oriEthernetIfConfigBandwidthLimitIn, oriWORPIfConfigTableBaseStationName=oriWORPIfConfigTableBaseStationName, oriNetworkIPConfigTableEntry=oriNetworkIPConfigTableEntry, oriSNMPReadWritePassword=oriSNMPReadWritePassword, oriWORPIfConfigTable=oriWORPIfConfigTable, oriWORPIfSatConfigTableComment=oriWORPIfSatConfigTableComment, oriWORPIfSatStatTableReceiveSuccess=oriWORPIfSatStatTableReceiveSuccess, orinocoDNSClient=orinocoDNSClient, oriWORPIfStatTableSendSuccess=oriWORPIfStatTableSendSuccess, oriPPPoEMACtoSessionTableStatus=oriPPPoEMACtoSessionTableStatus, oriWirelessIfSupportedOperationalModes=oriWirelessIfSupportedOperationalModes, oriNetworkIPConfigTable=oriNetworkIPConfigTable, oriStationStatStatus=oriStationStatStatus, oriPPPoESessionConnectTimeLimitation=oriPPPoESessionConnectTimeLimitation, oriWirelessIfEncryptionKey2=oriWirelessIfEncryptionKey2, oriRADIUSAuthServerNameOrIPAddress=oriRADIUSAuthServerNameOrIPAddress, oriPortFilterTableEntryPortType=oriPortFilterTableEntryPortType, oriRADIUSSvrTableNameOrIPAddress=oriRADIUSSvrTableNameOrIPAddress, oriIntraCellBlockingMACTableGroupID14=oriIntraCellBlockingMACTableGroupID14, oriIntraCellBlockingGroupTableName=oriIntraCellBlockingGroupTableName, oriStationStatTableOutUcastPkts=oriStationStatTableOutUcastPkts, oriLinkTestStationProfile=oriLinkTestStationProfile, oriWORPIfSatStatTableEntry=oriWORPIfSatStatTableEntry, oriTrapDNSClientLookupFailure=oriTrapDNSClientLookupFailure, oriWirelessIfDistancebetweenAPs=oriWirelessIfDistancebetweenAPs, oriSystemInvMgmtTableComponentReleaseVersion=oriSystemInvMgmtTableComponentReleaseVersion, oriPortFilterTableEntryComment=oriPortFilterTableEntryComment, oriSystemFeatureTableLicensed=oriSystemFeatureTableLicensed, oriRADIUSAuthClientAccessChallenges=oriRADIUSAuthClientAccessChallenges, ObjStatus=ObjStatus, oriTempLogMessage=oriTempLogMessage, oriWirelessIfSSIDTableEncryptionTxKey=oriWirelessIfSSIDTableEncryptionTxKey, oriRogueScanResultsTrapReportType=oriRogueScanResultsTrapReportType, oriRADIUSAuthClientAccessRequests=oriRADIUSAuthClientAccessRequests, oriWirelessIfEncryptionKey1=oriWirelessIfEncryptionKey1, oriTrapWLCVoltageDiscrepancy=oriTrapWLCVoltageDiscrepancy, oriSystemInvMgmtTableComponentMinorVersion=oriSystemInvMgmtTableComponentMinorVersion, orinocoProducts=orinocoProducts, oriSpectraLinkLegacyDeviceSupport=oriSpectraLinkLegacyDeviceSupport, oriQoSPolicyName=oriQoSPolicyName, oriPortFilterTableEntryStatus=oriPortFilterTableEntryStatus, oriSerialParity=oriSerialParity, oriLinkTestHisMaxNoiseLevel=oriLinkTestHisMaxNoiseLevel, oriWirelessIfSSIDTableEncryptionKeyLength=oriWirelessIfSSIDTableEncryptionKeyLength, oriTrapVarBatchCLIFilename=oriTrapVarBatchCLIFilename, oriOEMHomeUrl=oriOEMHomeUrl, orinocoIf=orinocoIf, oriRADIUSAcctServerSharedSecret=oriRADIUSAcctServerSharedSecret, oriSystemInvMgmtTableComponentIndex=oriSystemInvMgmtTableComponentIndex, orinocoWORPIfBSUStatAverageRemoteNoise=orinocoWORPIfBSUStatAverageRemoteNoise, oriTrapTFTPFailedOperation=oriTrapTFTPFailedOperation, oriDHCPClientID=oriDHCPClientID, oriWirelessIfMACAddress=oriWirelessIfMACAddress, oriWORPIfStatTableRegistrationIncompletes=oriWORPIfStatTableRegistrationIncompletes, oriIAPPHandoverRequestReceived=oriIAPPHandoverRequestReceived, oriTrapRADIUSAuthenticationNotConfigured=oriTrapRADIUSAuthenticationNotConfigured, oriWORPIfStatTableReceiveSuccess=oriWORPIfStatTableReceiveSuccess, oriRogueScanConfigTableEntry=oriRogueScanConfigTableEntry, oriTrapInvalidEncryptionKey=oriTrapInvalidEncryptionKey, orinocoPortFilter=orinocoPortFilter, oriWirelessIfAllowedChannels=oriWirelessIfAllowedChannels, oriIntraCellBlockingMACTableEntryStatus=oriIntraCellBlockingMACTableEntryStatus, oriSyslogHostTableEntry=oriSyslogHostTableEntry, oriSecurityConfigTable=oriSecurityConfigTable, orinocoAdvancedFiltering=orinocoAdvancedFiltering, oriLinkTestRadioType=oriLinkTestRadioType) mibBuilder.exportSymbols("ORiNOCO-MIB", oriSystemEventLogMessage=oriSystemEventLogMessage, oriRADIUSAuthServerResponseTime=oriRADIUSAuthServerResponseTime, orinocoWORPIfBSUStatAverageRemoteSignal=orinocoWORPIfBSUStatAverageRemoteSignal, oriPPPoESessionWANConnectionStatus=oriPPPoESessionWANConnectionStatus, orinoco=orinoco, oriWORPIfSatStatTableSendSuccess=oriWORPIfSatStatTableSendSuccess, oriMiscTraps=oriMiscTraps, oriWirelessIfSSIDTableBroadcastSSID=oriWirelessIfSSIDTableBroadcastSSID, oriSystemFeatureTableEntry=oriSystemFeatureTableEntry, oriIntraCellBlockingMACTableGroupID4=oriIntraCellBlockingMACTableGroupID4, orinocoStaticMACAddressFilter=orinocoStaticMACAddressFilter, oriTelnetPassword=oriTelnetPassword, oriStationStatTableName=oriStationStatTableName, oriIAPPAnnounceResponseSent=oriIAPPAnnounceResponseSent, oriIntraCellBlockingMACTable=oriIntraCellBlockingMACTable, oriSystemInvMgmtTableComponentVariant=oriSystemInvMgmtTableComponentVariant, oriRADIUSClientInvalidSvrAddress=oriRADIUSClientInvalidSvrAddress, oriWirelessIfSSIDTableSSIDAuthorizationStatus=oriWirelessIfSSIDTableSSIDAuthorizationStatus, oriDHCPServerIPPoolTableDefaultLeaseTime=oriDHCPServerIPPoolTableDefaultLeaseTime, oriWirelessIfSSIDTableEncryptionKey2=oriWirelessIfSSIDTableEncryptionKey2, oriIAPPMACIPTableSystemName=oriIAPPMACIPTableSystemName, oriWirelessIfSSIDTableRekeyingInterval=oriWirelessIfSSIDTableRekeyingInterval, oriStationStatTableLastChange=oriStationStatTableLastChange, oriLinkTestHisLowFrameCount=oriLinkTestHisLowFrameCount, oriOEMName=oriOEMName, oriWORPIfRoamingFastScanThreshold=oriWORPIfRoamingFastScanThreshold, oriVLANIDTableIndex=oriVLANIDTableIndex, oriRADIUSAcctClientStatTablePrimaryOrSecondaryIndex=oriRADIUSAcctClientStatTablePrimaryOrSecondaryIndex, oriSecurityProfileTableIndex=oriSecurityProfileTableIndex, oriConfigFileTable=oriConfigFileTable, oriSecurityProfileTableEntry=oriSecurityProfileTableEntry, oriTrapBatchExecFailure=oriTrapBatchExecFailure, oriQoSPolicyTableIndex=oriQoSPolicyTableIndex, oriWORPIfConfigTableMaxSatellites=oriWORPIfConfigTableMaxSatellites, oriWirelessIfWSSStatus=oriWirelessIfWSSStatus, oriWORPIfStatTableRegistrationLastReason=oriWORPIfStatTableRegistrationLastReason, oriWORPIfSiteSurveyRemoteSNR=oriWORPIfSiteSurveyRemoteSNR, oriSNMPTrapHostTable=oriSNMPTrapHostTable, oriWORPIfDDRSMinReqSNRdot11an54Mbps=oriWORPIfDDRSMinReqSNRdot11an54Mbps, oriTFTPAutoConfigStatus=oriTFTPAutoConfigStatus, oriNetworkIPConfigIPAddress=oriNetworkIPConfigIPAddress, oriWORPIfSatConfigTableIndex=oriWORPIfSatConfigTableIndex, oriRADIUSAcctClientStatTableAccountingRetransmissions=oriRADIUSAcctClientStatTableAccountingRetransmissions, oriSystemInvMgmtTableComponentIfTable=oriSystemInvMgmtTableComponentIfTable, oriAccessControlTableComment=oriAccessControlTableComment, oriTrapUnauthorizedManagerDetected=oriTrapUnauthorizedManagerDetected, oriRADIUSAcctClientStatTableAccountingRequests=oriRADIUSAcctClientStatTableAccountingRequests, oriTrapDHCPLeaseRenewal=oriTrapDHCPLeaseRenewal, oriRADIUSAcctServerTableEntry=oriRADIUSAcctServerTableEntry, oriSystemHwType=oriSystemHwType, orinocoTelnet=orinocoTelnet, oriStaticMACAddressFilterEntry=oriStaticMACAddressFilterEntry, oriSecurityRekeyingInterval=oriSecurityRekeyingInterval, oriDHCPServerIPPoolTableStartIPAddress=oriDHCPServerIPPoolTableStartIPAddress, oriStationStatTableIndex=oriStationStatTableIndex, oriSNTPMonth=oriSNTPMonth, oriLinkTestDataRateTableLocalCount=oriLinkTestDataRateTableLocalCount, oriConfigurationTraps=oriConfigurationTraps, oriWirelessIfSSIDTableEncryptionKey0=oriWirelessIfSSIDTableEncryptionKey0, oriQoSPolicyTableEntry=oriQoSPolicyTableEntry, oriTrapVarDefaultRouterIPAddress=oriTrapVarDefaultRouterIPAddress, oriTrapUnrecoverableSoftwareErrorDetected=oriTrapUnrecoverableSoftwareErrorDetected, oriSNTPMinutes=oriSNTPMinutes, orinocoPPPoE=orinocoPPPoE, oriDHCPServerIPPoolTableComment=oriDHCPServerIPPoolTableComment, oriRADIUSAuthorizationLifeTime=oriRADIUSAuthorizationLifeTime, oriTrapWLCFailure=oriTrapWLCFailure, oriSystemEmergencyResetToDefault=oriSystemEmergencyResetToDefault, oriDNSClientDefaultDomainName=oriDNSClientDefaultDomainName, oriSNMPSecureManagementStatus=oriSNMPSecureManagementStatus, oriPPPoESessionWANManualConnect=oriPPPoESessionWANManualConnect, orinocoDHCP=orinocoDHCP, oriSystemInvMgmtInterfaceId=oriSystemInvMgmtInterfaceId, oriSystemFeatureTable=oriSystemFeatureTable, oriWirelessIfTxRate=oriWirelessIfTxRate, oriRADIUSAuthServerType=oriRADIUSAuthServerType, oriTrapVarFailedAuthenticationType=oriTrapVarFailedAuthenticationType, oriNATStaticPortBindTableEntry=oriNATStaticPortBindTableEntry, oriWirelessIfSSIDTable=oriWirelessIfSSIDTable, oriTrapWLCRemoval=oriTrapWLCRemoval, orinocoWORPIfDDRS=orinocoWORPIfDDRS, oriSNMPTrapHostTableIndex=oriSNMPTrapHostTableIndex, orinocoUPSD=orinocoUPSD, oriRADIUSAcctServerType=oriRADIUSAcctServerType, oriSerialDataBits=oriSerialDataBits, oriSecurityHwConfigResetPassword=oriSecurityHwConfigResetPassword, oriNATStaticIPBindTableEntry=oriNATStaticIPBindTableEntry, oriLinkTestInProgress=oriLinkTestInProgress, oriWORPIfDDRSMaxDataRate=oriWORPIfDDRSMaxDataRate, oriDHCPRelayDHCPServerTableComment=oriDHCPRelayDHCPServerTableComment, oriStationStatTableInSignal=oriStationStatTableInSignal, orinocoSecurity=orinocoSecurity, oriWDSSetupTableEntry=oriWDSSetupTableEntry, oriWORPIfSatStatTableMacAddress=oriWORPIfSatStatTableMacAddress, oriDNSRedirectMaxResponseWaitTime=oriDNSRedirectMaxResponseWaitTime, oriWORPTrapsStatus=oriWORPTrapsStatus, oriStationStatTableLastInPktTime=oriStationStatTableLastInPktTime, oriDHCPServerNumIPPoolTableEntries=oriDHCPServerNumIPPoolTableEntries, oriWORPStationDeRegister=oriWORPStationDeRegister, oriSNMPTrapHostTablePassword=oriSNMPTrapHostTablePassword, oriLinkTestStationName=oriLinkTestStationName, oriSNMPReadPassword=oriSNMPReadPassword, oriSNTPHour=oriSNTPHour, oriSecurityConfigTableSupportedSecurityModes=oriSecurityConfigTableSupportedSecurityModes, oriIAPPRoamingClients=oriIAPPRoamingClients, oriHTTPSSLStatus=oriHTTPSSLStatus, oriSecurityProfileTableStatus=oriSecurityProfileTableStatus, oriRogueScanResultsTableIndex=oriRogueScanResultsTableIndex, oriEthernetIfConfigTable=oriEthernetIfConfigTable, orinocoCompliances=orinocoCompliances, orinocoLinkInt=orinocoLinkInt, oriADSLIfTrapsStatus=oriADSLIfTrapsStatus, oriProtocolFilterProtocol=oriProtocolFilterProtocol, ap1000=ap1000, oriNATStaticPortBindEndPortNumber=oriNATStaticPortBindEndPortNumber, oriRADIUSAcctUpdateInterval=oriRADIUSAcctUpdateInterval, orinocoPacketForwarding=orinocoPacketForwarding, oriTFTPFileType=oriTFTPFileType, orinocoSysInvMgmt=orinocoSysInvMgmt, oriWORPIfStatTableRemotePartners=oriWORPIfStatTableRemotePartners, oriRADIUSAcctServerTableIndex=oriRADIUSAcctServerTableIndex, oriLinkTestDataRateTableRemoteCount=oriLinkTestDataRateTableRemoteCount, oriRogueScanResultsTableEntry=oriRogueScanResultsTableEntry, oriIAPPStatus=oriIAPPStatus, oriWDSSecurityTableEntry=oriWDSSecurityTableEntry, oriTrapVarBatchCLILineNumber=oriTrapVarBatchCLILineNumber, oriWORPIfSatStatTableAverageLocalNoise=oriWORPIfSatStatTableAverageLocalNoise, oriEthernetIfConfigSettings=oriEthernetIfConfigSettings, orinocoSys=orinocoSys, oriDHCPServerIPPoolTableEntryStatus=oriDHCPServerIPPoolTableEntryStatus, oriSecurityProfileTableEncryptionKey0=oriSecurityProfileTableEncryptionKey0, oriNATStaticPortBindTableEntryStatus=oriNATStaticPortBindTableEntryStatus, oriDNSClientPrimaryServerIPAddress=oriDNSClientPrimaryServerIPAddress, oriSecurityProfileTableSecModeIndex=oriSecurityProfileTableSecModeIndex, oriTrapDeviceRebooting=oriTrapDeviceRebooting, oriTrapWORPIfNetworkSecretNotConfigured=oriTrapWORPIfNetworkSecretNotConfigured, oriRADIUSAuthClientStatTableAccessRequests=oriRADIUSAuthClientStatTableAccessRequests, orinocoIntraCellBlocking=orinocoIntraCellBlocking, as1000=as1000, oriWORPIfDDRSDataRateIncReqSNRThreshold=oriWORPIfDDRSDataRateIncReqSNRThreshold, oriWirelessIfSupportedAuthenticationModes=oriWirelessIfSupportedAuthenticationModes, oriWORPIfSiteSurveyBaseName=oriWORPIfSiteSurveyBaseName, oriNATStaticIPBindTableEntryStatus=oriNATStaticIPBindTableEntryStatus, oriWORPStationRegister=oriWORPStationRegister, oriNATStaticIPBindTableIndex=oriNATStaticIPBindTableIndex, oriWORPIfSiteSurveyNumSatRegistered=oriWORPIfSiteSurveyNumSatRegistered, oriTrapVarUnauthorizedClientMACAddress=oriTrapVarUnauthorizedClientMACAddress, oriQoSDot1DToIPDSCPMappingTableRowStatus=oriQoSDot1DToIPDSCPMappingTableRowStatus, oriWORPIfStatTableRegistrationTimeouts=oriWORPIfStatTableRegistrationTimeouts, oriWORPIfSatConfigTableMacAddress=oriWORPIfSatConfigTableMacAddress, oriWORPIfStatTableBaseStationAnnounces=oriWORPIfStatTableBaseStationAnnounces, orinocoTrap=orinocoTrap, oriIAPPHandoverRequestSent=oriIAPPHandoverRequestSent, oriSystemAccessUserName=oriSystemAccessUserName, oriWirelessIfMediumDensityDistribution=oriWirelessIfMediumDensityDistribution, oriHTTPWebSiteLanguage=oriHTTPWebSiteLanguage, oriSNMPTrapHostTableEntryStatus=oriSNMPTrapHostTableEntryStatus, oriTrapSSLInitializationFailure=oriTrapSSLInitializationFailure, oriOperationalTraps=oriOperationalTraps, orinocoQoS=orinocoQoS, oriIAPPHandoverResponseSent=oriIAPPHandoverResponseSent, oriTempLoggingInterval=oriTempLoggingInterval, oriWirelessIfClosedSystem=oriWirelessIfClosedSystem, oriLinkTestOurCurSNR=oriLinkTestOurCurSNR, oriTrapsImageStatus=oriTrapsImageStatus, oriIntraCellBlockingMACTableGroupID3=oriIntraCellBlockingMACTableGroupID3, orinocoSNMP=orinocoSNMP, oriNATStaticIPBindLocalAddress=oriNATStaticIPBindLocalAddress, oriSystemInvMgmtInterfaceRole=oriSystemInvMgmtInterfaceRole, oriLinkTestOurCurNoiseLevel=oriLinkTestOurCurNoiseLevel, oriRADIUSAuthClientStatTableAccessRetransmissions=oriRADIUSAuthClientStatTableAccessRetransmissions, oriRADIUSSvrTableSharedSecret=oriRADIUSSvrTableSharedSecret, oriLinkTestHisHighFrameCount=oriLinkTestHisHighFrameCount, oriRADIUSSvrTableAccountingUpdateInterval=oriRADIUSSvrTableAccountingUpdateInterval, oriSecurityEncryptionKeyLength=oriSecurityEncryptionKeyLength, oriRADIUSAcctServerAddressingFormat=oriRADIUSAcctServerAddressingFormat, oriLinkTestDataRateTableIndex=oriLinkTestDataRateTableIndex, oriSyslogHostTableEntryStatus=oriSyslogHostTableEntryStatus, oriPPPoESessionTableIndex=oriPPPoESessionTableIndex, ap2000=ap2000, oriIAPPMACIPTableIndex=oriIAPPMACIPTableIndex, oriWirelessIfMediumReservation=oriWirelessIfMediumReservation, oriDHCPRelayDHCPServerTableEntry=oriDHCPRelayDHCPServerTableEntry, oriIAPPMACIPTableIPAddress=oriIAPPMACIPTableIPAddress, oriRADIUSAuthClientMalformedAccessResponses=oriRADIUSAuthClientMalformedAccessResponses, oriTelnetSSHFingerPrint=oriTelnetSSHFingerPrint, oriPPPoESessionServiceName=oriPPPoESessionServiceName, oriSystemEventLogTableEntry=oriSystemEventLogTableEntry, oriConfigFileTableIndex=oriConfigFileTableIndex, oriSNTPDateAndTime=oriSNTPDateAndTime, oriSyslogPort=oriSyslogPort, oriRADIUSAcctClientAcctInvalidAuthenticators=oriRADIUSAcctClientAcctInvalidAuthenticators, oriWORPIfStatTablePollData=oriWORPIfStatTablePollData, orinocoWORPIfBSUStatMACAddress=orinocoWORPIfBSUStatMACAddress, orinocoSysFeature=orinocoSysFeature, oriPacketForwardingInterface=oriPacketForwardingInterface, oriIntraCellBlockingMACTableGroupID16=oriIntraCellBlockingMACTableGroupID16, oriQoSDot1DToIPDSCPMappingTableEntry=oriQoSDot1DToIPDSCPMappingTableEntry, oriTrapRADIUSServerNotResponding=oriTrapRADIUSServerNotResponding, orinocoWORPIfBSUStatAverageLocalSignal=orinocoWORPIfBSUStatAverageLocalSignal, oriDHCPRelayDHCPServerTable=oriDHCPRelayDHCPServerTable, oriSecurityConfigTableEntry=oriSecurityConfigTableEntry, oriConfigResetToDefaults=oriConfigResetToDefaults, oriTrapWLCFirmwareFailure=oriTrapWLCFirmwareFailure, oriRADIUSAuthServerTableIndex=oriRADIUSAuthServerTableIndex, oriRADIUSAuthClientAccessAccepts=oriRADIUSAuthClientAccessAccepts, oriRADIUSAuthServerTableEntry=oriRADIUSAuthServerTableEntry, oriDHCPServerIPPoolTable=oriDHCPServerIPPoolTable, oriSNMPV3AuthPassword=oriSNMPV3AuthPassword, oriRADIUSbasedManagementAccessProfile=oriRADIUSbasedManagementAccessProfile, oriBroadcastFilteringProtocolName=oriBroadcastFilteringProtocolName, oriRADIUSAcctServerTableEntryStatus=oriRADIUSAcctServerTableEntryStatus, oriVLANMgmtIdentifier=oriVLANMgmtIdentifier, oriLinkTestHisStandardFrameCount=oriLinkTestHisStandardFrameCount, oriWORPIfStatTableAverageRemoteNoise=oriWORPIfStatTableAverageRemoteNoise, oriUPSDE911Reserved=oriUPSDE911Reserved, oriNATStaticPortBindPortType=oriNATStaticPortBindPortType, oriQoSDot1pPriority=oriQoSDot1pPriority, oriSecurityConfigTableEncryptionKeyLength=oriSecurityConfigTableEncryptionKeyLength, oriTrapBatchFileExecStart=oriTrapBatchFileExecStart, oriUPSDMaxActiveSU=oriUPSDMaxActiveSU, oriStationStatTableRemoteNoise=oriStationStatTableRemoteNoise, oriSystemInvMgmtTableComponentIfTableEntry=oriSystemInvMgmtTableComponentIfTableEntry, oriTrapTFTPOperationInitiated=oriTrapTFTPOperationInitiated, oriQoSIPDSCPUpperLimit=oriQoSIPDSCPUpperLimit, oriEthernetIfConfigTableIndex=oriEthernetIfConfigTableIndex, oriStaticMACAddressFilterTableIndex=oriStaticMACAddressFilterTableIndex, oriQoSDot1DToDot1pMappingTable=oriQoSDot1DToDot1pMappingTable, oriWirelessIfSSIDTableSecurityProfile=oriWirelessIfSSIDTableSecurityProfile, oriHTTPWebSiteDescription=oriHTTPWebSiteDescription, orinocoConformance=orinocoConformance, oriTFTPFileName=oriTFTPFileName, oriProtocolFilterTableEntry=oriProtocolFilterTableEntry, oriWirelessIfChannel=oriWirelessIfChannel, oriIAPPAnnounceResponseTime=oriIAPPAnnounceResponseTime, oriSecurityProfileTableEncryptionTxKey=oriSecurityProfileTableEncryptionTxKey, oriTrapFeatureNotSupported=oriTrapFeatureNotSupported, oriWDSSetupTableEntryStatus=oriWDSSetupTableEntryStatus, oriSystemEventLogMask=oriSystemEventLogMask, oriSNMPAccessTableIPMask=oriSNMPAccessTableIPMask, oriQoSPolicyType=oriQoSPolicyType, ap700=ap700, oriWORPIfDDRSMinReqSNRdot11an36Mbps=oriWORPIfDDRSMinReqSNRdot11an36Mbps, ap4000=ap4000, oriWirelessIfPropertiesTable=oriWirelessIfPropertiesTable, oriStaticMACAddressFilterWiredMask=oriStaticMACAddressFilterWiredMask, oriPPPoESessionBindingsNumberPADITx=oriPPPoESessionBindingsNumberPADITx, oriDNSSecondaryDNSIPAddress=oriDNSSecondaryDNSIPAddress, oriPPPoESessionUserName=oriPPPoESessionUserName, oriSerialFlowControl=oriSerialFlowControl, oriIntraCellBlockingGroupTable=oriIntraCellBlockingGroupTable, orinocoSpanningTree=orinocoSpanningTree, oriWirelessIfSSIDTableRADIUSMACAuthProfile=oriWirelessIfSSIDTableRADIUSMACAuthProfile, orinocoWORPIfBSUStatAverageLocalNoise=orinocoWORPIfBSUStatAverageLocalNoise) mibBuilder.exportSymbols("ORiNOCO-MIB", oriRogueScanResultsBSSID=oriRogueScanResultsBSSID, oriStormThresholdIfBroadcast=oriStormThresholdIfBroadcast, oriWORPIfDDRSDefDataRate=oriWORPIfDDRSDefDataRate, oriSNTPStatus=oriSNTPStatus, orinocoRADIUSAuth=orinocoRADIUSAuth, oriStormThresholdTableEntry=oriStormThresholdTableEntry, oriLinkTestOurMinNoiseLevel=oriLinkTestOurMinNoiseLevel, oriStationStatNumberOfClients=oriStationStatNumberOfClients, oriDNSRedirectStatus=oriDNSRedirectStatus, oriWORPIfStatTableReplyMoreData=oriWORPIfStatTableReplyMoreData, oriPortFilterTableEntryInterfaceBitmask=oriPortFilterTableEntryInterfaceBitmask, oriTrapSSHInitializationStatus=oriTrapSSHInitializationStatus, oriTrapIncompatibleLicenseFile=oriTrapIncompatibleLicenseFile, oriSNTPDayLightSavingTime=oriSNTPDayLightSavingTime, orinocoSerial=orinocoSerial, oriWORPIfSiteSurveyBaseMACAddress=oriWORPIfSiteSurveyBaseMACAddress, oriIntraCellBlockingStatus=oriIntraCellBlockingStatus, oriWDSSetupTablePartnerMACAddress=oriWDSSetupTablePartnerMACAddress, oriSystemAccessIdleTimeout=oriSystemAccessIdleTimeout, oriRADIUSSvrTableDestPort=oriRADIUSSvrTableDestPort, oriVLANIDTableIdentifier=oriVLANIDTableIdentifier, oriSNMPV3PrivPassword=oriSNMPV3PrivPassword, oriLinkTestDataRateTableEntry=oriLinkTestDataRateTableEntry, oriTFTPOperationStatus=oriTFTPOperationStatus)
n = int(input()) segundos = n%60 minutos = (n / 60) % 60 horas = n / (60 * 60) print("%i:%i:%i" % (horas, minutos, segundos))
# s <= ns # 1. e <= ns: change # 2. ns < e < ne: change # => e < ne: change # else: cnt += 1, don't change class Solution: def removeCoveredIntervals(self, intervals: List[List[int]]) -> int: intervals.sort() s = e = -1 cnt = 0 for ns, ne in intervals: if e < ne: if s == ns: cnt += 1 s, e = ns, ne else: cnt += 1 return len(intervals) - cnt
# List grades=[12,60,15,70,90] grades[0]=55 #update grades[0] print (grades[0]) print (grades[1:4]) grades = grades + [12,33] print (grades) length = len(grades) print(length) # Nested List data = [[3,4,5],[6,7,8]] print(data[0][1]) print(data[0][0:2]) data[0][0:2] = [5,5,5] print(data) # Tuple print ("///////////////////////// Tuple ////////////////////////////") data = (3,4,5) print(data[0:2]) #data[0] = 5 # Error: tuple value cannot be replaced
# Copyright 2017 Mirantis, Inc. # # 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. def get_switch_device(switches, switch_info=None, ngs_mac_address=None): """Return switch device by specified identifier. Returns switch device from switches array that matched with any of passed identifiers. ngs_mac_address takes precedence over switch_info, if didn't match any address based on mac fallback to switch_info. :param switch_info: hostname of the switch or any other switch identifier. :param ngs_mac_address: Normalized mac address of the switch. :returns: switch device matches by specified identifier or None. """ if ngs_mac_address: for sw_info, switch in switches.items(): mac_address = switch.ngs_config.get('ngs_mac_address') if mac_address and mac_address.lower() == ngs_mac_address.lower(): return switch if switch_info: return switches.get(switch_info) def sanitise_config(config): """Return a sanitised configuration of a switch device. :param config: a configuration dict to sanitise. :returns: a copy of the configuration, with sensitive fields removed. """ sanitised_fields = {"password"} return { key: "******" if key in sanitised_fields else value for key, value in config.items() }
# Variables x = 15 price = 9.99 discount = 0.2 result = price * (1 - discount) print(result)
# Security misconfiguration is the most commonly seen issue. This is commonly a result of insecure # default configurations, incomplete or ad hoc configurations, open cloud storage, misconfigured # HTTP headers, and verbose error messages containing sensitive information. Not only must all # operating systems, frameworks, libraries, and applications be securely configured, but they # must be patched/upgraded in a timely fashion. # (Source)[https://owasp.org/www-project-top-ten/2017/A6_2017-Security_Misconfiguration] class Security_Misconfiguration(): def __init__(self, scopeURL, outOfScopeURL): self.scopeURL = scopeURL self.outOfScopeURL = outOfScopeURL
""" net: a set of processes; compartment: a compartment consists of input: space: []; """ """ from sth import register, register into which net; # function.py (external) def process_a(data, parameter): # data must be a regular objects. pass # assembling net from function import process_a net = Net() net.set_net_param().import(process_a, data=virtualiser, param=1) net.import(process_a, data=virtualiser, param=1) # alternatively: make sure if can be refactored; (when constructing a project); @space.import(data=virtualiser, param=1) def process_a(data): pass when it is called normally, it does not replace anything """ def decorator(func): def wrapper(): print("Something is happening before the function is called.") func() print("Something is happening after the function is called.") return wrapper @decorator def my_func(): return 'hello'
class Solution: def nextGreatestLetter(self, letters, target): left, right = 0, len(letters) - 1 while left < right: mid = left + (right - left) // 2 if letters[mid] > target: right = mid else: left = mid + 1 if letters[left] > target: return letters[left] else: return letters[0] S = Solution() letters = ['a', 'd', 's', 'v'] target = 't' print(S.nextGreatestLetter(letters, target))
# exercício em inglês implementado para atividade no SoloLearn weight = float(input()) height = float(input()) bmi = weight / (height ** 2) if(bmi < 18.5): print('Underweight') elif(bmi < 25): print('Normal') elif(bmi < 30): print('Overweight') else: print('Obesity')
notunuz =int(input("Lütfen yıl sonu not ortalamanızı giriniz:")) if (notunuz >=90): print("AA ile geçtiniz") elif(notunuz >=85): print("BA ile geçtiniz") elif(notunuz >=80): print("BB ile geçtiniz") elif(notunuz >=75): print("CB ile geçtiniz") elif(notunuz >=65): print("DC ile geçtiniz") elif(notunuz >=55): print("CC ile geçtiniz") else: print("FF ile kaldınız")
class Document: def __init__(self,SentenceList,id=-1): self.id=id self.value=SentenceList self.attr={} def __str__(self): s ="Document id: {0}, value: {1}, attributes: {2}".format(self.id,self.value,self.attr) return s
''' At this point, you've got all the basics necessary to start employing modules. We still have to teach classes, among a few other necessary basics, but now would be a good time to talk about modules. IF you are using linux, installing python modules is incredibly stupid easy. For programming, linux is just lovely when it comes to installing packages for just about whatever. I believe mac allows similar treatment, though I've not done it myself. When I was first starting out with python, installing modules was one of the most difficult things, for a few reasons. mainly, with windows, there are quite a few methods for installation of modules. you've got pip install setuptools, download and click'n'drag, or setup.py At the time of starting python, a large part of my troubles was that I didn't actually understand the process of getting a module, and this is obviously very frustrating. Python is going to look in a few places for modules. That's going to be site-packages and the script's directory for the most part. There are some other places you can use, but let's leave them out of it. Knowing this allows you yourself to make your own modules, in the form of just a script if you want, putting that in the same directory as your main script, and then using import to bring it on board, you can also place multiple scripts in a dir and use that. Once you begin to familiarize yourself with this, and understand how and why things work, it will help you a lot. Enough on that though, let's install stuff. So I will show linux installation first, because it takes about 10 seconds to show now for python, the accepted method these days is setup.py So when you download a python module, http://www.pyqtgraph.org/ ... now finally, you can use downloaders, here is a large stash of easy to use python installers for windows: http://www.lfd.uci.edu/~gohlke/pythonlibs/ '''
#!/usr/bin/env python # -*- coding: UTF-8 -*- # pylint:disable=bad-whitespace # pylint:disable=line-too-long # pylint:disable=too-many-lines # pylint:disable=invalid-name # ######################################################### # # ************** !! WARNING !! *************** # ******* THIS FILE WAS AUTO-GENERATED ******* # ********* DO NOT MODIFY THIS FILE ********** # # ######################################################### the_seealso_dict = { '1337X': ['1337'], 'Abbvie Inc.': [ 'Abbvie', 'American Publicly Traded Biopharmaceutical Company'], 'Acceptance Testing': ['Acceptance Test'], 'Accounting': ['Accountant'], 'Active Record Pattern': ['Activerecord'], 'Activity Provenance': ['Claim Of'], 'Aesthetics': ['Design Aesthetics'], 'Agile': ['Agile Software Development'], 'Agricultural': ['Agricultural Industry'], 'Aix': ['Ibm Aix'], 'Algorithm': ['Algorithmic'], 'Almirall': ['Spanish Pharmaceutical Company'], 'Amgen': ['American Multinational Biopharmaceutical Company'], 'Analysis Skill': ['Analysis And Design', 'Analytical Skill'], 'Anthropology': ['Anthropology Course'], 'Apache Software': ['Apache', 'Apache Software Foundation'], 'Argument': ['Disagree'], 'Artificial Intelligence': ['Ai'], 'Artificial Neural Network': ['Neural Nets'], 'Asset Management': ['Decommission'], 'Astellas Pharma': ['Astellas'], 'Astrazeneca': ['British-Swedish Multinational Pharmaceutical'], 'Asv Certification': ['Approved Scanning Vendors'], 'Automotive': ['Automotive Industry'], 'Awareness': ['Cognizant'], 'Aws': ['Amazon Web Services'], 'Back End': ['Backend', 'Data Access Layer'], 'Biological Anthropology': ['Physical Anthropology'], 'Biology': ['Biological Science'], 'Biotechnology': ['Biotech'], 'Bitcoin Mining': ['Cryptomining'], 'Blackberry Enterprise Server': ['Bes'], 'Blackberry Mobile Device': ['Blackberry'], 'Blade Server': ['Blade'], 'Bluemix': ['Ibm Cloud'], 'Bonus Pay': ['Bonus'], 'Botnet': ['Bot Net'], 'Brand Specialist': ['Brand Management'], 'Bristol-Myers Squibb': ['Bristol-Myers Squibb (Bms)'], 'Business Leader': ['Business Lead'], 'Business Requirement': ['Business Logic'], 'Business Skill': ['Strategic Skill'], 'C Language': ['C Plus Plus'], 'C#': ['C Sharp'], 'Career Growth': ['Professional Growth'], 'Ccsk Certification': ['Certificate Of Cloud Security Knowledge'], 'Certified Desktop Administrator': [ 'Microsoft 365 Certified: Modern ' 'Desktop Administrator Associate'], 'Certified Enterprise Administrator': [ 'Microsoft 365 Certified: ' 'Enterprise Administrator ' 'Expert'], 'Certified Messaging Administrator': [ 'Microsoft 365 Certified: ' 'Messaging Administrator ' 'Associate'], 'Certified Microsoft Access': ['Mos: Microsoft Access 2016'], 'Certified Microsoft Excel': ['Mos: Microsoft Excel 2016'], 'Certified Microsoft Office': [ 'Mos: Microsoft Office 2016 Master ' 'Specialist'], 'Certified Microsoft Outlook': ['Mos: Microsoft Outlook 2016'], 'Certified Microsoft Powerpoint': ['Mos: Microsoft Powerpoint 2016'], 'Certified Security Administrator': [ 'Microsoft 365 Certified: Security ' 'Administrator Associate'], 'Certified Teamwork Administrator': [ 'Microsoft 365 Certified: Teamwork ' 'Administrator Associate'], 'Certified Windows Server 2012': ['Windows Server 2012'], 'Certified Windows Server 2016': ['Windows Server 2016'], 'Cheat Engine': ['New Cheat'], 'Cheating In Online Games': [ 'Aimbot', 'Aimbotting', 'Fairfight', 'Triggerbot', 'Wall Hacks', 'Wallhacking'], 'Citi': ['Citibank', 'Citigroup'], 'Citrix Certified Mobility Professional': [ 'Citrix Certified ' 'Professional – Mobility ' '(Ccp-M)'], 'Citrix Certified Networking Associate': [ 'Citrix Certified Associate – ' 'Networking (Cca-N)'], 'Citrix Certified Networking Expert': [ 'Citrix Certified Expert - ' 'Networking (Cce - N)'], 'Citrix Certified Networking Professional': [ 'Citrix Certified ' 'Professional – Networking ' '(Ccp-N)'], 'Citrix Certified Virtualization Associate': [ 'Citrix Certified ' 'Associate – ' 'Virtualization (Cca-V)'], 'Citrix Certified Virtualization Expert': [ 'Citrix Certified Expert – ' 'Virtualization (Cce-V)'], 'Citrix Certified Virtualization Professional': [ 'Citrix Certified ' 'Professional – ' 'Virtualization ' '(Ccp-V)'], 'Citrix Cloud Certification': [ 'Citrix Virtual Apps And Desktops ' 'Service On Citrix Cloud Certified'], 'Citrix Endpoint Management Certified': [ 'Citrix Endpoint Management ' 'Certified (Cc-Cem)'], 'Citrix Microsoft Azure Certified': [ 'Citrix Virtual Apps And Desktops ' 'Service Integration With ' 'Microsoft Azure Certified'], 'Citrix Netscaler Certification': [ 'Citrix Netscaler Sd-Wan Certified ' '(Cc-Sdwan)'], 'Citrix Sharefile Certified': ['Citrix Sharefile Certified (Cc-Sharefile)'], 'Classics': ['Classical Study'], 'Client Skill': [ 'Client Relationship', 'Client Request', 'Client Satisfaction', 'Customer Engagement', 'Customer Team'], 'Cloud Computing Platform': ['Cloud', 'Cloud Computing'], 'Cloud Security Alliance': ['Csa'], 'Cluster Computing': ['Parallel Computing'], 'Coaching Skill': ['Coach', 'Mentor'], 'Cognitive Testing': ['Cognitive Test'], 'Commerce': ['E Commerce'], 'Communication Protocol': ['Technical Communication'], 'Communication Skill': [ 'Communication', 'Evangelize', 'Presentation', 'Speak'], 'Competitive Research': ['Consumer Research', 'Marketing Research'], 'Compliance Testing': ['Compliance Test'], 'Computational Science': ['Scientific Computing'], 'Computer Configuration': ['Configurability'], 'Computer Security': ['Cyberdefense'], 'Computer Vision': ['Image Recognition'], 'Consulting Skill': ['Consulting'], 'Content Management Framework': ['Content Management'], 'Cssa Certification': ['Scada Security Architect Certification'], 'Cultural Studies': ['Cultural Study'], 'Customer': ['Corporate Customer'], 'Customer Behavior': ['Customer Experience'], 'Customer Service': ['Customer Support'], 'Dashboard': ['Business Dashboard'], 'Data Analysis Skill': ['Analytics', 'Data Analysis', 'Data Wrangling'], 'Data Encryption': ['Disk Encryption'], 'Data Privacy': ['Data Security'], 'Data Scientist': ['Data Science'], 'Data Warehouse': ['Warehouse'], 'Database Dimension': ['Data Dimension', 'Dimension', 'Multi Dimension'], 'Db2': ['Ibm Db2'], 'Delivery Model': ['Delivery Time'], 'Delivery Skill': ['Deadline'], 'Delphi': ['Object Pascal'], 'Denial-Of-Service Attack': [ 'Ddos', 'Ddos Attack', 'Ddosed', 'Ddoser', 'Ddosing'], 'Deployment Skill': ['Deployment', 'Devop'], 'Design Pattern': ['Architectural Pattern'], 'Design Skill': ['Analysis And Design'], 'Device Programming Skill': ['Device Programming'], 'Disk Drive': ['Hard Disk'], 'Display Resolution': ['Screen Quality'], 'Distributed Computing': ['Distribute System'], 'Distributed File System': ['Clustered File System'], 'Diversity': ['Inclusive'], 'Docker': ['Container', 'Dockercon'], 'Doctoral Degree': ['Phd'], 'Document Manager': ['Document Management System'], 'Domain Skill': ['Best Practice', 'Subject Matter Expert'], 'Dow Chemical Company': [ 'American Multinational Chemical Corporation', 'German Chemical Company'], 'Downtime': ['Outage'], 'Dynamics 365 For Customer Service': [ 'Dynamics 365 For Customer ' 'Service Functional Consultant ' 'Associate'], 'Dynamics 365 For Finance And Operations': [ 'Financials Functional ' 'Consultant Associate'], 'Dynamics 365 For Marketing': [ 'Dynamics 365 For Marketing Functional ' 'Consultant Associate'], 'Dynamics 365 For Sales': [ 'Microsoft Certified: Dynamics 365 For Sales ' 'Functional Consultant Associate'], 'Earth Science': ['Geosciences'], 'Economics': ['Economic'], 'Elasticsearch': ['Logstash'], 'Emerging Technologies': ['Emerging Technology'], 'Empathy': ['Encourage', 'Supportive'], 'Energy': ['Energy Industry'], 'Ethernet': ['Ieee 802.3'], 'Etl': ['Extract Transform Load'], 'Exchange Server': ['Exchange', 'Microsoft Exchange Server'], 'Feasibility Study': ['Feasibility'], 'Field-Programmable Gate Array': ['Fpga', 'Fpgas'], 'Financial': ['Finance'], 'Financial Plan': ['Budget'], 'Financial Technology': ['Fintech'], 'Finite Element Method': ['Finite Element Analysis'], 'Fixed Asset': ['Capital Asset'], 'Flexible Environment': ['Flexible Work'], 'Focus': ['Vision'], 'Front End': ['Presentation Layer'], 'Full Stack Developer': ['Full Stack'], 'Gasf Certification': ['Giac Advanced Smartphone Forensics'], 'Gateway': ['Network Gateway'], 'Gawn Certification': ['Giac Assessing And Auditing Wireless Networks'], 'Gccc Certification': ['Giac Critical Controls Certification'], 'Gcda Certification': ['Giac Certified Detection Analyst'], 'Gced Certification': ['Giac Certified Enterprise Defender'], 'Gcfa Certification': ['Giac Certified Forensic Analyst'], 'Gcfe Certification': ['Giac Certified Forensic Examiner'], 'Gcia Certification': ['Giac Certified Intrusion Analyst'], 'Gcih Certification': ['Giac Certified Incident Handler'], 'Gcip Certification': ['Giac Critical Infrastructure Protection'], 'Gcpm Certification': ['Giac Certified Project Manager'], 'Gcti Certification': ['Giac Cyber Threat Intelligence'], 'Gcux Certification': ['Giac Certified Unix Security Administrator'], 'Gcwn Certification': ['Giac Certified Windows Security Administrator'], 'Gdat Certification': ['Giac Defending Advanced Threats'], 'Gdpr': ['General Data Protection Regulation'], 'Gdsa Certification': ['Giac Defensible Security Architecture'], 'General-Purpose Computing On Graphics Processing Units': ['Gpgpu'], 'Geographic Information System': ['Gis'], 'Geva Certification': ['Giac Enterprise Vulnerability Assessor'], 'Giscp Certification': ['Global Industrial Cyber Security Professional'], 'Gisf Certification': ['Giac Reverse Engineering Malware'], 'Gisp Certification': ['Giac Information Security Professional'], 'Gleg Certification': ['Giac Law Of Data Security & Investigations'], 'Glossary Of Video Game Terms': ['Aim Bot'], 'Gmob Certification': ['Giac Mobile Device Security Analyst'], 'Gmon Certification': ['Giac Continuous Monitoring Certification'], 'Gnfa Certification': ['Giac Network Forensic Analyst'], 'Google Cardboard': ['Vr App'], 'Google Certified Android Developer': [ 'Associate Android Developer ' 'Certification'], 'Google Certified Associate Cloud Engineer': [ 'Associate Cloud Engineer ' 'Certification'], 'Google Certified Mobile Web Specialist': [ 'Mobile Web Specialist ' 'Certification'], 'Google Certified Professional Cloud Architect': [ 'Professional Cloud ' 'Architect ' 'Certification'], 'Google Certified Professional Data Engineer': [ 'Professional Data ' 'Engineer ' 'Certification'], 'Gpen Certification': ['Giac Penetration Tester'], 'Gppa Certification': ['Giac Certified Firewall Analyst'], 'Gpyc Certification': ['Giac Python Coder'], 'Greeting': ['Hello'], 'Grem Certification': ['Giac Reverse Engineering Malware'], 'Grid Certification': ['Giac Response And Industrial Defense'], 'Groupware': ['Collaborative Software', 'Social Software'], 'Gse Certification': ['Giac Security Expert'], 'Gsec Certification': ['Giac Security Essentials'], 'Gslc Certification': ['Giac Security Leadership'], 'Gsna Certification': ['Giac Systems And Network Auditor'], 'Gssp Certification': ['Giac Secure Software Programmer'], 'Gstrt Certification': [ 'And Leadership', 'Giac Strategic Planning', 'Policy'], 'Gwapt Certification': ['Giac Web Application Penetration Tester'], 'Gweb Certification': ['Giac Certified Web Application Defender'], 'Gxpn Certification': [ 'Giac Exploit Researcher And Advanced ' 'Penetration Tester'], 'Hacker': ['Hackability', 'So Many Hackers'], 'Harassment': ['Crossing The Line', 'Workplace Harassment'], 'Hardware Test': ['Hardware Testing'], 'Hdfs': ['Platform Hdfs'], 'Heuristic': ['Heuristics'], 'Hikma Pharmaceuticals': ['German Multinational Pharmaceutical'], 'Home Office': ['Mobile Office', 'Work From Home'], 'Human Factors And Ergonomics': ['Ergonomics'], 'Ibm Product': ['Ibm Internal'], 'Implementation Role': ['Implement'], 'Industry Insight': ['Industry Context'], 'Influxdb': ['Telegraf'], 'Information Architect': ['Data Architect'], 'Information Architecture': ['Data Architecture'], 'Information Governance': ['Data Governance'], 'Information Security': ['Infosec'], 'Infrastructure As A Service': ['Infrastructure Service'], 'Install': ['Uninstall'], 'Insurance': ['Insurance Industry'], 'Internal Transfer': ['Project Transfer'], 'Interview Skill': ['Interview'], 'Intuition': ['Intuitiveness'], 'Inventory Process': ['Inventory Tracking'], 'Ip Address Blocking': ['Ip Ban'], 'Isa Certification': ['Internal Security Assessor'], 'Isaca': ['Information Systems Audit And Control Association'], 'Iso Standard': ['International Standards Organization'], 'Java Database Connectivity': ['Jdbc'], 'Java Platform, Enterprise Edition': ['J2Ee'], 'Just-In-Time Manufacturing': ['Jit'], 'Keystroke Logging': ['Combat Logger', 'Keylogged', 'Keylogger'], 'Killer Application': ['Killer App'], 'Knowledge Management': ['Data Management', 'Information Management'], 'Kpi': ['Performance Indicator'], 'Leadership Role': ['Leadership'], 'Learning Presentation': ['Show What You Know'], 'Leet': ['L33T'], 'Level 1 Customer Service': ['Level 1'], 'Level 2 Customer Service': ['Level 2'], 'Level 3 Customer Service': ['Level 3'], 'Lightweight Directory Access Protocol': ['Ldap'], 'Line Manager': ['Line Management'], 'Load Testing': ['Load Test'], 'Log File': ['Event Log'], 'Lotus Notes': ['Ibm Notes'], 'Low Pay Level': ['Poor Pay'], 'Mainframe': ['Mainframe Computer'], 'Management': ['Senior Management'], 'Managment Training': ['Managment Enablement'], 'Manufacturing Company': ['Network Equipment Provider'], 'Market Standard': ['Industry Trend'], 'Master Data Management': ['Master Data'], 'Master Inventor': ['Ibm Master Inventor'], 'Master Of Business': ['Mba'], 'Mathematical Finance': ['Quantitative Finance'], 'Mathematical Logic': ['Symbolic Logic'], 'Mcdba Certification': ['Microsoft Certified Database Administrator'], 'Measurement': ['Metric'], 'Memory-Mapped I/O': ['I O'], 'Mentor': ['Knowledge Share'], 'Microservices': ['Micro Service'], 'Microsoft Certification': ['Microsoft Certified Professional'], 'Microsoft Certified Bi Development': ['Sql 2016 Bi Development'], 'Microsoft Certified Bi Reporting': ['Bi Reporting'], 'Microsoft Certified Blockbased Languages': [ 'Mta: Introduction To ' 'Programming Using ' 'Block-Based Languages'], 'Microsoft Certified Cloud Fundamentals': ['Mta: Cloud Fundamentals'], 'Microsoft Certified Database Administration': [ 'Sql 2016 Database ' 'Administration'], 'Microsoft Certified Database Development': [ 'Sql 2016 Database ' 'Development'], 'Microsoft Certified Database Fundamentals': ['Mta: Database Fundamentals'], 'Microsoft Certified Development Fundamentals': [ 'Mta: Software ' 'Development ' 'Fundamentals'], 'Microsoft Certified Html And Css': [ 'Mta: Introduction To Programming ' 'Using Html And Css'], 'Microsoft Certified Html5': [ 'Mta: Html5 Application Development ' 'Fundamentals'], 'Microsoft Certified Java Programmer': [ 'Mta: Introduction To ' 'Programming Using Java'], 'Microsoft Certified Javascript Programmer': [ 'Mta: Introduction To ' 'Programming Using ' 'Javascript'], 'Microsoft Certified Mobility Fundamentals': [ 'Mta: Mobility And Device ' 'Fundamentals'], 'Microsoft Certified Networking Fundamentals': [ 'Mta: Networking ' 'Fundamentals'], 'Microsoft Certified Professional': ['Mcp'], 'Microsoft Certified Security Fundamentals': ['Mta: Security Fundamentals'], 'Microsoft Certified Sql Server': ['Sql Server 2012/2014'], 'Microsoft Certified Web Applications': ['Web Applications'], 'Microsoft Certified Windows Fundamentals': [ 'Mta: Windows Operating ' 'System Fundamentals'], 'Microsoft Certified Windows Server Fundamentals': [ 'Mta: Windows ' 'Server ' 'Administration ' 'Fundamentals'], 'Microsoft Hololens': ['Hololens'], 'Migration Skill': ['Migration'], 'Mindfulness': ['Mindful'], 'Minecraft': ['Minechat'], 'Minority Employee': ['Minority'], 'Mobile Device': ['Handheld Computer'], 'Mobility Computing Platform': ['Mobile Computing'], 'Model Testing': ['Model Test'], 'Motivation': ['Motivate'], 'Name Server': ['Domain Name Server'], 'Natural Language Toolkit': ['Nltk'], 'Negative Team Culture': [ 'Blame Culture', 'No Conversation', 'Unapproachable'], 'Negotiation Skill': ['Alliance', 'Negotiation'], 'Network Database': ['Network Model'], 'Network Downtime': ['Network Outage'], 'Network Protocol': ['Internet Protocol'], 'Network Security': ['Cybersecurity'], 'Network Specialist': ['Network Administrator'], 'Network Support Specialist': ['Network Management'], 'Neuroscience': ['Neurobiology'], 'New Employee': ['New Hire'], 'Oculus Vr': ['Vr Technology'], 'Offering': ['Ibm Offering'], 'Offshore Team': ['Offshore'], 'Onsite Training': ['Class Training'], 'Open Source Software': ['Open Source'], 'Openstack': ['Open_Stack'], 'Operational Analytics': ['It Operations Analytics'], 'Operational Role': ['Operational'], 'Operations Analyst': ['Operation Analyst'], 'Operations Manager': ['Operations Management'], 'Operations Research': ['Operation Research'], 'Oracle Customer Care And Billing': ['Oracle Ccb'], 'Oracle Database': ['Oracle'], 'Organizational Pay': ['Salary'], 'P2P Encryption': ['Point-To-Point Encryption'], 'P2Pe Assessor Certification': [ 'Point-To-Point Encryption Qualified ' 'Security Assessors'], 'Paleontology': ['Palaeontology'], 'Paqsa Certification': ['Payment Application Qualified Security Assessors'], 'Pay Level': ['Pay Process'], 'Pay Level Increase': ['Pay Raise'], 'Pci': ['Pci Security Standards Council'], 'Peer-To-Peer': ['Peertopeer'], 'Penalty': ['Pay Penalty'], 'Personal Computer': ['Personal Pc'], 'Petroleum': ['Petroleum Industry'], 'Philology': ['Philologist'], 'Philosophy': ['Philosophy Student'], 'Phish': ['Phished', 'Phisher'], 'Phishing': ['Phishing Link'], 'Plan': ['Plan Development'], 'Pleasure': ['Glad'], 'Political Philosophy': ['Political Theory'], 'Political Science': ['Poli Science'], 'Positive Emotion': ['Positive'], 'Postgresql': ['Postgres'], 'Power Server': ['Ibm Power', 'Ibm System I', 'Ibm System P'], 'Powerpc': ['Pc Power'], 'Powershell': ['Windows Powershell'], 'Presales Role': ['Presales'], 'Price Optimization': ['Pricing Info'], 'Prince2 Certification': ['Projects In Controlled Environments'], 'Process': ['Internal Process'], 'Production Environment': ['Go Live'], 'Programming Skill': ['Programmer'], 'Project Scope': ['Scope'], 'Provisioning Skill': ['Provisioning'], 'Proxmox Virtual Environment': ['Proxmox'], 'Proxy': ['Proxy Server'], 'Pyspark': ['Apache Spark'], 'Qir Certification': ['Qualified Integrators And Resellers'], 'Qsa Certification': ['Qualified Security Assessor'], 'Quality Improvement': ['Corrective Action'], 'Query Language': ['Query'], 'Recruiting Document': ['Recruitment System'], 'Recruiting Role': [ 'Recruiter', 'Recruitment Strategy', 'Talent Acquisition'], 'Redhat Certified Engineer': ['Rhce'], 'Redhat Certified System Administrator': ['Rhcsa'], 'Redhat Linux': ['Redhat'], 'Regression Testing': ['Regression Test'], 'Regulation': ['Legislation'], 'Relational Database': ['Relational'], 'Release Strategy': ['Release Schedule'], 'Remediate': ['Remediation'], 'Remote Procedure Call': ['Rpc'], 'Remote Team': ['Virtual Team'], 'Reporting Software': ['Business Reporting', 'Reporting'], 'Requirement': ['Raci'], 'Resource Management': ['Decommission'], 'Rfp': ['Request For Proposal'], 'Rfs': ['Request For Service'], 'Risk Management Skill': ['Risk Management'], 'Robotic Device': ['Robotics'], 'Salary': ['Earning', 'Employee Pay'], 'Sales Skill': ['Business Development', 'Business Pitch'], 'Sametime': ['Ibm Sametime'], 'Sap Project': ['Sap Implementation'], 'Scientific Programming Language': ['Scientific Programming'], 'Script Kiddie': ['Script Kiddy', 'Skiddie'], 'Securities Offering': ['Funding Round'], 'Security Account Manager': ['Dummy Account'], 'Security Skill': ['Vulnerability Management'], 'Serial Peripheral Interface': ['Spi'], 'Server Message Block': ['Cifs'], 'Server Support Specialist': ['Server Operation'], 'Service': ['It Service'], 'Service Desk': ['Call Management System', 'Customer Support', 'Help Desk'], 'Service Management': ['It Service Management'], 'Service Oriented Architecture': ['Soa'], 'Sexism': ['Sexist'], 'Signal Processing': ['Signal Process'], 'Silverlight': ['Microsoft Silverlight'], 'Sizing Skill': ['Sizing'], 'Snia Certification': ['Storage Networking Certification Program'], 'Social Science': ['Social Scientist'], 'Social Studies': ['Social Study'], 'Software Development Lifecycle': ['Software Development Process'], 'Software Methodology': ['Development Methodology'], 'Software Migration': ['Application Migration; Migrate Applications'], 'Software Quality': ['Code Quality'], 'Software Testing': ['Software Test'], 'Solution Skill': ['Solution Strategy'], 'Sql': ['Database Query'], 'Sql Server Integration Services': ['Ssis'], 'Sql Server Management Studio': ['Ssms'], 'Static Program Analysis': ['Static Analysis'], 'Static Testing': ['Static Test'], 'Statistics': [ 'Probability', 'Statistic', 'Statistical Algorithm', 'Statistical Application'], 'Storage': ['Ibm Storage'], 'Storage Platform': ['Storage Product'], 'Suggestion': ['Request Find'], 'Sun Pharmaceutical': [ 'Indian Multinational Pharmaceutical Company', 'Multinational Pharmaceutical Company With'], 'Supercomputer': ['Supercomputers', 'Supercomputing'], 'Suse Linux': ['Suse Linux Distributions'], 'System Administrator': ['Systems Management Specialist'], 'System Programming Skill': ['System Programming', 'Systems Expert'], 'System Role': ['System Operator'], 'Systems Design': ['System Design'], 'Tabular Database': ['Tabular'], 'Takeda Pharmaceutical Company': ['Japanese Pharmaceutical Company'], 'Team': ['Ibm Team'], 'Team Culture': ['Work Environment', 'Work Experience'], 'Team Skill': ['Collaborate', 'Team Building'], 'Technical Role': ['Engineer'], 'Technical Team Lead': ['Lead Developer', 'Technical Lead'], 'Technical Training': ['Technical Enablement'], 'Technical Writing': ['Technical Writer'], 'Telecommunications': ['Communication Player', 'Telecommunication'], 'Test Plan': ['Test Script'], 'Testing Skill': ['Testing'], 'Trade Off': ['Trade Offs'], 'Training': ['Think40', 'Train'], 'Troubleshooting': ['Problem Solving'], 'Twitter Bot': ['Bot Account'], 'Unsatisfied': ['Demotivating', 'Inadequate'], 'Usability Skill': ['User Management'], 'User Interface Design': ['Ui Design'], 'User Research': ['User Centered Design'], 'User Support': ['Pc Support'], 'Value Proposition': ['Business Value Statement'], 'Venture Round': ['Series C Financing Round'], 'Video Game Exploit': ['Speedhacking'], 'Virtualization Software': ['Virtualization Tool'], 'Visual Basic': ['Visual Basic For Applications'], 'Visual Designer': [ 'Communication Designer', 'Graphic Artist', 'Graphic Designer'], 'Visualization': ['Graphic'], 'Vmware Vsphere': ['Vsphere'], 'Vsam': ['Virtual Storage Access Method'], 'Web Application': ['Web App', 'Webapps'], 'Web Developer': ['Web Developers'], 'Weblogic': ['Oracle Weblogic Server'], 'Westpac Bank': ['Westpac'], 'Wifi': ['Ieee 802.11'], 'Wildfly': ['Jboss'], 'Windows Management Instrumentation': ['Wmi'], 'Windows Server': ['Windows Nt'], 'Work Culture': ['Work Environment', 'Work Experience'], 'Work Life Balance': ['Personal Life'], 'Workflow Language': ['Process Automation'], 'Workplace': ['Office'], 'Writing Skill': ['Publish', 'Writing'], 'Xen': ['Xenserver'], 'Yaml': ['Yml']}
# You can customize these lists according to you're requirement. #list for finding admin panels: adminfinder_db = ["/acceso.asp", "/acceso.php", "/access/", "/access.php", "/account/", "/account.asp", "/account.html", "/account.php", "/acct_login/", "/_adm_/", "/_adm/", "/adm/", "/adm2/", "/adm/admloginuser.asp", "/adm/admloginuser.php", "/adm.asp", "/adm_auth.asp", "/adm_auth.php", "/adm.html", "/_admin_/", "/_admin/", "/admin/", "/Admin/", "/ADMIN/", "/admin1/", "/admin1.asp", "/admin1.html", "/admin1.php", "/admin2/", "/admin2.asp", "/admin2.html", "/admin2/index/", "/admin2/index.asp", "/admin2/index.php", "/admin2/login.asp", "/admin2/login.php", "/admin2.php", "/admin3/", "/admin4/", "/admin4_account/", "/admin4_colon/", "/admin5/", "/admin/account.asp", "/admin/account.html", "/admin/account.php", "/admin/add_banner.php/", "/admin/addblog.php", "/admin/add_gallery_image.php", "/admin/add.php", "/admin/add-room.php", "/admin/add-slider.php", "/admin/add_testimonials.php", "/admin/admin/", "/admin/adminarea.php", "/admin/admin.asp", "/admin/AdminDashboard.php", "/admin/admin-home.php", "/admin/AdminHome.php", "/admin/admin.html", "/admin/admin_index.php", "/admin/admin_login.asp", "/admin/admin-login.asp", "/admin/adminLogin.asp", "/admin/admin_login.html", "/admin/admin-login.html", "/admin/adminLogin.html", "/admin/admin_login.php", "/admin/admin-login.php", "/admin/adminLogin.php", "/admin/admin_management.php", "/admin/admin.php", "/admin/admin_users.php", "/admin/adminview.php", "/admin/adm.php", "/admin_area/", "/adminarea/", "/admin_area/admin.asp", "/adminarea/admin.asp", "/admin_area/admin.html", "/adminarea/admin.html", "/admin_area/admin.php", "/adminarea/admin.php", "/admin_area/index.asp", "/adminarea/index.asp", "/admin_area/index.html", "/adminarea/index.html", "/admin_area/index.php", "/adminarea/index.php", "/admin_area/login.asp", "/adminarea/login.asp", "/admin_area/login.html", "/adminarea/login.html", "/admin_area/login.php", "/adminarea/login.php", "/admin.asp", "/admin/banner.php", "/admin/banners_report.php", "/admin/category.php", "/admin/change_gallery.php", "/admin/checklogin.php", "/admin/configration.php", "/admincontrol.asp", "/admincontrol.html", "/admincontrol/login.asp", "/admincontrol/login.html", "/admincontrol/login.php", "/admin/control_pages/admin_home.php", "/admin/controlpanel.asp", "/admin/controlpanel.html", "/admin/controlpanel.php", "/admincontrol.php", "/admincontrol.php/", "/admin/cpanel.php", "/admin/cp.asp", "/admin/CPhome.php", "/admin/cp.html", "/admincp/index.asp", "/admincp/index.html", "/admincp/login.asp", "/admin/cp.php", "/admin/dashboard/index.php", "/admin/dashboard.php", "/admin/dashbord.php", "/admin/dash.php", "/admin/default.php", "/adm/index.asp", "/adm/index.html", "/adm/index.php", "/admin/enter.php", "/admin/event.php", "/admin/form.php", "/admin/gallery.php", "/admin/headline.php", "/admin/home.asp", "/admin/home.html", "/admin_home.php", "/admin/home.php", "/admin.html", "/admin/index.asp", "/admin/index-digital.php", "/admin/index.html", "/admin/index.php", "/admin/index_ref.php", "/admin/initialadmin.php", "/administer/", "/administr8/", "/administr8.asp", "/administr8.html", "/administr8.php", "/administracion.php", "/administrador/", "/administratie/", "/administration/", "/administration.html", "/administration.php", "/administrator", "/_administrator_/", "/_administrator/", "/administrator/", "/administrator/account.asp", "/administrator/account.html", "/administrator/account.php", "/administratoraccounts/", "/administrator.asp", "/administrator.html", "/administrator/index.asp", "/administrator/index.html", "/administrator/index.php", "/administratorlogin/", "/administrator/login.asp", "/administratorlogin.asp", "/administrator/login.html", "/administrator/login.php", "/administratorlogin.php", "/administratorlogin.php", "/administrator.php", "/administrators/", "/administrivia/", "/admin/leads.php", "/admin/list_gallery.php", "/admin/login", "/adminLogin/", "/admin_login.asp", "/admin-login.asp", "/admin/login.asp", "/adminLogin.asp", "/admin/login-home.php", "/admin_login.html", "/admin-login.html", "/admin/login.html", "/adminLogin.html", "/ADMIN/login.html", "/admin_login.php", "/admin_login.php]", "/admin-login.php", "/admin-login.php/", "/admin/login.php", "/adminLogin.php", "/ADMIN/login.php", "/admin/login_success.php", "/admin/loginsuccess.php", "/admin/log.php", "/admin_main.html", "/admin/main_page.php", "/admin/main.php/", "/admin/ManageAdmin.php", "/admin/manageImages.php", "/admin/manage_team.php", "/admin/member_home.php", "/admin/moderator.php", "/admin/my_account.php", "/admin/myaccount.php", "/admin/overview.php", "/admin/page_management.php", "/admin/pages/home_admin.php", "/adminpanel/", "/adminpanel.asp", "/adminpanel.html", "/adminpanel.php", "/admin.php", "/Admin/private/", "/adminpro/", "/admin/product.php", "/admin/products.php", "/admins/", "/admins.asp", "/admin/save.php", "/admins.html", "/admin/slider.php", "/admin/specializations.php", "/admins.php", "/admin_tool/", "/AdminTools/", "/admin/uhome.html", "/admin/upload.php", "/admin/userpage.php", "/admin/viewblog.php", "/admin/viewmembers.php", "/admin/voucher.php", "/AdminWeb/", "/admin/welcomepage.php", "/admin/welcome.php", "/admloginuser.asp", "/admloginuser.php", "/admon/", "/ADMON/", "/adm.php", "/affiliate.asp", "/affiliate.php", "/auth/", "/auth/login/", "/authorize.php", "/autologin/", "/banneradmin/", "/base/admin/", "/bb-admin/", "/bbadmin/", "/bb-admin/admin.asp", "/bb-admin/admin.html", "/bb-admin/admin.php", "/bb-admin/index.asp", "/bb-admin/index.html", "/bb-admin/index.php", "/bb-admin/login.asp", "/bb-admin/login.html", "/bb-admin/login.php", "/bigadmin/", "/blogindex/", "/cadmins/", "/ccms/", "/ccms/index.php", "/ccms/login.php", "/ccp14admin/", "/cms/", "/cms/admin/", "/cmsadmin/", "/cms/_admin/logon.php", "/cms/login/", "/configuration/", "/configure/", "/controlpanel/", "/controlpanel.asp", "/controlpanel.html", "/controlpanel.php", "/cpanel/", "/cPanel/", "/cpanel_file/", "/cp.asp", "/cp.html", "/cp.php", "/customer_login/", "/database_administration/", "/Database_Administration/", "/db/admin.php", "/directadmin/", "/dir-login/", "/editor/", "/edit.php", "/evmsadmin/", "/ezsqliteadmin/", "/fileadmin/", "/fileadmin.asp", "/fileadmin.html", "/fileadmin.php", "/formslogin/", "/forum/admin", "/globes_admin/", "/home.asp", "/home.html", "/home.php", "/hpwebjetadmin/", "/include/admin.php", "/includes/login.php", "/Indy_admin/", "/instadmin/", "/interactive/admin.php", "/irc-macadmin/", "/links/login.php", "/LiveUser_Admin/", "/login/", "/login1/", "/login.asp", "/login_db/", "/loginflat/", "/login.html", "/login/login.php", "/login.php", "/login-redirect/", "/logins/", "/login-us/", "/logon/", "/logo_sysadmin/", "/Lotus_Domino_Admin/", "/macadmin/", "/mag/admin/", "/maintenance/", "/manage_admin.php", "/manager/", "/manager/ispmgr/", "/manuallogin/", "/memberadmin/", "/memberadmin.asp", "/memberadmin.php", "/members/", "/memlogin/", "/meta_login/", "/modelsearch/admin.asp", "/modelsearch/admin.html", "/modelsearch/admin.php", "/modelsearch/index.asp", "/modelsearch/index.html", "/modelsearch/index.php", "/modelsearch/login.asp", "/modelsearch/login.html", "/modelsearch/login.php", "/moderator/", "/moderator/admin.asp", "/moderator/admin.html", "/moderator/admin.php", "/moderator.asp", "/moderator.html", "/moderator/login.asp", "/moderator/login.html", "/moderator/login.php", "/moderator.php", "/moderator.php/", "/myadmin/", "/navSiteAdmin/", "/newsadmin/", "/nsw/admin/login.php", "/openvpnadmin/", "/pages/admin/admin-login.asp", "/pages/admin/admin-login.html", "/pages/admin/admin-login.php", "/panel/", "/panel-administracion/", "/panel-administracion/admin.asp", "/panel-administracion/admin.html", "/panel-administracion/admin.php", "/panel-administracion/index.asp", "/panel-administracion/index.html", "/panel-administracion/index.php", "/panel-administracion/login.asp", "/panel-administracion/login.html", "/panel-administracion/login.php", "/panelc/", "/paneldecontrol/", "/panel.php", "/pgadmin/", "/phpldapadmin/", "/phpmyadmin/", "/phppgadmin/", "/phpSQLiteAdmin/", "/platz_login/", "/pma/", "/power_user/", "/project-admins/", "/pureadmin/", "/radmind/", "/radmind-1/", "/rcjakar/admin/login.php", "/rcLogin/", "/server/", "/Server/", "/ServerAdministrator/", "/server_admin_small/", "/Server.asp", "/Server.html", "/Server.php", "/showlogin/", "/simpleLogin/", "/site/admin/", "/siteadmin/", "/siteadmin/index.asp", "/siteadmin/index.php", "/siteadmin/login.asp", "/siteadmin/login.html", "/site_admin/login.php", "/siteadmin/login.php", "/smblogin/", "/sql-admin/", "/sshadmin/", "/ss_vms_admin_sm/", "/staradmin/", "/sub-login/", "/Super-Admin/", "/support_login/", "/sys-admin/", "/sysadmin/", "/SysAdmin/", "/SysAdmin2/", "/sysadmin.asp", "/sysadmin.html", "/sysadmin.php", "/sysadmins/", "/system_administration/", "/system-administration/", "/typo3/", "/ur-admin/", "/ur-admin.asp", "/ur-admin.html", "/ur-admin.php", "/useradmin/", "/user.asp", "/user.html", "/UserLogin/", "/user.php", "/usuario/", "/usuarios/", "/usuarios//", "/usuarios/login.php", "/utility_login/", "/vadmind/", "/vmailadmin/", "/webadmin/", "/WebAdmin/", "/webadmin/admin.asp", "/webadmin/admin.html", "/webadmin/admin.php", "/webadmin.asp", "/webadmin.html", "/webadmin/index.asp", "/webadmin/index.html", "/webadmin/index.php", "/webadmin/login.asp", "/webadmin/login.html", "/webadmin/login.php", "/webadmin.php", "/webmaster/", "/websvn/", "/wizmysqladmin/", "/wp-admin/", "/wp-login/", "/wplogin/", "/wp-login.php", "/xlogin/", "/yonetici.asp", "/yonetici.html", "/yonetici.php", "/yonetim.asp", "/yonetim.html", "/yonetim.php"] #list for directory brute forcing - commont.txt: #if you want to add more paths than just copy the all paths from any wordlist and generate a array from websites like arraythis.com and paste it after directories_db = :) directories_db = [".bash_history", ".bashrc", ".cache", ".config", ".cvs", ".cvsignore", ".forward", ".git", ".git-rewrite", ".git/HEAD", ".git/config", ".git/index", ".git/logs/", ".git_release", ".gitattributes", ".gitconfig", ".gitignore", ".gitk", ".gitkeep", ".gitmodules", ".gitreview", ".history", ".hta", ".htaccess", ".htpasswd", ".listing", ".listings", ".mysql_history", ".passwd", ".perf", ".profile", ".rhosts", ".sh_history", ".ssh", ".subversion", ".svn", ".svn/entries", ".svnignore", ".swf", ".web", ".well-known/acme-challenge", ".well-known/apple-app-site-association", ".well-known/apple-developer-merchantid-domain-association", ".well-known/ashrae", ".well-known/assetlinks.json", ".well-known/autoconfig/mail", ".well-known/browserid", ".well-known/caldav", ".well-known/carddav", ".well-known/change-password", ".well-known/coap", ".well-known/core", ".well-known/csvm", ".well-known/dnt", ".well-known/dnt-policy.txt", ".well-known/dots", ".well-known/ecips", ".well-known/enterprise-transport-security", ".well-known/est", ".well-known/genid", ".well-known/hoba", ".well-known/host-meta", ".well-known/host-meta.json", ".well-known/http-opportunistic", ".well-known/idp-proxy", ".well-known/jmap", ".well-known/jwks.json", ".well-known/keybase.txt", ".well-known/looking-glass", ".well-known/matrix", ".well-known/mercure", ".well-known/mta-sts.txt", ".well-known/mud", ".well-known/nfv-oauth-server-configuration", ".well-known/ni", ".well-known/nodeinfo", ".well-known/oauth-authorization-server", ".well-known/openid-configuration", ".well-known/openid-federation", ".well-known/openorg", ".well-known/openpgpkey", ".well-known/pki-validation", ".well-known/posh", ".well-known/pvd", ".well-known/reload-config", ".well-known/repute-template", ".well-known/resourcesync", ".well-known/security.txt", ".well-known/stun-key", ".well-known/thread", ".well-known/time", ".well-known/timezone", ".well-known/uma2-configuration", ".well-known/void", ".well-known/webfinger", "0", "00", "01", "02", "03", "04", "05", "06", "07", "08", "09", "1", "10", "100", "1000", "1001", "101", "102", "103", "11", "12", "123", "13", "14", "15", "1990", "1991", "1992", "1993", "1994", "1995", "1996", "1997", "1998", "1999", "1x1", "2", "20", "200", "2000", "2001", "2002", "2003", "2004", "2005", "2006", "2007", "2008", "2009", "2010", "2011", "2012", "2013", "2014", "21", "22", "2257", "23", "24", "25", "2g", "3", "30", "300", "32", "3g", "3rdparty", "4", "400", "401", "403", "404", "42", "5", "50", "500", "51", "6", "64", "7", "7z", "8", "9", "96", "@", "A", "ADM", "ADMIN", "ADMON", "AT-admin.cgi", "About", "AboutUs", "Admin", "AdminService", "AdminTools", "Administration", "AggreSpy", "AppsLocalLogin", "AppsLogin", "Archive", "Articles", "B", "BUILD", "BackOffice", "Base", "Blog", "Books", "Browser", "Business", "C", "CMS", "CPAN", "CVS", "CVS/Entries", "CVS/Repository", "CVS/Root", "CYBERDOCS", "CYBERDOCS25", "CYBERDOCS31", "ChangeLog", "Computers", "Contact", "ContactUs", "Content", "Creatives", "D", "DB", "DMSDump", "Database_Administration", "Default", "Documents and Settings", "Download", "Downloads", "E", "Education", "English", "Entertainment", "Entries", "Events", "Extranet", "F", "FAQ", "FCKeditor", "G", "Games", "Global", "Graphics", "H", "HTML", "Health", "Help", "Home", "I", "INSTALL_admin", "Image", "Images", "Index", "Indy_admin", "Internet", "J", "JMXSoapAdapter", "Java", "L", "LICENSE", "Legal", "Links", "Linux", "Log", "LogFiles", "Login", "Logs", "Lotus_Domino_Admin", "M", "MANIFEST.MF", "META-INF", "Main", "Main_Page", "Makefile", "Media", "Members", "Menus", "Misc", "Music", "N", "News", "O", "OA", "OAErrorDetailPage", "OA_HTML", "OasDefault", "Office", "P", "PDF", "PHP", "PMA", "Pages", "People", "Press", "Privacy", "Products", "Program Files", "Projects", "Publications", "R", "RCS", "README", "RSS", "Rakefile", "Readme", "RealMedia", "Recycled", "Research", "Resources", "Root", "S", "SERVER-INF", "SOAPMonitor", "SQL", "SUNWmc", "Scripts", "Search", "Security", "Server", "ServerAdministrator", "Services", "Servlet", "Servlets", "Shibboleth.sso/Metadata", "SiteMap", "SiteScope", "SiteServer", "Sites", "Software", "Sources", "Sports", "Spy", "Statistics", "Stats", "Super-Admin", "Support", "SysAdmin", "SysAdmin2", "T", "TEMP", "TMP", "TODO", "Technology", "Themes", "Thumbs.db", "Travel", "U", "US", "UserFiles", "Utilities", "V", "Video", "W", "W3SVC", "W3SVC1", "W3SVC2", "W3SVC3", "WEB-INF", "WS_FTP", "WS_FTP.LOG", "WebAdmin", "Windows", "X", "XML", "XXX", "_", "_adm", "_admin", "_ajax", "_archive", "_assets", "_backup", "_baks", "_borders", "_cache", "_catalogs", "_common", "_conf", "_config", "_css", "_data", "_database", "_db_backups", "_derived", "_dev", "_dummy", "_files", "_flash", "_fpclass", "_framework/blazor.boot.json", "_framework/blazor.webassembly.js", "_framework/wasm/dotnet.wasm", "_framework/_bin/WebAssembly.Bindings.dll", "_images", "_img", "_inc", "_include", "_includes", "_install", "_js", "_layouts", "_lib", "_media", "_mem_bin", "_mm", "_mmserverscripts", "_mygallery", "_notes", "_old", "_overlay", "_pages", "_private", "_reports", "_res", "_resources", "_scriptlibrary", "_scripts", "_source", "_src", "_stats", "_styles", "_swf", "_temp", "_tempalbums", "_template", "_templates", "_test", "_themes", "_tmp", "_tmpfileop", "_vti_aut", "_vti_bin", "_vti_bin/_vti_adm/admin.dll", "_vti_bin/_vti_aut/author.dll", "_vti_bin/shtml.dll", "_vti_cnf", "_vti_inf", "_vti_log", "_vti_map", "_vti_pvt", "_vti_rpc", "_vti_script", "_vti_txt", "_www", "a", "aa", "aaa", "abc", "abc123", "abcd", "abcd1234", "about", "about-us", "about_us", "aboutus", "abstract", "abuse", "ac", "academic", "academics", "acatalog", "acc", "access", "access-log", "access-log.1", "access.1", "access_db", "access_log", "access_log.1", "accessgranted", "accessibility", "accessories", "accommodation", "account", "account_edit", "account_history", "accountants", "accounting", "accounts", "accountsettings", "acct_login", "achitecture", "acp", "act", "action", "actions", "activate", "active", "activeCollab", "activex", "activities", "activity", "ad", "ad_js", "adaptive", "adclick", "add", "add_cart", "addfav", "addnews", "addons", "addpost", "addreply", "address", "address_book", "addressbook", "addresses", "addtocart", "adlog", "adlogger", "adm", "admin", "admin-admin", "admin-console", "admin-interface", "administrator-panel", "admin.cgi", "admin.php", "admin.pl", "admin1", "admin2", "admin3", "admin4_account", "admin4_colon", "admin_", "admin_area", "admin_banner", "admin_c", "admin_index", "admin_interface", "admin_login", "admin_logon", "admincontrol", "admincp", "adminhelp", "administer", "administr8", "administracion", "administrador", "administrat", "administratie", "administration", "administrator", "administratoraccounts", "administrators", "administrivia", "adminlogin", "adminlogon", "adminpanel", "adminpro", "admins", "adminsessions", "adminsql", "admintools", "admissions", "admon", "adobe", "adodb", "ads", "adserver", "adsl", "adv", "adv_counter", "advanced", "advanced_search", "advancedsearch", "advert", "advertise", "advertisement", "advertisers", "advertising", "adverts", "advice", "adview", "advisories", "af", "aff", "affiche", "affiliate", "affiliate_info", "affiliate_terms", "affiliates", "affiliatewiz", "africa", "agb", "agency", "agenda", "agent", "agents", "aggregator", "ajax", "ajax_cron", "akamai", "akeeba.backend.log", "alarm", "alarms", "album", "albums", "alcatel", "alert", "alerts", "alias", "aliases", "all", "all-wcprops", "alltime", "alpha", "alt", "alumni", "alumni_add", "alumni_details", "alumni_info", "alumni_reunions", "alumni_update", "am", "amanda", "amazon", "amember", "analog", "analog.html", "analyse", "analysis", "analytics", "and", "android", "android/config", "announce", "announcement", "announcements", "annuaire", "annual", "anon", "anon_ftp", "anonymous", "ansi", "answer", "answers", "antibot_image", "antispam", "antivirus", "anuncios", "any", "aol", "ap", "apac", "apache", "apanel", "apc", "apexec", "api", "api/experiments", "api/experiments/configurations", "apis", "apl", "apm", "app", "app_browser", "app_browsers", "app_code", "app_data", "app_themes", "appeal", "appeals", "append", "appl", "apple", "apple-app-site-association", "applet", "applets", "appliance", "appliation", "application", "application.wadl", "applications", "apply", "apps", "apr", "ar", "arbeit", "arcade", "arch", "architect", "architecture", "archiv", "archive", "archives", "archivos", "arquivos", "array", "arrow", "ars", "art", "article", "articles", "artikel", "artists", "arts", "artwork", "as", "ascii", "asdf", "ashley", "asia", "ask", "ask_a_question", "askapache", "asmx", "asp", "aspadmin", "aspdnsfcommon", "aspdnsfencrypt", "aspdnsfgateways", "aspdnsfpatterns", "aspnet_client", "asps", "aspx", "asset", "assetmanage", "assetmanagement", "assets", "at", "atom", "attach", "attach_mod", "attachment", "attachments", "attachs", "attic", "au", "auction", "auctions", "audio", "audit", "audits", "auth", "authentication", "author", "authoring", "authorization", "authorize", "authorized_keys", "authors", "authuser", "authusers", "auto", "autobackup", "autocheck", "autodeploy", "autodiscover", "autologin", "automatic", "automation", "automotive", "aux", "av", "avatar", "avatars", "aw", "award", "awardingbodies", "awards", "awl", "awmdata", "awstats", "awstats.conf", "axis", "axis-admin", "axis2", "axis2-admin", "axs", "az", "b", "b1", "b2b", "b2c", "back", "back-up", "backdoor", "backend", "background", "backgrounds", "backoffice", "backup", "backup-db", "backup2", "backup_migrate", "backups", "bad_link", "bak", "bak-up", "bakup", "balance", "balances", "ban", "bandwidth", "bank", "banking", "banks", "banned", "banner", "banner2", "banner_element", "banneradmin", "bannerads", "banners", "bar", "base", "baseball", "bash", "basic", "basket", "basketball", "baskets", "bass", "bat", "batch", "baz", "bb", "bb-hist", "bb-histlog", "bbadmin", "bbclone", "bboard", "bbs", "bc", "bd", "bdata", "be", "bea", "bean", "beans", "beehive", "beheer", "benefits", "benutzer", "best", "beta", "bfc", "bg", "big", "bigadmin", "bigip", "bilder", "bill", "billing", "bin", "binaries", "binary", "bins", "bio", "bios", "bitrix", "biz", "bk", "bkup", "bl", "black", "blah", "blank", "blb", "block", "blocked", "blocks", "blog", "blog_ajax", "blog_inlinemod", "blog_report", "blog_search", "blog_usercp", "blogger", "bloggers", "blogindex", "blogs", "blogspot", "blow", "blue", "bm", "bmz_cache", "bnnr", "bo", "board", "boards", "bob", "body", "bofh", "boiler", "boilerplate", "bonus", "bonuses", "book", "booker", "booking", "bookmark", "bookmarks", "books", "bookstore", "boost_stats", "boot", "bot", "bot-trap", "bots", "bottom", "boutique", "box", "boxes", "br", "brand", "brands", "broadband", "brochure", "brochures", "broken", "broken_link", "broker", "browse", "browser", "bs", "bsd", "bt", "bug", "bugs", "build", "builder", "buildr", "bulk", "bulksms", "bullet", "busca", "buscador", "buscar", "business", "button", "buttons", "buy", "buynow", "buyproduct", "bypass", "bz2", "c", "cPanel", "ca", "cabinet", "cache", "cachemgr", "cachemgr.cgi", "caching", "cad", "cadmins", "cal", "calc", "calendar", "calendar_events", "calendar_sports", "calendarevents", "calendars", "call", "callback", "callee", "caller", "callin", "calling", "callout", "cam", "camel", "campaign", "campaigns", "can", "canada", "captcha", "car", "carbuyaction", "card", "cardinal", "cardinalauth", "cardinalform", "cards", "career", "careers", "carp", "carpet", "cars", "cart", "carthandler", "carts", "cas", "cases", "casestudies", "cash", "cat", "catalog", "catalog.wci", "catalogs", "catalogsearch", "catalogue", "catalyst", "catch", "categoria", "categories", "category", "catinfo", "cats", "cb", "cc", "ccbill", "ccount", "ccp14admin", "ccs", "cd", "cdrom", "centres", "cert", "certenroll", "certificate", "certificates", "certification", "certified", "certs", "certserver", "certsrv", "cf", "cfc", "cfcache", "cfdocs", "cfg", "cfide", "cfm", "cfusion", "cgi", "cgi-bin", "cgi-bin/", "cgi-bin2", "cgi-data", "cgi-exe", "cgi-home", "cgi-image", "cgi-local", "cgi-perl", "cgi-pub", "cgi-script", "cgi-shl", "cgi-sys", "cgi-web", "cgi-win", "cgi_bin", "cgibin", "cgis", "cgiwrap", "cgm-web", "ch", "chan", "change", "change_password", "changed", "changelog", "changepw", "changes", "channel", "charge", "charges", "chart", "charts", "chat", "chats", "check", "checking", "checkout", "checkout_iclear", "checkoutanon", "checkoutreview", "checkpoint", "checks", "child", "children", "china", "chk", "choosing", "chris", "chrome", "cinema", "cisco", "cisweb", "cities", "citrix", "city", "ck", "ckeditor", "ckfinder", "cl", "claim", "claims", "class", "classes", "classic", "classified", "classifieds", "classroompages", "cleanup", "clear", "clearcookies", "clearpixel", "click", "clickheat", "clickout", "clicks", "client", "client_configs", "clientaccesspolicy", "clientapi", "clientes", "clients", "clientscript", "clipart", "clips", "clk", "clock", "close", "closed", "closing", "club", "cluster", "clusters", "cm", "cmd", "cmpi_popup", "cms", "cmsadmin", "cn", "cnf", "cnstats", "cnt", "co", "cocoon", "code", "codec", "codecs", "codepages", "codes", "coffee", "cognos", "coke", "coldfusion", "collapse", "collection", "college", "columnists", "columns", "com", "com1", "com2", "com3", "com4", "com_sun_web_ui", "comics", "comm", "command", "comment", "comment-page", "comment-page-1", "commentary", "commented", "comments", "commerce", "commercial", "common", "commoncontrols", "commun", "communication", "communications", "communicator", "communities", "community", "comp", "compact", "companies", "company", "compare", "compare_product", "comparison", "comparison_list", "compat", "compiled", "complaint", "complaints", "compliance", "component", "components", "compose", "composer", "compress", "compressed", "computer", "computers", "computing", "comunicator", "con", "concrete", "conditions", "conf", "conference", "conferences", "config", "config.local", "configs", "configuration", "configure", "confirm", "confirmed", "conlib", "conn", "connect", "connections", "connector", "connectors", "console", "constant", "constants", "consulting", "consumer", "cont", "contact", "contact-form", "contact-us", "contact_bean", "contact_us", "contactinfo", "contacto", "contacts", "contacts.txt", "contactus", "contao", "contato", "contenido", "content", "contents", "contest", "contests", "contract", "contracts", "contrib", "contribute", "contribute.json", "contributor", "control", "controller", "controllers", "controlpanel", "controls", "converge_local", "converse", "cookie", "cookie_usage", "cookies", "cool", "copies", "copy", "copyright", "copyright-policy", "corba", "core", "coreg", "corp", "corpo", "corporate", "corporation", "corrections", "count", "counter", "counters", "country", "counts", "coupon", "coupons", "coupons1", "course", "courses", "cover", "covers", "cp", "cpadmin", "cpanel", "cpanel_file", "cpath", "cpp", "cps", "cpstyles", "cr", "crack", "crash", "crashes", "create", "create_account", "createaccount", "createbutton", "creation", "creator", "credentials", "credentials.txt", "credit", "creditcards", "credits", "crime", "crm", "crms", "cron", "cronjobs", "crons", "crontab", "crontabs", "crossdomain", "crossdomain.xml", "crs", "crtr", "crypt", "crypto", "cs", "cse", "csproj", "css", "csv", "ct", "ctl", "culture", "currency", "current", "custom", "custom-log", "custom_log", "customavatars", "customcode", "customer", "customer_login", "customers", "customgroupicons", "customize", "cute", "cutesoft_client", "cv", "cvs", "cxf", "cy", "cyberworld", "cycle_image", "cz", "czcmdcvt", "d", "da", "daemon", "daily", "dan", "dana-na", "dark", "dashboard", "dat", "data", "database", "database_administration", "databases", "datafiles", "datas", "date", "daten", "datenschutz", "dating", "dav", "day", "db", "db_connect", "dba", "dbadmin", "dbase", "dbboon", "dbg", "dbi", "dblclk", "dbm", "dbman", "dbmodules", "dbms", "dbutil", "dc", "dcforum", "dclk", "de", "de_DE", "deal", "dealer", "dealers", "deals", "debian", "debug", "dec", "decl", "declaration", "declarations", "decode", "decoder", "decrypt", "decrypted", "decryption", "def", "default", "default_icon", "default_image", "default_logo", "default_page", "default_pages", "defaults", "definition", "definitions", "del", "delete", "deleted", "deleteme", "deletion", "delicious", "demo", "demo2", "demos", "denied", "deny", "departments", "deploy", "deployment", "descargas", "design", "designs", "desktop", "desktopmodules", "desktops", "destinations", "detail", "details", "deutsch", "dev", "dev2", "dev60cgi", "devel", "develop", "developement", "developer", "developers", "development", "development.log", "device", "devices", "devs", "devtools", "df", "dh_", "dh_phpmyadmin", "di", "diag", "diagnostics", "dial", "dialog", "dialogs", "diary", "dictionary", "diff", "diffs", "dig", "digest", "digg", "digital", "dir", "dir-login", "dir-prop-base", "dirbmark", "direct", "directadmin", "directions", "directories", "directorio", "directory", "dirs", "disabled", "disallow", "disclaimer", "disclosure", "discootra", "discount", "discovery", "discus", "discuss", "discussion", "disdls", "disk", "dispatch", "dispatcher", "display", "display_vvcodes", "dist", "divider", "django", "dk", "dl", "dll", "dm", "dm-config", "dmdocuments", "dms", "dms0", "dns", "do", "doc", "docebo", "docedit", "dock", "docroot", "docs", "docs41", "docs51", "document", "document_library", "documentation", "documents", "doinfo", "dokuwiki", "domain", "domains", "donate", "donations", "done", "dot", "doubleclick", "down", "download", "download_private", "downloader", "downloads", "downsys", "draft", "drafts", "dragon", "draver", "driver", "drivers", "drop", "dropped", "drupal", "ds", "dummy", "dump", "dumpenv", "dumps", "dumpuser", "dvd", "dwr", "dyn", "dynamic", "dyop_addtocart", "dyop_delete", "dyop_quan", "e", "e-mail", "e-store", "e107_admin", "e107_files", "e107_handlers", "e2fs", "ear", "easy", "ebay", "eblast", "ebook", "ebooks", "ebriefs", "ec", "ecard", "ecards", "echannel", "ecommerce", "ecrire", "edge", "edgy", "edit", "edit_link", "edit_profile", "editaddress", "editor", "editorial", "editorials", "editors", "editpost", "edits", "edp", "edu", "education", "ee", "effort", "efforts", "egress", "ehdaa", "ejb", "el", "electronics", "element", "elements", "elmar", "em", "email", "email-a-friend", "email-addresses", "emailafriend", "emailer", "emailhandler", "emailing", "emailproduct", "emails", "emailsignup", "emailtemplates", "embed", "embedd", "embedded", "emea", "emergency", "emoticons", "employee", "employees", "employers", "employment", "empty", "emu", "emulator", "en", "en_US", "en_us", "enable-cookies", "enc", "encode", "encoder", "encrypt", "encrypted", "encryption", "encyption", "end", "enduser", "endusers", "energy", "enews", "eng", "engine", "engines", "english", "enterprise", "entertainment", "entries", "entropybanner", "entry", "env", "environ", "environment", "ep", "eproducts", "equipment", "eric", "err", "erraddsave", "errata", "error", "error-espanol", "error-log", "error404", "error_docs", "error_log", "error_message", "error_pages", "errordocs", "errorpage", "errorpages", "errors", "erros", "es", "es_ES", "esale", "esales", "eshop", "esp", "espanol", "established", "estilos", "estore", "esupport", "et", "etc", "ethics", "eu", "europe", "evb", "event", "events", "evil", "evt", "ewebeditor", "ews", "ex", "example", "examples", "excalibur", "excel", "exception_log", "exch", "exchange", "exchweb", "exclude", "exe", "exec", "executable", "executables", "exiar", "exit", "expert", "experts", "exploits", "explore", "explorer", "export", "exports", "ext", "ext2", "extension", "extensions", "extern", "external", "externalid", "externalisation", "externalization", "extra", "extranet", "extras", "ezshopper", "ezsqliteadmin", "f", "fa", "fabric", "face", "facebook", "faces", "facts", "faculty", "fail", "failed", "failure", "fake", "family", "fancybox", "faq", "faqs", "fashion", "favicon.ico", "favorite", "favorites", "fb", "fbook", "fc", "fcategory", "fcgi", "fcgi-bin", "fck", "fckeditor", "fdcp", "feature", "featured", "features", "federation/clients", "fedora", "feed", "feedback", "feedback_js", "feeds", "felix", "fetch", "fi", "field", "fields", "file", "fileadmin", "filelist", "filemanager", "files", "fileupload", "fileuploads", "filez", "film", "films", "filter", "finance", "financial", "find", "finger", "finishorder", "firefox", "firewall", "firewalls", "firmconnect", "firms", "firmware", "first", "fixed", "fk", "fla", "flag", "flags", "flash", "flash-intro", "flex", "flights", "flow", "flowplayer", "flows", "flv", "flvideo", "flyspray", "fm", "fn", "focus", "foia", "folder", "folder_new", "folders", "font", "fonts", "foo", "food", "football", "footer", "footers", "for", "forcedownload", "forget", "forgot", "forgot-password", "forgot_password", "forgotpassword", "forgotten", "form", "format", "formatting", "formhandler", "formmail", "forms", "forms1", "formsend", "formslogin", "formupdate", "foro", "foros", "forrest", "fortune", "forum", "forum1", "forum2", "forum_old", "forumcp", "forumdata", "forumdisplay", "forums", "forward", "foto", "fotos", "foundation", "fpdb", "fpdf", "fr", "fr_FR", "frame", "frames", "frameset", "framework", "francais", "france", "free", "freebsd", "freeware", "french", "friend", "friends", "frm_attach", "frob", "from", "front", "frontend", "frontpage", "fs", "fsck", "ftp", "fuck", "fuckoff", "fuckyou", "full", "fun", "func", "funcs", "function", "function.require", "functionlude", "functions", "fund", "funding", "funds", "furl", "fusion", "future", "fw", "fwlink", "fx", "g", "ga", "gadget", "gadgets", "gaestebuch", "galeria", "galerie", "galleries", "gallery", "gallery2", "game", "gamercard", "games", "gaming", "ganglia", "garbage", "gate", "gateway", "gb", "gbook", "gccallback", "gdform", "geeklog", "gen", "general", "generateditems", "generator", "generic", "gentoo", "geo", "geoip", "german", "geronimo", "gest", "gestion", "gestione", "get", "get-file", "getFile.cfm", "get_file", "getaccess", "getconfig", "getfile", "getjobid", "getout", "gettxt", "gfen", "gfx", "gg", "gid", "gif", "gifs", "gift", "giftcert", "giftoptions", "giftreg_manage", "giftregs", "gifts", "git", "gitweb", "gl", "glance_config", "glimpse", "global", "global.asa", "global.asax", "globalnav", "globals", "globes_admin", "glossary", "go", "goaway", "gold", "golf", "gone", "goods", "goods_script", "google", "google_sitemap", "googlebot", "goto", "government", "gp", "gpapp", "gpl", "gprs", "gps", "gr", "gracias", "grafik", "grant", "granted", "grants", "graph", "graphics", "green", "greybox", "grid", "group", "group_inlinemod", "groupcp", "groups", "groupware", "gs", "gsm", "guess", "guest", "guest-tracking", "guestbook", "guests", "gui", "guide", "guidelines", "guides", "gump", "gv_faq", "gv_redeem", "gv_send", "gwt", "gz", "h", "hack", "hacker", "hacking", "hackme", "hadoop", "handle", "handler", "handlers", "handles", "happen", "happening", "hard", "hardcore", "hardware", "harm", "harming", "harmony", "head", "header", "header_logo", "headers", "headlines", "health", "healthcare", "hello", "helloworld", "help", "help_answer", "helpdesk", "helper", "helpers", "hi", "hidden", "hide", "high", "highslide", "hilfe", "hipaa", "hire", "history", "hit", "hitcount", "hits", "hold", "hole", "holiday", "holidays", "home", "homepage", "homes", "homework", "honda", "hooks", "hop", "horde", "host", "host-manager", "hosted", "hosting", "hosts", "hotel", "hotels", "hour", "hourly", "house", "how", "howto", "hp", "hpwebjetadmin", "hr", "ht", "hta", "htbin", "htdig", "htdoc", "htdocs", "htm", "html", "htmlarea", "htmls", "htpasswd", "http", "httpd", "httpdocs", "httpmodules", "https", "httpuser", "hu", "human", "humans", "humans.txt", "humor", "hyper", "i", "ia", "ibm", "icat", "ico", "icon", "icons", "icq", "id", "id_rsa", "id_rsa.pub", "idbc", "idea", "ideas", "identity", "idp", "ids", "ie", "if", "iframe", "iframes", "ig", "ignore", "ignoring", "iis", "iisadmin", "iisadmpwd", "iissamples", "im", "image", "imagefolio", "imagegallery", "imagenes", "imagens", "images", "images01", "images1", "images2", "images3", "imanager", "img", "img2", "imgs", "immagini", "imp", "import", "important", "imports", "impressum", "in", "inbound", "inbox", "inc", "incl", "include", "includes", "incoming", "incs", "incubator", "index", "index.htm", "index.html", "index.php", "index1", "index2", "index2.php", "index3", "index3.php", "index_01", "index_1", "index_2", "index_adm", "index_admin", "index_files", "index_var_de", "indexes", "industries", "industry", "indy_admin", "inetpub", "inetsrv", "inf", "info", "info.php", "information", "informer", "infos", "infos.php", "infraction", "ingres", "ingress", "ini", "init", "injection", "inline", "inlinemod", "input", "inquire", "inquiries", "inquiry", "insert", "install", "install-xaff", "install-xaom", "install-xbench", "install-xfcomp", "install-xoffers", "install-xpconf", "install-xrma", "install-xsurvey", "install.mysql", "install.pgsql", "installation", "installer", "installwordpress", "instance", "instructions", "insurance", "int", "intel", "intelligence", "inter", "interactive", "interface", "interim", "intermediate", "intern", "internal", "international", "internet", "interview", "interviews", "intl", "intra", "intracorp", "intranet", "intro", "introduction", "inventory", "investors", "invitation", "invite", "invoice", "invoices", "ioncube", "ios/config", "ip", "ipc", "ipdata", "iphone", "ipn", "ipod", "ipp", "ips", "ips_kernel", "ir", "iraq", "irc", "irc-macadmin", "is", "is-bin", "isapi", "iso", "isp", "issue", "issues", "it", "it_IT", "ita", "item", "items", "iw", "j", "j2ee", "j2me", "ja", "ja_JP", "jacob", "jakarta", "japan", "jar", "java", "java-plugin", "java-sys", "javac", "javadoc", "javascript", "javascripts", "javax", "jboss", "jbossas", "jbossws", "jdbc", "jdk", "jennifer", "jessica", "jexr", "jhtml", "jigsaw", "jira", "jj", "jmx-console", "job", "jobs", "joe", "john", "join", "joinrequests", "joomla", "journal", "journals", "jp", "jpa", "jpegimage", "jpg", "jquery", "jre", "jrun", "js", "js-lib", "jsFiles", "jscript", "jscripts", "jsession", "jsf", "json", "json-api", "jsp", "jsp-examples", "jsp2", "jsps", "jsr", "jsso", "jsx", "jump", "juniper", "junk", "jvm", "jwks.json", "k", "katalog", "kb", "kb_results", "kboard", "kcaptcha", "keep", "kept", "kernel", "key", "keygen", "keys", "keyword", "keywords", "kids", "kill", "kiosk", "known_hosts", "ko", "ko_KR", "kontakt", "konto-eroeffnen", "kr", "kunden", "l", "la", "lab", "labels", "labs", "landing", "landingpages", "landwind", "lang", "lang-en", "lang-fr", "langs", "language", "languages", "laptops", "large", "lastnews", "lastpost", "lat_account", "lat_driver", "lat_getlinking", "lat_signin", "lat_signout", "lat_signup", "latest", "launch", "launcher", "launchpage", "law", "layout", "layouts", "ldap", "leader", "leaders", "leads", "learn", "learners", "learning", "left", "legacy", "legal", "legal-notice", "legislation", "lenya", "lessons", "letters", "level", "lg", "lgpl", "lib", "librairies", "libraries", "library", "libs", "lic", "licence", "license", "license_afl", "licenses", "licensing", "life", "lifestyle", "lightbox", "limit", "line", "link", "link-to-us", "linkex", "linkmachine", "links", "links_submit", "linktous", "linux", "lisence", "lisense", "list", "list-create", "list-edit", "list-search", "list-users", "list-view", "list_users", "listadmin", "listinfo", "listing", "listings", "lists", "listusers", "listview", "live", "livechat", "livehelp", "livesupport", "livezilla", "lo", "load", "loader", "loading", "loc", "local", "locale", "localstart", "location", "locations", "locator", "lock", "locked", "lockout", "lofiversion", "log", "log4j", "log4net", "logfile", "logfiles", "logfileview", "logger", "logging", "login", "login-redirect", "login-us", "login1", "login_db", "login_sendpass", "loginadmin", "loginflat", "logins", "logo", "logo_sysadmin", "logoff", "logon", "logos", "logout", "logs", "logview", "loja", "lost", "lost+found", "lostpassword", "love", "low", "lp", "lpt1", "lpt2", "ls", "lst", "lt", "lucene", "lunch_menu", "lv", "m", "m1", "m6", "m6_edit_item", "m6_invoice", "m6_pay", "m7", "m_images", "ma", "mac", "macadmin", "macromedia", "maestro", "magazin", "magazine", "magazines", "magento", "magic", "magnifier_xml", "magpierss", "mail", "mail_link", "mail_password", "mailbox", "mailer", "mailing", "mailinglist", "mailings", "maillist", "mailman", "mails", "mailtemplates", "mailto", "main", "main.mdb", "mainfile", "maint", "maintainers", "mainten", "maintenance", "makefile", "mal", "mall", "mambo", "mambots", "man", "mana", "manage", "managed", "management", "manager", "manifest", "manifest.mf", "mantis", "manual", "manuallogin", "manuals", "manufacturer", "manufacturers", "map", "maps", "mark", "market", "marketing", "marketplace", "markets", "master", "master.passwd", "masterpages", "masters", "masthead", "match", "matches", "math", "matrix", "matt", "maven", "mb", "mbo", "mbox", "mc", "mchat", "mcp", "mdb", "mdb-database", "me", "media", "media_center", "mediakit", "mediaplayer", "medias", "mediawiki", "medium", "meetings", "mein-konto", "mein-merkzettel", "mem", "member", "member2", "memberlist", "members", "membership", "membre", "membres", "memcached", "memcp", "memlogin", "memo", "memory", "menu", "menus", "merchant", "merchant2", "message", "messageboard", "messages", "messaging", "meta", "meta-inf", "meta_login", "meta_tags", "metabase", "metadata", "metaframe", "metatags", "mfa/challenge", "mgr", "michael", "microsoft", "midi", "migrate", "migrated", "migration", "military", "min", "mina", "mine", "mini", "mini_cal", "minicart", "minimum", "mint", "minute", "mirror", "mirrors", "misc", "miscellaneous", "missing", "mission", "mix", "mk", "mkstats", "ml", "mlist", "mm", "mm5", "mms", "mmwip", "mo", "mobi", "mobil", "mobile", "mock", "mod", "modcp", "mode", "model", "models", "modelsearch", "modem", "moderation", "moderator", "modify", "modlogan", "mods", "module", "modules", "modulos", "mojo", "money", "monitor", "monitoring", "monitors", "month", "monthly", "moodle", "more", "motd", "moto-news", "moto1", "mount", "move", "moved", "movie", "movies", "moving.page", "mozilla", "mp", "mp3", "mp3s", "mqseries", "mrtg", "ms", "ms-sql", "msadc", "msadm", "msft", "msg", "msie", "msn", "msoffice", "mspace", "msql", "mssql", "mstpre", "mt", "mt-bin", "mt-search", "mt-static", "mta", "multi", "multimedia", "music", "mx", "my", "my-account", "my-components", "my-gift-registry", "my-sql", "my-wishlist", "myaccount", "myadmin", "myblog", "mycalendar", "mycgi", "myfaces", "myhomework", "myicons", "mypage", "myphpnuke", "myspace", "mysql", "mysqld", "mysqldumper", "mysqlmanager", "mytag_js", "mytp", "n", "nachrichten", "nagios", "name", "names", "national", "nav", "navSiteAdmin", "navigation", "navsiteadmin", "nc", "ne", "net", "netbsd", "netcat", "nethome", "nets", "netscape", "netstat", "netstorage", "network", "networking", "new", "newadmin", "newattachment", "newposts", "newreply", "news", "news_insert", "newsadmin", "newsite", "newsletter", "newsletters", "newsline", "newsroom", "newssys", "newstarter", "newthread", "newticket", "next", "nextcloud", "nfs", "nice", "nieuws", "ningbar", "nk9", "nl", "no", "no-index", "nobody", "node", "noindex", "nokia", "none", "note", "notes", "notfound", "noticias", "notification", "notifications", "notified", "notifier", "notify", "novell", "nr", "ns", "nsf", "ntopic", "nude", "nuke", "nul", "null", "number", "nxfeed", "nz", "o", "oa_servlets", "oauth", "oauth/authorize", "oauth/device/code", "oauth/revoke", "oauth/token", "oauth/token/info", "obdc", "obj", "object", "objects", "obsolete", "obsoleted", "odbc", "ode", "oem", "of", "ofbiz", "off", "offer", "offerdetail", "offers", "office", "offices", "offline", "ogl", "oidc/register", "old", "old-site", "old_site", "oldie", "oldsite", "omited", "on", "onbound", "online", "onsite", "op", "open", "open-account", "openads", "openapp", "openbsd", "opencart", "opendir", "openejb", "openfile", "openjpa", "opensearch", "opensource", "openvpnadmin", "openx", "opera", "operations", "operator", "opinion", "opinions", "opml", "oprocmgr-status", "opros", "opt", "option", "options", "ora", "oracle", "oradata", "order", "order-detail", "order-follow", "order-history", "order-opc", "order-return", "order-slip", "order_history", "order_status", "orderdownloads", "ordered", "orderfinished", "orders", "orderstatus", "ordertotal", "org", "organisation", "organisations", "organizations", "orig", "original", "os", "osc", "oscommerce", "other", "others", "otrs", "out", "outcome", "outgoing", "outils", "outline", "output", "outreach", "oversikt", "overview", "owa", "owl", "owncloud", "owners", "ows", "ows-bin", "p", "p2p", "p7pm", "pa", "pack", "package", "packaged", "packages", "packaging", "packed", "pad", "page", "page-not-found", "page1", "page2", "page_1", "page_2", "page_sample1", "pageid", "pagenotfound", "pager", "pages", "pagination", "paid", "paiement", "pam", "panel", "panelc", "paper", "papers", "parse", "par", "part", "partenaires", "partner", "partners", "parts", "party", "pass", "passes", "passive", "passport", "passw", "passwd", "passwor", "password", "passwords", "past", "patch", "patches", "patents", "path", "pay", "payment", "payment_gateway", "payments", "paypal", "paypal_notify", "paypalcancel", "paypalok", "pbc_download", "pbcs", "pbcsad", "pbcsi", "pbo", "pc", "pci", "pconf", "pd", "pda", "pdf", "pdf-invoice", "pdf-order-slip", "pdfs", "pear", "peek", "peel", "pem", "pending", "people", "perf", "performance", "perl", "perl5", "person", "personal", "personals", "pfx", "pg", "pgadmin", "pgp", "pgsql", "phf", "phishing", "phone", "phones", "phorum", "photo", "photodetails", "photogallery", "photography", "photos", "php", "php-bin", "php-cgi", "php.ini", "php168", "php3", "phpBB", "phpBB2", "phpBB3", "phpEventCalendar", "phpMyAdmin", "phpMyAdmin2", "phpSQLiteAdmin", "php_uploads", "phpadmin", "phpads", "phpadsnew", "phpbb", "phpbb2", "phpbb3", "phpinfo", "phpinfo.php", "phpinfos.php", "phpldapadmin", "phplist", "phplive", "phpmailer", "phpmanual", "phpmv2", "phpmyadmin", "phpmyadmin2", "phpnuke", "phppgadmin", "phps", "phpsitemapng", "phpthumb", "phtml", "pic", "pics", "picts", "picture", "picture_library", "picturecomment", "pictures", "pii", "ping", "pingback", "pipe", "pipermail", "piranha", "pivot", "piwik", "pix", "pixel", "pixelpost", "pkg", "pkginfo", "pkgs", "pl", "placeorder", "places", "plain", "plate", "platz_login", "play", "player", "player.swf", "players", "playing", "playlist", "please", "plenty", "plesk-stat", "pls", "plugin", "plugins", "plus", "plx", "pm", "pma", "pmwiki", "pnadodb", "png", "pntables", "pntemp", "poc", "podcast", "podcasting", "podcasts", "poi", "poker", "pol", "policies", "policy", "politics", "poll", "pollbooth", "polls", "pollvote", "pool", "pop", "pop3", "popular", "populate", "popup", "popup_content", "popup_cvv", "popup_image", "popup_info", "popup_magnifier", "popup_poptions", "popups", "porn", "port", "portal", "portals", "portfolio", "portfoliofiles", "portlet", "portlets", "ports", "pos", "post", "post_thanks", "postcard", "postcards", "posted", "postgres", "postgresql", "posthistory", "postinfo", "posting", "postings", "postnuke", "postpaid", "postreview", "posts", "posttocar", "power", "power_user", "pp", "ppc", "ppcredir", "ppt", "pr", "pr0n", "pre", "preferences", "preload", "premiere", "premium", "prepaid", "prepare", "presentation", "presentations", "preserve", "press", "press_releases", "presse", "pressreleases", "pressroom", "prev", "preview", "previews", "previous", "price", "pricelist", "prices", "pricing", "print", "print_order", "printable", "printarticle", "printenv", "printer", "printers", "printmail", "printpdf", "printthread", "printview", "priv", "privacy", "privacy-policy", "privacy_policy", "privacypolicy", "privat", "private", "private2", "privateassets", "privatemsg", "prive", "privmsg", "privs", "prn", "pro", "probe", "problems", "proc", "procedures", "process", "process_order", "processform", "procure", "procurement", "prod", "prodconf", "prodimages", "producers", "product", "product-sort", "product_compare", "product_image", "product_images", "product_info", "product_reviews", "product_thumb", "productdetails", "productimage", "production", "production.log", "productquestion", "products", "products_new", "productspecs", "productupdates", "produkte", "professor", "profil", "profile", "profiles", "profiling", "proftpd", "prog", "program", "programming", "programs", "progress", "project", "project-admins", "projects", "promo", "promos", "promoted", "promotion", "promotions", "proof", "proofs", "prop", "prop-base", "properties", "property", "props", "prot", "protect", "protected", "protection", "proto", "provider", "providers", "proxies", "proxy", "prueba", "pruebas", "prv", "prv_download", "ps", "psd", "psp", "psql", "pt", "pt_BR", "ptopic", "pub", "public", "public_ftp", "public_html", "publication", "publications", "publicidad", "publish", "published", "publisher", "pubs", "pull", "purchase", "purchases", "purchasing", "pureadmin", "push", "put", "putty", "putty.reg", "pw", "pw_ajax", "pw_api", "pw_app", "pwd", "py", "python", "q", "q1", "q2", "q3", "q4", "qa", "qinetiq", "qotd", "qpid", "qsc", "quarterly", "queries", "query", "question", "questions", "queue", "queues", "quick", "quickstart", "quiz", "quote", "quotes", "r", "r57", "radcontrols", "radio", "radmind", "radmind-1", "rail", "rails", "ramon", "random", "rank", "ranks", "rar", "rarticles", "rate", "ratecomment", "rateit", "ratepic", "rates", "ratethread", "rating", "rating0", "ratings", "rb", "rcLogin", "rcp", "rcs", "rct", "rd", "rdf", "read", "reader", "readfile", "readfolder", "readme", "real", "realaudio", "realestate", "receipt", "receipts", "receive", "received", "recent", "recharge", "recherche", "recipes", "recommend", "recommends", "record", "recorded", "recorder", "records", "recoverpassword", "recovery", "recycle", "recycled", "red", "reddit", "redesign", "redir", "redirect", "redirector", "redirects", "redis", "ref", "refer", "reference", "references", "referer", "referral", "referrers", "refuse", "refused", "reg", "reginternal", "region", "regional", "register", "registered", "registration", "registrations", "registro", "reklama", "related", "release", "releases", "religion", "remind", "remind_password", "reminder", "remote", "remotetracer", "removal", "removals", "remove", "removed", "render", "render?url=https://www.google.com", "render/https://www.google.com", "rendered", "reorder", "rep", "repl", "replica", "replicas", "replicate", "replicated", "replication", "replicator", "reply", "repo", "report", "reporting", "reports", "reports list", "repository", "repost", "reprints", "reputation", "req", "reqs", "request", "requested", "requests", "require", "requisite", "requisition", "requisitions", "res", "research", "reseller", "resellers", "reservation", "reservations", "resin", "resin-admin", "resize", "resolution", "resolve", "resolved", "resource", "resources", "respond", "responder", "rest", "restaurants", "restore", "restored", "restricted", "result", "results", "resume", "resumes", "retail", "returns", "reusablecontent", "reverse", "reversed", "revert", "reverted", "review", "reviews", "rfid", "rhtml", "right", "ro", "roadmap", "roam", "roaming", "robot", "robotics", "robots", "robots.txt", "role", "roles", "roller", "room", "root", "rorentity", "rorindex", "rortopics", "route", "router", "routes", "rpc", "rs", "rsa", "rss", "rss10", "rss2", "rss20", "rssarticle", "rssfeed", "rsync", "rte", "rtf", "ru", "rub", "ruby", "rule", "rules", "run", "rus", "rwservlet", "s", "s1", "sa", "safe", "safety", "sale", "sales", "salesforce", "sam", "samba", "saml", "sample", "samples", "san", "sandbox", "sav", "save", "saved", "saves", "sb", "sbin", "sc", "scan", "scanned", "scans", "scgi-bin", "sched", "schedule", "scheduled", "scheduling", "schema", "schemas", "schemes", "school", "schools", "science", "scope", "scr", "scratc", "screen", "screens", "screenshot", "screenshots", "script", "scripte", "scriptlet", "scriptlets", "scriptlibrary", "scriptresource", "scripts", "sd", "sdk", "se", "search", "search-results", "search_result", "search_results", "searchnx", "searchresults", "searchurl", "sec", "seccode", "second", "secondary", "secret", "secrets", "section", "sections", "secure", "secure_login", "secureauth", "secured", "secureform", "secureprocess", "securimage", "security", "security.txt", "seed", "select", "selectaddress", "selected", "selection", "self", "sell", "sem", "seminar", "seminars", "send", "send-password", "send_order", "send_pwd", "send_to_friend", "sendform", "sendfriend", "sendmail", "sendmessage", "sendpm", "sendthread", "sendto", "sendtofriend", "sensepost", "sensor", "sent", "seo", "serial", "serv", "serve", "server", "server-info", "server-status", "server_admin_small", "server_stats", "servers", "service", "services", "servicios", "servlet", "servlets", "servlets-examples", "servlet/GetProductVersion", "sess", "session", "sessionid", "sessions", "set", "setcurrency", "setlocale", "setting", "settings", "setup", "setvatsetting", "sex", "sf", "sg", "sh", "shadow", "shaken", "share", "shared", "shares", "shell", "shim", "ship", "shipped", "shipping", "shipping_help", "shippinginfo", "shipquote", "shit", "shockwave", "shop", "shop_closed", "shop_content", "shopadmin", "shopper", "shopping", "shopping-lists", "shopping_cart", "shoppingcart", "shops", "shops_buyaction", "shopstat", "shopsys", "shoutbox", "show", "show_post", "show_thread", "showallsites", "showcase", "showcat", "showcode", "showcode.asp", "showenv", "showgroups", "showjobs", "showkey", "showlogin", "showmap", "showmsg", "showpost", "showroom", "shows", "showthread", "shtml", "si", "sid", "sign", "sign-up", "sign_up", "signature", "signaturepics", "signed", "signer", "signin", "signing", "signoff", "signon", "signout", "signup", "simple", "simpleLogin", "simplelogin", "single", "single_pages", "sink", "site", "site-map", "site_map", "siteadmin", "sitebuilder", "sitecore", "sitefiles", "siteimages", "sitemap", "sitemap.gz", "sitemap.xml", "sitemaps", "sitemgr", "sites", "sitesearch", "sk", "skel", "skin", "skin1", "skin1_original", "skins", "skip", "sl", "slabel", "slashdot", "slide_show", "slides", "slideshow", "slimstat", "sling", "sm", "small", "smarty", "smb", "smblogin", "smf", "smile", "smiles", "smileys", "smilies", "sms", "smtp", "snippets", "snoop", "snp", "so", "soap", "soapdocs", "soaprouter", "social", "soft", "software", "sohoadmin", "solaris", "sold", "solution", "solutions", "solve", "solved", "somebody", "songs", "sony", "soporte", "sort", "sound", "sounds", "source", "sources", "sox", "sp", "space", "spacer", "spain", "spam", "spamlog.log", "spanish", "spaw", "speakers", "spec", "special", "special_offers", "specials", "specified", "specs", "speedtest", "spellchecker", "sphider", "spider", "spiders", "splash", "sponsor", "sponsors", "spool", "sport", "sports", "spotlight", "spryassets", "spyware", "sq", "sql", "sql-admin", "sqladmin", "sqlmanager", "sqlnet", "sqlweb", "squelettes", "squelettes-dist", "squirrel", "squirrelmail", "sr", "src", "srchad", "srv", "ss", "ss_vms_admin_sm", "ssfm", "ssh", "sshadmin", "ssi", "ssl", "ssl_check", "sslvpn", "ssn", "sso", "ssp_director", "st", "stackdump", "staff", "staff_directory", "stage", "staging", "stale", "standalone", "standard", "standards", "star", "staradmin", "start", "starter", "startpage", "stat", "state", "statement", "statements", "states", "static", "staticpages", "statistic", "statistics", "statistik", "stats", "statshistory", "status", "statusicon", "stock", "stoneedge", "stop", "storage", "store", "store_closed", "stored", "stores", "stories", "story", "stow", "strategy", "stream", "string", "strut", "struts", "student", "students", "studio", "stuff", "style", "style_avatars", "style_captcha", "style_css", "style_emoticons", "style_images", "styles", "stylesheet", "stylesheets", "sub", "sub-login", "subdomains", "subject", "submenus", "submissions", "submit", "submitter", "subs", "subscribe", "subscribed", "subscriber", "subscribers", "subscription", "subscriptions", "success", "suche", "sucontact", "suffix", "suggest", "suggest-listing", "suite", "suites", "summary", "sun", "sunos", "super", "supplier", "support", "support_login", "supported", "surf", "survey", "surveys", "suspended.page", "suupgrade", "sv", "svc", "svn", "svn-base", "svr", "sw", "swajax1", "swf", "swfobject.js", "swfs", "switch", "sws", "synapse", "sync", "synced", "syndication", "sys", "sys-admin", "sysadmin", "sysadmin2", "sysadmins", "sysmanager", "system", "system-admin", "system-administration", "system_admin", "system_administration", "system_web", "systems", "sysuser", "szukaj", "t", "t1", "t3lib", "table", "tabs", "tag", "tagline", "tags", "tail", "talk", "talks", "tape", "tapes", "tapestry", "tar", "tar.bz2", "tar.gz", "target", "tartarus", "task", "tasks", "taxonomy", "tb", "tcl", "te", "team", "tech", "technical", "technology", "tel", "tele", "television", "tell_a_friend", "tell_friend", "tellafriend", "temaoversikt", "temp", "templ", "template", "templates", "templates_c", "templets", "temporal", "temporary", "temps", "term", "terminal", "terms", "terms-of-use", "terms_privacy", "termsofuse", "terrorism", "test", "test-cgi", "test-env", "test1", "test123", "test1234", "test2", "test3", "test_db", "teste", "testimonial", "testimonials", "testing", "tests", "testsite", "texis", "text", "text-base", "textobject", "textpattern", "texts", "tgp", "tgz", "th", "thank-you", "thanks", "thankyou", "the", "theme", "themes", "thickbox", "third-party", "this", "thread", "threadrate", "threads", "threadtag", "thumb", "thumbnail", "thumbnails", "thumbs", "thumbs.db", "ticket", "ticket_list", "ticket_new", "tickets", "tienda", "tiki", "tiles", "time", "timeline", "tiny_mce", "tinymce", "tip", "tips", "title", "titles", "tl", "tls", "tmp", "tmpl", "tmps", "tn", "tncms", "to", "toc", "today", "todel", "todo", "toggle", "token", "token/introspect", "token/revoke", "tomcat", "tomcat-docs", "tool", "toolbar", "toolkit", "tools", "top", "top1", "topic", "topicadmin", "topics", "toplist", "toplists", "topnav", "topsites", "torrent", "torrents", "tos", "tour", "tours", "toys", "tp", "tpl", "tpv", "tr", "trac", "trace", "traceroute", "traces", "track", "trackback", "trackclick", "tracker", "trackers", "tracking", "trackpackage", "tracks", "trade", "trademarks", "traffic", "trailer", "trailers", "training", "trans", "transaction", "transactions", "transfer", "transformations", "translate", "translations", "transparent", "transport", "trap", "trash", "travel", "treasury", "tree", "trees", "trends", "trial", "true", "trunk", "tslib", "tsweb", "tt", "tuning", "turbine", "tuscany", "tutorial", "tutorials", "tv", "tw", "twatch", "tweak", "twiki", "twitter", "tx", "txt", "type", "typo3", "typo3_src", "typo3conf", "typo3temp", "typolight", "u", "ua", "ubb", "uc", "uc_client", "uc_server", "ucenter", "ucp", "uddi", "uds", "ui", "uk", "umbraco", "umbraco_client", "umts", "uncategorized", "under_update", "uninstall", "union", "unix", "unlock", "unpaid", "unreg", "unregister", "unsafe", "unsubscribe", "unused", "up", "upcoming", "upd", "update", "updated", "updateinstaller", "updater", "updates", "updates-topic", "upgrade", "upgrade.readme", "upload", "upload_file", "upload_files", "uploaded", "uploadedfiles", "uploadedimages", "uploader", "uploadfile", "uploadfiles", "uploads", "ur-admin", "urchin", "url", "urlrewriter", "urls", "us", "usa", "usage", "user", "user_upload", "useradmin", "userapp", "usercontrols", "usercp", "usercp2", "userdir", "userfiles", "userimages", "userinfo", "userlist", "userlog", "userlogin", "usermanager", "username", "usernames", "usernote", "users", "usr", "usrmgr", "usrs", "ustats", "usuario", "usuarios", "util", "utilities", "utility", "utility_login", "utils", "v", "v1", "v1/client_configs", "v2", "v2/client_configs", "v3", "v4", "vadmind", "validation", "validatior", "vap", "var", "vault", "vb", "vbmodcp", "vbs", "vbscript", "vbscripts", "vbseo", "vbseocp", "vcss", "vdsbackup", "vector", "vehicle", "vehiclemakeoffer", "vehiclequote", "vehicletestdrive", "velocity", "venda", "vendor", "vendors", "ver", "ver1", "ver2", "version", "verwaltung", "vfs", "vi", "viagra", "vid", "video", "videos", "view", "view-source", "view_cart", "viewcart", "viewcvs", "viewer", "viewfile", "viewforum", "viewlogin", "viewonline", "views", "viewsource", "viewsvn", "viewthread", "viewtopic", "viewvc", "vip", "virtual", "virus", "visit", "visitor", "visitormessage", "vista", "vm", "vmailadmin", "void", "voip", "vol", "volunteer", "vote", "voted", "voter", "votes", "vp", "vpg", "vpn", "vs", "vsadmin", "vuln", "vvc_display", "w", "w3", "w3c", "w3svc", "wa", "wallpaper", "wallpapers", "wap", "war", "warenkorb", "warez", "warn", "way-board", "wbboard", "wbsadmin", "wc", "wcs", "wdav", "weather", "web", "web-beans", "web-console", "web-inf", "web.config", "web.xml", "web1", "web2", "web3", "web_users", "webaccess", "webadm", "webadmin", "webagent", "webalizer", "webapp", "webapps", "webb", "webbbs", "webboard", "webcalendar", "webcam", "webcart", "webcast", "webcasts", "webcgi", "webcharts", "webchat", "webctrl_client", "webdata", "webdav", "webdb", "webdist", "webedit", "webfm_send", "webhits", "webim", "webinar", "weblog", "weblogic", "weblogs", "webmail", "webmaster", "webmasters", "webpack.manifest.json", "webpages", "webplus", "webresource", "websearch", "webservice", "webservices", "webshop", "website", "websites", "websphere", "websql", "webstat", "webstats", "websvn", "webtrends", "webusers", "webvpn", "webwork", "wedding", "week", "weekly", "welcome", "wellcome", "werbung", "wget", "what", "whatever", "whatnot", "whatsnew", "white", "whitepaper", "whitepapers", "who", "whois", "wholesale", "whosonline", "why", "wicket", "wide_search", "widget", "widgets", "wifi", "wii", "wiki", "will", "win", "win32", "windows", "wink", "winnt", "wireless", "wishlist", "with", "wizmysqladmin", "wml", "wolthuis", "word", "wordpress", "work", "workarea", "workflowtasks", "working", "workplace", "works", "workshop", "workshops", "world", "worldpayreturn", "worldwide", "wow", "wp", "wp-admin", "wp-app", "wp-atom", "wp-blog-header", "wp-comments", "wp-commentsrss2", "wp-config", "wp-content", "wp-cron", "wp-dbmanager", "wp-feed", "wp-icludes", "wp-images", "wp-includes", "wp-links-opml", "wp-load", "wp-login", "wp-mail", "wp-pass", "wp-rdf", "wp-register", "wp-rss", "wp-rss2", "wp-settings", "wp-signup", "wp-syntax", "wp-trackback", "wpau-backup", "wpcallback", "wpcontent", "wps", "wrap", "writing", "ws", "ws-client", "ws_ftp", "wsdl", "wss", "wstat", "wstats", "wt", "wtai", "wusage", "wwhelp", "www", "www-sql", "www1", "www2", "www3", "wwwboard", "wwwjoin", "wwwlog", "wwwroot", "wwwstat", "wwwstats", "wwwthreads", "wwwuser", "wysiwyg", "wysiwygpro", "x", "xajax", "xajax_js", "xalan", "xbox", "xcache", "xcart", "xd_receiver", "xdb", "xerces", "xfer", "xhtml", "xlogin", "xls", "xmas", "xml", "xml-rpc", "xmlfiles", "xmlimporter", "xmlrpc", "xmlrpc.php", "xn", "xsl", "xslt", "xsql", "xx", "xxx", "xyz", "xyzzy", "y", "yahoo", "year", "yearly", "yesterday", "yml", "yonetici", "yonetim", "youtube", "yshop", "yt", "yui", "z", "zap", "zboard", "zencart", "zend", "zero", "zeus", "zh", "zh-cn", "zh-tw", "zh_CN", "zh_TW", "zimbra", "zip", "zipfiles", "zips", "zoeken", "zoom", "zope", "zorum", "zt", "~adm", "~admin", "~administrator", "~amanda", "~apache", "~bin", "~ftp", "~guest", "~http", "~httpd", "~log", "~logs", "~lp", "~mail", "~nobody", "~operator", "~root", "~sys", "~sysadm", "~sysadmin", "~test", "~tmp", "~user", "~webmaster", "~www"] subdomains_db = ["www", "mail", "ftp", "localhost", "webmail", "smtp", "webdisk", "pop", "cpanel", "whm", "ns1", "ns2", "autodiscover", "autoconfig", "ns", "test", "m", "blog", "dev", "www2", "ns3", "pop3", "forum", "admin", "mail2", "vpn", "mx", "imap", "old", "new", "mobile", "mysql", "beta", "support", "cp", "secure", "shop", "demo", "dns2", "ns4", "dns1", "static", "lists", "web", "www1", "img", "news", "portal", "server", "wiki", "api", "media", "images", "www.blog", "backup", "dns", "sql", "intranet", "www.forum", "www.test", "stats", "host", "video", "mail1", "mx1", "www3", "staging", "www.m", "sip", "chat", "search", "crm", "mx2", "ads", "ipv4", "remote", "email", "my", "wap", "svn", "store", "cms", "download", "proxy", "www.dev", "mssql", "apps", "dns3", "exchange", "mail3", "forums", "ns5", "db", "office", "live", "files", "info", "owa", "monitor", "helpdesk", "panel", "sms", "newsletter", "ftp2", "web1", "web2", "upload", "home", "bbs", "login", "app", "en", "blogs", "it", "cdn", "stage", "gw", "dns4", "www.demo", "ssl", "cn", "smtp2", "vps", "ns6", "relay", "online", "service", "test2", "radio", "ntp", "library", "help", "www4", "members", "tv", "www.shop", "extranet", "hosting", "ldap", "services", "webdisk.blog", "s1", "i", "survey", "s", "www.mail", "www.new", "c-n7k-v03-01.rz", "data", "docs", "c-n7k-n04-01.rz", "ad", "legacy", "router", "de", "meet", "cs", "av", "sftp", "server1", "stat", "moodle", "facebook", "test1", "photo", "partner", "nagios", "mrtg", "s2", "mailadmin", "dev2", "ts", "autoconfig.blog", "autodiscover.blog", "games", "jobs", "image", "host2", "gateway", "preview", "www.support", "im", "ssh", "correo", "control", "ns0", "vpn2", "cloud", "archive", "citrix", "webdisk.m", "voip", "connect", "game", "smtp1", "access", "lib", "www5", "gallery", "redmine", "es", "irc", "stream", "qa", "dl", "billing", "construtor", "lyncdiscover", "painel", "fr", "projects", "a", "pgsql", "mail4", "tools", "iphone", "server2", "dbadmin", "manage", "jabber", "music", "webmail2", "www.beta", "mailer", "phpmyadmin", "t", "reports", "rss", "pgadmin", "images2", "mx3", "www.webmail", "ws", "content", "sv", "web3", "community", "poczta", "www.mobile", "ftp1", "dialin", "us", "sp", "panelstats", "vip", "cacti", "s3", "alpha", "videos", "ns7", "promo", "testing", "sharepoint", "marketing", "sitedefender", "member", "webdisk.dev", "emkt", "training", "edu", "autoconfig.m", "git", "autodiscover.m", "catalog", "webdisk.test", "job", "ww2", "www.news", "sandbox", "elearning", "fb", "webmail.cp", "downloads", "speedtest", "design", "staff", "master", "panelstatsmail", "v2", "db1", "mailserver", "builder.cp", "travel", "mirror", "ca", "sso", "tickets", "alumni", "sitebuilder", "www.admin", "auth", "jira", "ns8", "partners", "ml", "list", "images1", "club", "business", "update", "fw", "devel", "local", "wp", "streaming", "zeus", "images3", "adm", "img2", "gate", "pay", "file", "seo", "status", "share", "maps", "zimbra", "webdisk.forum", "trac", "oa", "sales", "post", "events", "project", "xml", "wordpress", "images4", "main", "english", "e", "img1", "db2", "time", "redirect", "go", "bugs", "direct", "www6", "social", "www.old", "development", "calendar", "www.forums", "ru", "www.wiki", "monitoring", "hermes", "photos", "bb", "mx01", "mail5", "temp", "map", "ns10", "tracker", "sport", "uk", "hr", "autodiscover.test", "conference", "free", "autoconfig.test", "client", "vpn1", "autodiscover.dev", "b2b", "autoconfig.dev", "noc", "webconf", "ww", "payment", "firewall", "intra", "rt", "v", "clients", "www.store", "gis", "m2", "event", "origin", "site", "domain", "barracuda", "link", "ns11", "internal", "dc", "smtp3", "zabbix", "mdm", "assets", "images6", "www.ads", "mars", "mail01", "pda", "images5", "c", "ns01", "tech", "ms", "images7", "autoconfig.forum", "public", "css", "autodiscover.forum", "webservices", "www.video", "web4", "orion", "pm", "fs", "w3", "student", "www.chat", "domains", "book", "lab", "o1.email", "server3", "img3", "kb", "faq", "health", "in", "board", "vod", "www.my", "cache", "atlas", "php", "images8", "wwww", "voip750101.pg6.sip", "cas", "origin-www", "cisco", "banner", "mercury", "w", "directory", "mailhost", "test3", "shopping", "webdisk.demo", "ip", "market", "pbx", "careers", "auto", "idp", "ticket", "js", "ns9", "outlook", "foto", "www.en", "pro", "mantis", "spam", "movie", "s4", "lync", "jupiter", "dev1", "erp", "register", "adv", "b", "corp", "sc", "ns12", "images0", "enet1", "mobil", "lms", "net", "storage", "ss", "ns02", "work", "webcam", "www7", "report", "admin2", "p", "nl", "love", "pt", "manager", "d", "cc", "android", "linux", "reseller", "agent", "web01", "sslvpn", "n", "thumbs", "links", "mailing", "hotel", "pma", "press", "venus", "finance", "uesgh2x", "nms", "ds", "joomla", "doc", "flash", "research", "dashboard", "track", "www.img", "x", "rs", "edge", "deliver", "sync", "oldmail", "da", "order", "eng", "testbrvps", "user", "radius", "star", "labs", "top", "srv1", "mailers", "mail6", "pub", "host3", "reg", "lb", "log", "books", "phoenix", "drupal", "affiliate", "www.wap", "webdisk.support", "www.secure", "cvs", "st", "wksta1", "saturn", "logos", "preprod", "m1", "backup2", "opac", "core", "vc", "mailgw", "pluto", "ar", "software", "jp", "srv", "newsite", "www.members", "openx", "otrs", "titan", "soft", "analytics", "code", "mp3", "sports", "stg", "whois", "apollo", "web5", "ftp3", "www.download", "mm", "art", "host1", "www8", "www.radio", "demo2", "click", "smail", "w2", "feeds", "g", "education", "affiliates", "kvm", "sites", "mx4", "autoconfig.demo", "controlpanel", "autodiscover.demo", "tr", "ebook", "www.crm", "hn", "black", "mcp", "adserver", "www.staging", "static1", "webservice", "f", "develop", "sa", "katalog", "as", "smart", "pr", "account", "mon", "munin", "www.games", "www.media", "cam", "school", "r", "mc", "id", "network", "www.live", "forms", "math", "mb", "maintenance", "pic", "agk", "phone", "bt", "sm", "demo1", "ns13", "tw", "ps", "dev3", "tracking", "green", "users", "int", "athena", "www.static", "www.info", "security", "mx02", "prod", 1, "team", "transfer", "www.facebook", "www10", "v1", "google", "proxy2", "feedback", "vpgk", "auction", "view", "biz", "vpproxy", "secure2", "www.it", "newmail", "sh", "mobi", "wm", "mailgate", "dms", "11192521404255", "autoconfig.support", "play", "11192521403954", "start", "life", "autodiscover.support", "antispam", "cm", "booking", "iris", "www.portal", "hq", "gc._msdcs", "neptune", "terminal", "vm", "pool", "gold", "gaia", "internet", "sklep", "ares", "poseidon", "relay2", "up", "resources", "is", "mall", "traffic", "webdisk.mail", "www.api", "join", "smtp4", "www9", "w1", "upl", "ci", "gw2", "open", "audio", "fax", "alfa", "www.images", "alex", "spb", "xxx", "ac", "edm", "mailout", "webtest", "nfs01.jc", "me", "sun", "virtual", "spokes", "ns14", "webserver", "mysql2", "tour", "igk", "wifi", "pre", "abc", "corporate", "adfs", "srv2", "delta", "loopback", "magento", "br", "campus", "law", "global", "s5", "web6", "orange", "awstats", "static2", "learning", "www.seo", "china", "gs", "www.gallery", "tmp", "ezproxy", "darwin", "bi", "best", "mail02", "studio", "sd", "signup", "dir", "server4", "archives", "golf", "omega", "vps2", "sg", "ns15", "win", "real", "www.stats", "c1", "eshop", "piwik", "geo", "mis", "proxy1", "web02", "pascal", "lb1", "app1", "mms", "apple", "confluence", "sns", "learn", "classifieds", "pics", "gw1", "www.cdn", "rp", "matrix", "repository", "updates", "se", "developer", "meeting", "twitter", "artemis", "au", "cat", "system", "ce", "ecommerce", "sys", "ra", "orders", "sugar", "ir", "wwwtest", "bugzilla", "listserv", "www.tv", "vote", "webmaster", "webdev", "sam", "www.de", "vps1", "contact", "galleries", "history", "journal", "hotels", "www.newsletter", "podcast", "dating", "sub", "www.jobs", "www.intranet", "www.email", "mt", "science", "counter", "dns5", 2, "people", "ww3", "www.es", "ntp1", "vcenter", "test5", "radius1", "ocs", "power", "pg", "pl", "magazine", "sts", "fms", "customer", "wsus", "bill", "www.hosting", "vega", "nat", "sirius", "lg", "11285521401250", "sb", "hades", "students", "uat", "conf", "ap", "uxr4", "eu", "moon", "www.search", "checksrv", "hydra", "usa", "digital", "wireless", "banners", "md", "mysite", "webmail1", "windows", "traveler", "www.poczta", "hrm", "database", "mysql1", "inside", "debian", "pc", "ask", "backend", "cz", "mx0", "mini", "autodiscover.mail", "rb", "webdisk.shop", "mba", "www.help", "www.sms", "test4", "dm", "subscribe", "sf", "passport", "red", "video2", "ag", "autoconfig.mail", "all.edge", "registration", "ns16", "camera", "myadmin", "ns20", "uxr3", "mta", "beauty", "fw1", "epaper", "central", "cert", "backoffice", "biblioteca", "mob", "about", "space", "movies", "u", "ms1", "ec", "forum2", "server5", "money", "radius2", "print", "ns18", "thunder", "nas", "ww1", "webdisk.webmail", "edit", "www.music", "planet", "m3", "vstagingnew", "app2", "repo", "prueba", "house", "ntp2", "dragon", "pandora", "stock", "form", "pp", "www.sport", "physics", "food", "groups", "antivirus", "profile", "www.online", "stream2", "hp", "d1", "nhko1111", "logs", "eagle", "v3", "mail7", "gamma", "career", "vpn3", "ipad", "dom", "webdisk.store", "iptv", "www.promo", "hd", "mag", "box", "talk", "hera", "f1", "www.katalog", "syslog", "fashion", "t1", "2012", "soporte", "teste", "scripts", "welcome", "hk", "paris", "www.game", "multimedia", "neo", "beta2", "msg", "io", "portal2", "sky", "webdisk.beta", "web7", "exam", "cluster", "webdisk.new", "img4", "surveys", "webmail.controlpanel", "error", "private", "bo", "kids", "card", "vmail", "switch", "messenger", "cal", "plus", "cars", "management", "feed", "xmpp", "ns51", "premium", "www.apps", "backup1", "asp", "ns52", "website", "pos", "lb2", "www.foto", "ws1", "domino", "mailman", "asterisk", "weather", "max", "ma", "node1", "webapps", "white", "ns17", "cdn2", "dealer", "pms", "tg", "gps", "www.travel", "listas", "chelyabinsk-rnoc-rr02.backbone", "hub", "demo3", "minecraft", "ns22", "hw70f395eb456e", "dns01", "wpad", "nm", "ch", "www.catalog", "ns21", "web03", "www.videos", "rc", "www.web", "gemini", "bm", "lp", "pdf", "webapp", "noticias", "myaccount", "sql1", "hercules", "ct", "fc", "mail11", "pptp", "contest", "www.us", "msk", "widget", "study", "11290521402560", "posta", "ee", "realestate", "out", "galaxy", "kms", "thor", "world", "webdisk.mobile", "www.test2", "base", "cd", "relay1", "taurus", "cgi", "www0", "res", "d2", "intern", "c2", "webdav", "mail10", "robot", "vcs", "am", "dns02", "group", "silver", "www.dl", "adsl", "ids", "ex", "ariel", "i2", "trade", "ims", "king", "www.fr", "sistemas", "ecard", "themes", "builder.controlpanel", "blue", "z", "securemail", "www-test", "wmail", "123", "sonic", "netflow", "enterprise", "extra", "webdesign", "reporting", "libguides", "oldsite", "autodiscover.secure", "check", "webdisk.secure", "luna", "www11", "down", "odin", "ent", "web10", "international", "fw2", "leo", "pegasus", "mailbox", "aaa", "com", "acs", "vdi", "inventory", "simple", "e-learning", "fire", "cb", "edi", "rsc", "yellow", "www.sklep", "www.social", "webmail.cpanel", "act", "bc", "portfolio", "hb", "smtp01", "cafe", "nexus", "www.edu", "ping", "movil", "as2", "builder.control", "autoconfig.secure", "payments", "cdn1", "srv3", "openvpn", "tm", "cisco-capwap-controller", "dolphin", "webmail3", "minerva", "co", "wwwold", "hotspot", "super", "products", "nova", "r1", "blackberry", "mike", "pe", "acc", "lion", "tp", "tiger", "stream1", "www12", "admin1", "mx5", "server01", "webdisk.forums", "notes", "suporte", "focus", "km", "speed", "rd", "lyncweb", "builder.cpanel", "pa", "mx10", "www.files", "fi", "konkurs", "broadcast", "a1", "build", "earth", "webhost", "www.blogs", "aurora", "review", "mg", "license", "homer", "servicedesk", "webcon", "db01", "dns6", "cfd297", "spider", "expo", "newsletters", "h", "ems", "city", "lotus", "fun", "autoconfig.webmail", "statistics", "ams", "all.videocdn", "autodiscover.shop", "autoconfig.shop", "tfs", "www.billing", "happy", "cl", "sigma", "jwc", "dream", "sv2", "wms", "one", "ls", "europa", "ldap2", "a4", "merlin", "buy", "web11", "dk", "autodiscover.webmail", "ro", "widgets", "sql2", "mysql3", "gmail", "selfservice", "sdc", "tt", "mailrelay", "a.ns", "ns19", "webstats", "plesk", "nsk", "test6", "class", "agenda", "adam", "german", "www.v2", "renew", "car", "correio", "bk", "db3", "voice", "sentry", "alt", "demeter", "www.projects", "mail8", "bounce", "tc", "oldwww", "www.directory", "uploads", "carbon", "all", "mark", "bbb", "eco", "3g", "testmail", "ms2", "node2", "template", "andromeda", "www.photo", "media2", "articles", "yoda", "sec", "active", "nemesis", "autoconfig.new", "autodiscover.new", "push", "enews", "advertising", "mail9", "api2", "david", "source", "kino", "prime", "o", "vb", "testsite", "fm", "c4anvn3", "samara", "reklama", "made.by", "sis", "q", "mp", "newton", "elearn", "autodiscover.beta", "cursos", "filter", "autoconfig.beta", "news2", "mf", "ubuntu", "ed", "zs", "a.mx", "center", "www.sandbox", "img5", "translate", "webmail.control", "mail0", "smtp02", "s6", "dallas", "bob", "autoconfig.store", "stu", "recruit", "mailtest", "reviews", "autodiscover.store", "2011", "www.iphone", "fp", "d3", "rdp", "www.design", "test7", "bg", "console", "outbound", "jpkc", "ext", "invest", "web8", "testvb", "vm1", "family", "insurance", "atlanta", "aqua", "film", "dp", "ws2", "webdisk.cdn", "www.wordpress", "webdisk.news", "at", "ocean", "dr", "yahoo", "s8", "host2123", "libra", "rose", "cloud1", "album", "3", "antares", "www.a", "ipv6", "bridge", "demos", "cabinet", "crl", "old2", "angel", "cis", "www.panel", "isis", "s7", "guide", "webinar", "pop2", "cdn101", "company", "express", "special", "loki", "accounts", "video1", "expert", "clientes", "p1", "loja", "blog2", "img6", "l", "mail12", "style", "hcm", "s11", "mobile2", "triton", "s12", "kr", "www.links", "s13", "friends", "www.office", "shadow", "mymail", "autoconfig.forums", "ns03", "neu", "autodiscover.forums", "www.home", "root", "upgrade", "puppet", "storm", "www.service", "isp", "get", "foro", "mytest", "test10", "desktop", "po", "mac", "www.member", "ph", "blackboard", "dspace", "dev01", "ftp4", "testwww", "presse", "ldap1", "rock", "wow", "sw", "msn", "mas", "scm", "its", "vision", "tms", "www.wp", "hyperion", "nic", "html", "sale", "isp-caledon.cit", "www.go", "do", "media1", "web9", "ua", "energy", "helios", "chicago", "webftp", "i1", "commerce", "www.ru", "union", "netmon", "audit", "vm2", "mailx", "web12", "painelstats", "sol", "z-hn.nhac", "kvm2", "chris", "www.board", "apache", "tube", "marvin", "bug", "external", "pki", "viper", "webadmin", "production", "r2", "win2", "vpstun", "mx03", "ios", "www.uk", "smile", "www.fb", "aa", "www13", "trinity", "www.upload", "www.testing", "amazon", "hosting2", "bip", "mw", "www.health", "india", "web04", "rainbow", "cisco-lwapp-controller", "uranus", "qr", "domaindnszones", "editor", "www.stage", "manual", "nice", "robin", "gandalf", "j", "buzz", "password", "autoconfig.mobile", "gb", "idea", "eva", "www.i", "server6", "www.job", "results", "www.test1", "maya", "pix", "www.cn", "gz", "th", "www.lib", "autodiscover.mobile", "b1", "horus", "zero", "sv1", "wptest", "cart", "brain", "mbox", "bd", "tester", "fotos", "ess", "ns31", "blogx.dev", "ceres", "gatekeeper", "csr", "www.cs", "sakura", "chef", "parking", "idc", "desarrollo", "mirrors", "sunny", "kvm1", "prtg", "mo", "dns0", "chaos", "avatar", "alice", "task", "www.app", "dev4", "sl", "sugarcrm", "youtube", "ic-vss6509-gw", "simon", "m4", "dexter", "crystal", "terra", "fa", "server7", "journals", "iron", "uc", "pruebas", "magic", "ead", "www.helpdesk", "4", "server10", "computer", "galileo", "delivery", "aff", "aries", "www.development", "el", "livechat", "host4", "static3", "www.free", "sk", "puma", "coffee", "gh", "java", "fish", "templates", "tarbaby", "mtest", "light", "www.link", "sas", "poll", "director", "destiny", "aquarius", "vps3", "bravo", "freedom", "boutique", "lite", "ns25", "shop2", "ic", "foundation", "cw", "ras", "park", "next", "diana", "secure1", "k", "euro", "managedomain", "castor", "www-old", "charon", "nas1", "la", "jw", "s10", "web13", "mxbackup2", "europe", "oasis", "donate", "s9", "ftps", "falcon", "depot", "genesis", "mysql4", "rms", "ns30", "www.drupal", "wholesale", "forestdnszones", "www.alumni", "marketplace", "tesla", "statistik", "country", "imap4", "brand", "gift", "shell", "www.dev2", "apply", "nc", "kronos", "epsilon", "testserver", "smtp-out", "pictures", "autos", "org", "mysql5", "france", "shared", "cf", "sos", "stun", "channel", "2013", "moto", "pw", "oc.pool", "eu.pool", "na.pool", "cams", "www.auto", "pi", "image2", "test8", "hi", "casino", "magazin", "wwwhost-roe001", "z-hcm.nhac", "trial", "cam1", "victor", "sig", "ctrl", "wwwhost-ox001", "weblog", "rds", "first", "farm", "whatsup", "panda", "dummy", "stream.origin", "canada", "wc", "flv", "www.top", "emerald", "sim", "ace", "sap", "ga", "bank", "et", "soap", "guest", "mdev", "www.client", "www.partner", "easy", "st1", "webvpn", "baby", "s14", "delivery.a", "wwwhost-port001", "hideip", "graphics", "webshop", "catalogue", "tom", "rm", "perm", "www.ad", "ad1", "mail03", "www.sports", "water", "intranet2", "autodiscover.news", "bj", "nsb", "charge", "export", "testweb", "sample", "quit", "proxy3", "email2", "b2", "servicios", "novo", "new2", "meta", "secure3", "ajax", "autoconfig.news", "ghost", "www.cp", "good", "bookstore", "kiwi", "ft", "demo4", "www.archive", "squid", "publish", "west", "football", "printer", "cv", "ny", "boss", "smtp5", "rsync", "sip2", "ks", "leon", "a3", "mta1", "epay", "tst", "mgmt", "deals", "dropbox", "www.books", "2010", "torrent", "webdisk.ads", "mx6", "www.art", "chem", "iproxy", "www.pay", "anime", "ccc", "anna", "ns23", "hs", "cg", "acm", "pollux", "lt", "meteo", "owncloud", "andrew", "v4", "www-dev", "oxygen", "jaguar", "panther", "personal", "ab", "dcp", "med", "www.joomla", "john", "watson", "motor", "mails", "kiev", "asia", "campaign", "win1", "cards", "fantasy", "tj", "martin", "helium", "nfs", "ads2", "script", "anubis", "imail", "cp2", "mk", "bw", "em", "creative", "www.elearning", "ad2", "stars", "discovery", "friend", "reservations", "buffalo", "cdp", "uxs2r", "atom", "cosmos", "www.business", "a2", "xcb", "allegro", "om", "ufa", "dw", "cool", "files2", "webdisk.chat", "ford", "oma", "zzb", "staging2", "texas", "ib", "cwc", "aphrodite", "re", "spark", "www.ftp", "oscar", "atlantis", "osiris", "os", "m5", "dl1", "www.shopping", "ice", "beta1", "mcu", "inter", "interface", "gm", "kiosk", "so", "dss", "www.survey", "customers", "fx", "nsa", "csg", "mi", "url", "dl2", "show", "www.classifieds", "mexico", "knowledge", "frank", "tests", "accounting", "krasnodar", "um", "hc", "www.nl", "echo", "property", "gms", "london", "www.clients", "academy", "cyber", "www.english", "museum", "poker", "www.downloads", "gp", "cr", "arch", "gd", "virgo", "si", "smtp-relay", "ipc", "gay", "gg", "oracle", "ruby", "grid", "web05", "i3", "tool", "bulk", "jazz", "price", "pan", "webdisk.admin", "agora", "w4", "mv", "www.moodle", "phantom", "web14", "radius.auth", "voyager", "mint", "einstein", "wedding", "sqladmin", "cam2", "autodiscover.chat", "trans", "che", "bp", "dsl", "kazan", "autoconfig.chat", "al", "pearl", "transport", "lm", "h1", "condor", "homes", "air", "stargate", "ai", "www.www2", "hot", "paul", "np", "kp", "engine", "ts3", "nano", "testtest", "sss", "james", "gk", "ep", "ox", "tomcat", "ns32", "sametime", "tornado", "e1", "s16", "quantum", "slave", "shark", "autoconfig.cdn", "www.love", "backup3", "webdisk.wiki", "altair", "youth", "keys", "site2", "server11", "phobos", "common", "autodiscover.cdn", "key", "test9", "core2", "snoopy", "lisa", "soccer", "tld", "biblio", "sex", "fast", "train", "www.software", "credit", "p2", "cbf1", "ns24", "mailin", "dj", "www.community", "www-a", "www-b", "smtps", "victoria", "www.docs", "cherry", "cisl-murcia.cit", "border", "test11", "nemo", "pass", "mta2", "911", "xen", "hg", "be", "wa", "web16", "biologie", "bes", "fred", "turbo", "biology", "indigo", "plan", "www.stat", "hosting1", "pilot", "www.club", "diamond", "www.vip", "cp1", "ics", "www.library", "autoconfig.admin", "japan", "autodiscover.admin", "quiz", "laptop", "todo", "cdc", "mkt", "mu", "dhcp.pilsnet", "dot", "xenon", "csr21.net", "horizon", "vp", "centos", "inf", "wolf", "mr", "fusion", "retail", "logo", "line", "11", "sr", "shorturl", "speedy", "webct", "omsk", "dns7", "ebooks", "apc", "rus", "landing", "pluton", "www.pda", "w5", "san", "course", "aws", "uxs1r", "spirit", "ts2", "srv4", "classic", "webdisk.staging", "g1", "ops", "comm", "bs", "sage", "innovation", "dynamic", "www.www", "resellers", "resource", "colo", "test01", "swift", "bms", "metro", "s15", "vn", "callcenter", "www.in", "scc", "jerry", "site1", "profiles", "penguin", "sps", "mail13", "portail", "faculty", "eis", "rr", "mh", "count", "psi", "florida", "mango", "maple", "ssltest", "cloud2", "general", "www.tickets", "maxwell", "web15", "familiar", "arc", "axis", "ng", "admissions", "dedicated", "cash", "nsc", "www.qa", "tea", "tpmsqr01", "rnd", "jocuri", "office2", "mario", "xen2", "mradm.letter", "cwa", "ninja", "amur", "core1", "miami", "www.sales", "cerberus", "ixhash", "ie", "action", "daisy", "spf", "p3", "junior", "oss", "pw.openvpn", "alt-host", "fromwl", "nobl", "isphosts", "ns26", "helomatch", "test123", "tftp", "webaccess", "tienda", "hostkarma", "lv", "freemaildomains", "sbc", "testbed", "bart", "ironport", "server8", "dh", "crm2", "watch", "skynet", "miss", "dante", "www.affiliates", "legal", "www.ip", "telecom", "dt", "blog1", "webdisk.email", "ip-us", "pixel", "www.t", "dnswl", "korea", "insight", "dd", "www.rss", "testbl", "www01", "auth-hack", "www.cms", "abuse-report", "pb", "casa", "eval", "bio", "app3", "cobra", "www.ar", "solo", "wall", "oc", "dc1", "beast", "george", "eureka", "sit", "demo5", "holiday", "webhosting", "srv01", "router2", "ssp", "server9", "quotes", "eclipse", "entertainment", "kc", "m0", "af", "cpa", "pc.jura-gw1", "fox", "deal", "dav", "www.training", "webdisk.old", "host5", "mix", "vendor", "uni", "mypage", "spa", "soa", "aura", "ref", "arm", "dam", "config", "austin", "aproxy", "developers", "cms2", "www15", "women", "wwwcache", "abs", "testportal", "inet", "gt", "testshop", "g2", "www.ca", "pinnacle", "support2", "sunrise", "snake", "www-new", "patch", "lk", "sv3", "b.ns", "python", "starwars", "cube", "sj", "s0", "gc", "stud", "micro", "webstore", "coupon", "perseus", "maestro", "router1", "hawk", "pf", "h2", "www.soft", "dns8", "fly", "unicorn", "sat", "na", "xyz", "df", "lynx", "activate", "sitemap", "t2", "cats", "mmm", "volgograd", "test12", "sendmail", "hardware", "ara", "import", "ces", "cinema", "arena", "text", "a5", "astro", "doctor", "casper", "smc", "voronezh", "eric", "agency", "wf", "avia", "platinum", "butler", "yjs", "hospital", "nursing", "admin3", "pd", "safety", "teszt", "tk", "s20", "moscow", "karen", "cse", "messages", "www.adserver", "asa", "eros", "www.server", "player", "raptor", "documents", "srv5", "www.photos", "xb", "example", "culture", "demo6", "dev5", "jc", "ict", "back", "p2p", "stuff", "wb", "ccs", "su", "webinars", "kt", "hope", "http", "try", "tel", "m9", "newyork", "gov", "www.marketing", "relax", "setup", "fileserver", "moodle2", "courses", "annuaire", "fresh", "www.status", "rpc", "zeta", "ibank", "helm", "autodiscover.ads", "mailgateway", "integration", "viking", "metrics", "c.ns.e", "webdisk.video", "www.host", "tasks", "monster", "firefly", "icq", "saratov", "www.book", "smtp-out-01", "tourism", "dz", "zt", "daniel", "roundcube", "paper", "24", "sus", "splash", "zzz", "10", "chat2", "autoconfig.ads", "mailhub", "neon", "message", "seattle", "ftp5", "port", "solutions", "offers", "seth", "server02", "peter", "ns29", "maillist", "www.konkurs", "d.ns.e", "toto", "guides", "ae", "healthcare", "ssc", "mproxy", "metis", "estore", "mailsrv", "singapore", "hm", "medusa", "bl", "bz", "i5", "dan", "thomas", "exchbhlan5", "alert", "www.spb", "st2", "www.tools", "rigel", "e.ns.e", "kvm3", "astun", "trk", "www.law", "qavgatekeeper", "collab", "styx", "webboard", "cag", "www.student", "galeria", "checkout", "gestion", "mailgate2", "draco", "n2", "berlin", "touch", "seminar", "olympus", "qavmgk", "f.ns.e", "intl", "stats2", "plato", "send", "idm", "m7", "mx7", "m6", "coco", "denver", "s32", "toronto", "abuse", "dn", "sophos", "bear", "logistics", "cancer", "s24", "r25", "s22", "install", "istun", "itc", "oberon", "cps", "paypal", "7", "mail-out", "portal1", "case", "hideip-usa", "f3", "pcstun", "ip-usa", "warehouse", "webcast", "ds1", "bn", "rest", "logger", "marina", "tula", "vebstage3", "webdisk.static", "infinity", "polaris", "koko", "praca", "fl", "packages", "mstun", "www.staff", "sunshine", "mirror1", "jeff", "mailservers", "jenkins", "administration", "mlr-all", "blade", "qagatekeeper", "cdn3", "aria", "vulcan", "party", "fz", "luke", "stc", "mds", "advance", "andy", "subversion", "deco", "99", "diemthi", "liberty", "read", "smtprelayout", "fitness", "vs", "dhcp.zmml", "tsg", "www.pt", "win3", "davinci", "two", "stella", "itsupport", "az", "ns27", "hyper", "m10", "drm", "vhost", "mir", "webspace", "mail.test", "argon", "hamster", "livehelp", "2009", "bwc", "man", "ada", "exp", "metal", "pk", "msp", "hotline", "article", "twiki", "gl", "hybrid", "www.login", "cbf8", "sandy", "anywhere", "sorry", "enter", "east", "islam", "www.map", "quote", "op", "tb", "zh", "euro2012", "hestia", "rwhois", "mail04", "schedule", "ww5", "servidor", "ivan", "serenity", "dave", "mobile1", "ok", "lc", "synergy", "myspace", "sipexternal", "marc", "bird", "rio", "www.1", "debug", "houston", "pdc", "www.xxx", "news1", "ha", "mirage", "fe", "jade", "roger", "ava", "topaz", "a.ns.e", "madrid", "kh", "charlotte", "download2", "elite", "tenders", "pacs", "cap", "fs1", "myweb", "calvin", "extreme", "typo3", "dealers", "cds", "grace", "webchat", "comet", "www.maps", "ranking", "hawaii", "postoffice", "arts", "b.ns.e", "president", "matrixstats", "www.s", "eden", "com-services-vip", "www.pics", "il", "solar", "www.loja", "gr", "ns50", "svc", "backups", "sq", "pinky", "jwgl", "controller", "www.up", "sn", "medical", "spamfilter", "prova", "membership", "dc2", "www.press", "csc", "gry", "drweb", "web17", "f2", "nora", "monitor1", "calypso", "nebula", "lyris", "penarth.cit", "www.mp3", "ssl1", "ns34", "ns35", "mel", "as1", "www.x", "cricket", "ns2.cl", "georgia", "callisto", "exch", "s21", "eip", "cctv", "lucy", "bmw", "s23", "sem", "mira", "search2", "ftp.blog", "realty", "ftp.m", "www.hrm", "patrick", "find", "tcs", "ts1", "smtp6", "lan", "image1", "csi", "nissan", "sjc", "sme", "stone", "model", "gitlab", "spanish", "michael", "remote2", "www.pro", "s17", "m.dev", "www.soporte", "checkrelay", "dino", "woman", "aragorn", "index", "zj", "documentation", "felix", "www.events", "www.au", "adult", "coupons", "imp", "oz", "www.themes", "charlie", "rostov", "smtpout", "www.faq", "ff", "fortune", "vm3", "vms", "sbs", "stores", "teamspeak", "w6", "jason", "tennis", "nt", "shine", "pad", "www.mobil", "s25", "woody", "technology", "cj", "visio", "renewal", "www.c", "webdisk.es", "secret", "host6", "www.fun", "polls", "web06", "turkey", "www.hotel", "ecom", "tours", "product", "www.reseller", "indiana", "mercedes", "target", "load", "area", "mysqladmin", "don", "dodo", "sentinel", "webdisk.img", "websites", "www.dir", "honey", "asdf", "spring", "tag", "astra", "monkey", "ns28", "ben", "www22", "www.journal", "eas", "www.tw", "tor", "page", "www.bugs", "medias", "www17", "toledo", "vip2", "land", "sistema", "win4", "dell", "unsubscribe", "gsa", "spot", "fin", "sapphire", "ul-cat6506-gw", "www.ns1", "bell", "cod", "lady", "www.eng", "click3", "pps", "c3", "registrar", "websrv", "database2", "prometheus", "atm", "www.samara", "api1", "edison", "mega", "cobalt", "eos", "db02", "sympa", "dv", "webdisk.games", "coop", "50", "blackhole", "3d", "cma", "ehr", "db5", "etc", "www14", "opera", "zoom", "realmedia", "french", "cmc", "shanghai", "ns33", "batman", "ifolder", "ns61", "alexander", "song", "proto", "cs2", "homologacao", "ips", "vanilla", "legend", "webmail.hosting", "chat1", "www.mx", "coral", "tim", "maxim", "admission", "iso", "psy", "progress", "shms2", "monitor2", "lp2", "thankyou", "issues", "cultura", "xyh", "speedtest2", "dirac", "www.research", "webs", "e2", "save", "deploy", "emarketing", "jm", "nn", "alfresco", "chronos", "pisces", "database1", "reservation", "xena", "des", "directorio", "shms1", "pet", "sauron", "ups", "www.feedback", "www.usa", "teacher", "www.magento", "nis", "ftp01", "baza", "kjc", "roma", "contests", "delphi", "purple", "oak", "win5", "violet", "www.newsite", "deportes", "www.work", "musica", "s29", "autoconfig.es", "identity", "www.fashion", "forest", "flr-all", "www.german", "lead", "front", "rabota", "mysql7", "jack", "vladimir", "search1", "ns3.cl", "promotion", "plaza", "devtest", "cookie", "eris", "webdisk.images", "atc", "autodiscover.es", "lucky", "juno", "brown", "rs2", "www16", "bpm", "www.director", "victory", "fenix", "rich", "tokyo", "ns36", "src", "12", "milk", "ssl2", "notify", "no", "livestream", "pink", "sony", "vps4", "scan", "wwws", "ovpn", "deimos", "smokeping", "va", "n7pdjh4", "lyncav", "webdisk.directory", "interactive", "request", "apt", "partnerapi", "albert", "cs1", "ns62", "bus", "young", "sina", "police", "workflow", "asset", "lasvegas", "saga", "p4", "www.image", "dag", "crazy", "colorado", "webtrends", "buscador", "hongkong", "rank", "reserve", "autoconfig.wiki", "autodiscover.wiki", "nginx", "hu", "melbourne", "zm", "toolbar", "cx", "samsung", "bender", "safe", "nb", "jjc", "dps", "ap1", "win7", "wl", "diendan", "www.preview", "vt", "kalender", "testforum", "exmail", "wizard", "qq", "www.film", "xxgk", "www.gold", "irkutsk", "dis", "zenoss", "wine", "data1", "remus", "kelly", "stalker", "autoconfig.old", "everest", "ftp.test", "spain", "autodiscover.old", "obs", "ocw", "icare", "ideas", "mozart", "willow", "demo7", "compass", "japanese", "octopus", "prestige", "dash", "argos", "forum1", "img7", "webdisk.download", "mysql01", "joe", "flex", "redir", "viva", "ge", "mod", "postfix", "www.p", "imagine", "moss", "whmcs", "quicktime", "rtr", "ds2", "future", "y", "sv4", "opt", "mse", "selene", "mail21", "dns11", "server12", "invoice", "clicks", "imgs", "xen1", "mail14", "www20", "cit", "web08", "gw3", "mysql6", "zp", "www.life", "leads", "cnc", "bonus", "web18", "sia", "flowers", "diary", "s30", "proton", "s28", "puzzle", "s27", "r2d2", "orel", "eo", "toyota", "front2", "www.pl", "descargas", "msa", "esx2", "challenge", "turing", "emma", "mailgw2", "elections", "www.education", "relay3", "s31", "www.mba", "postfixadmin", "ged", "scorpion", "hollywood", "foo", "holly", "bamboo", "civil", "vita", "lincoln", "webdisk.media", "story", "ht", "adonis", "serv", "voicemail", "ef", "mx11", "picard", "c3po", "helix", "apis", "housing", "uptime", "bet", "phpbb", "contents", "rent", "www.hk", "vela", "surf", "summer", "csr11.net", "beijing", "bingo", "www.jp", "edocs", "mailserver2", "chip", "static4", "ecology", "engineering", "tomsk", "iss", "csr12.net", "s26", "utility", "pac", "ky", "visa", "ta", "web22", "ernie", "fis", "content2", "eduroam", "youraccount", "playground", "paradise", "server22", "rad", "domaincp", "ppc", "autodiscover.video", "date", "f5", "openfire", "mail.blog", "i4", "www.reklama", "etools", "ftptest", "default", "kaluga", "shop1", "mmc", "1c", "server15", "autoconfig.video", "ve", "www21", "impact", "laura", "qmail", "fuji", "csr31.net", "archer", "robo", "shiva", "tps", "www.eu", "ivr", "foros", "ebay", "www.dom", "lime", "mail20", "b3", "wss", "vietnam", "cable", "webdisk.crm", "x1", "sochi", "vsp", "www.partners", "polladmin", "maia", "fund", "asterix", "c4", "www.articles", "fwallow", "all-nodes", "mcs", "esp", "helena", "doors", "atrium", "www.school", "popo", "myhome", "www.demo2", "s18", "autoconfig.email", "columbus", "autodiscover.email", "ns60", "abo", "classified", "sphinx", "kg", "gate2", "xg", "cronos", "chemistry", "navi", "arwen", "parts", "comics", "www.movies", "www.services", "sad", "krasnoyarsk", "h3", "virus", "hasp", "bid", "step", "reklam", "bruno", "w7", "cleveland", "toko", "cruise", "p80.pool", "agri", "leonardo", "hokkaido", "pages", "rental", "www.jocuri", "fs2", "ipv4.pool", "wise", "ha.pool", "routernet", "leopard", "mumbai", "canvas", "cq", "m8", "mercurio", "www.br", "subset.pool", "cake", "vivaldi", "graph", "ld", "rec", "www.temp", "bach", "melody", "cygnus", "www.charge", "mercure", "program", "beer", "scorpio", "upload2", "siemens", "lipetsk", "barnaul", "dialup", "mssql2", "eve", "moe", "nyc", "www.s1", "mailgw1", "student1", "universe", "dhcp1", "lp1", "builder", "bacula", "ww4", "www.movil", "ns42", "assist", "microsoft", "www.careers", "rex", "dhcp", "automotive", "edgar", "designer", "servers", "spock", "jose", "webdisk.projects", "err", "arthur", "nike", "frog", "stocks", "pns", "ns41", "dbs", "scanner", "hunter", "vk", "communication", "donald", "power1", "wcm", "esx1", "hal", "salsa", "mst", "seed", "sz", "nz", "proba", "yx", "smp", "bot", "eee", "solr", "by", "face", "hydrogen", "contacts", "ars", "samples", "newweb", "eprints", "ctx", "noname", "portaltest", "door", "kim", "v28", "wcs", "ats", "zakaz", "polycom", "chelyabinsk", "host7", "www.b2b", "xray", "td", "ttt", "secure4", "recruitment", "molly", "humor", "sexy", "care", "vr", "cyclops", "bar", "newserver", "desk", "rogue", "linux2", "ns40", "alerts", "dvd", "bsc", "mec", "20", "m.test", "eye", "www.monitor", "solaris", "webportal", "goto", "kappa", "lifestyle", "miki", "maria", "www.site", "catalogo", "2008", "empire", "satellite", "losangeles", "radar", "img01", "n1", "ais", "www.hotels", "wlan", "romulus", "vader", "odyssey", "bali", "night", "c5", "wave", "soul", "nimbus", "rachel", "proyectos", "jy", "submit", "hosting3", "server13", "d7", "extras", "australia", "filme", "tutor", "fileshare", "heart", "kirov", "www.android", "hosted", "jojo", "tango", "janus", "vesta", "www18", "new1", "webdisk.radio", "comunidad", "xy", "candy", "smg", "pai", "tuan", "gauss", "ao", "yaroslavl", "alma", "lpse", "hyundai", "ja", "genius", "ti", "ski", "asgard", "www.id", "rh", "imagenes", "kerberos", "www.d", "peru", "mcq-media-01.iutnb", "azmoon", "srv6", "ig", "frodo", "afisha", "25", "factory", "winter", "harmony", "netlab", "chance", "sca", "arabic", "hack", "raven", "mobility", "naruto", "alba", "anunturi", "obelix", "libproxy", "forward", "tts", "autodiscover.static", "bookmark", "www.galeria", "subs", "ba", "testblog", "apex", "sante", "dora", "construction", "wolverine", "autoconfig.static", "ofertas", "call", "lds", "ns45", "www.project", "gogo", "russia", "vc1", "chemie", "h4", "15", "dvr", "tunnel", "5", "kepler", "ant", "indonesia", "dnn", "picture", "encuestas", "vl", "discover", "lotto", "swf", "ash", "pride", "web21", "www.ask", "dev-www", "uma", "cluster1", "ring", "novosibirsk", "mailold", "extern", "tutorials", "mobilemail", "www.2", "kultur", "hacker", "imc", "www.contact", "rsa", "mailer1", "cupid", "member2", "testy", "systems", "add", "mail.m", "dnstest", "webdisk.facebook", "mama", "hello", "phil", "ns101", "bh", "sasa", "pc1", "nana", "owa2", "www.cd", "compras", "webdisk.en", "corona", "vista", "awards", "sp1", "mz", "iota", "elvis", "cross", "audi", "test02", "murmansk", "www.demos", "gta", "autoconfig.directory", "argo", "dhcp2", "www.db", "www.php", "diy", "ws3", "mediaserver", "autodiscover.directory", "ncc", "www.nsk", "present", "tgp", "itv", "investor", "pps00", "jakarta", "boston", "www.bb", "spare", "if", "sar", "win11", "rhea", "conferences", "inbox", "videoconf", "tsweb", "www.xml", "twr1", "jx", "apps2", "glass", "monit", "pets", "server20", "wap2", "s35", "anketa", "www.dav75.users", "anhth", "montana", "sierracharlie.users", "sp2", "parents", "evolution", "anthony", "www.noc", "yeni", "nokia", "www.sa", "gobbit.users", "ns2a", "za", "www.domains", "ultra", "rebecca.users", "dmz", "orca", "dav75.users", "std", "ev", "firmware", "ece", "primary", "sao", "mina", "web23", "ast", "sms2", "www.hfccourse.users", "www.v28", "formacion", "web20", "ist", "wind", "opensource", "www.test2.users", "e3", "clifford.users", "xsc", "sw1", "www.play", "www.tech", "dns12", "offline", "vds", "xhtml", "steve", "mail.forum", "www.rebecca.users", "hobbit", "marge", "www.sierracharlie.users", "dart", "samba", "core3", "devil", "server18", "lbtest", "mail05", "sara", "alex.users", "www.demwunz.users", "www23", "vegas", "italia", "ez", "gollum", "test2.users", "hfccourse.users", "ana", "prof", "www.pluslatex.users", "mxs", "dance", "avalon", "pidlabelling.users", "dubious.users", "webdisk.search", "query", "clientweb", "www.voodoodigital.users", "pharmacy", "denis", "chi", "seven", "animal", "cas1", "s19", "di", "autoconfig.images", "www.speedtest", "yes", "autodiscover.images", "www.galleries", "econ", "www.flash", "www.clifford.users", "ln", "origin-images", "www.adrian.users", "snow", "cad", "voyage", "www.pidlabelling.users", "cameras", "volga", "wallace", "guardian", "rpm", "mpa", "flower", "prince", "exodus", "mine", "mailings", "cbf3", "www.gsgou.users", "wellness", "tank", "vip1", "name", "bigbrother", "forex", "rugby", "webdisk.sms", "graduate", "webdisk.videos", "adrian", "mic", "13", "firma", "www.dubious.users", "windu", "hit", "www.alex.users", "dcc", "wagner", "launch", "gizmo", "d4", "rma", "betterday.users", "yamato", "bee", "pcgk", "gifts", "home1", "www.team", "cms1", "www.gobbit.users", "skyline", "ogloszenia", "www.betterday.users", "www.data", "river", "eproc", "acme", "demwunz.users", "nyx", "cloudflare-resolve-to", "you", "sci", "virtual2", "drive", "sh2", "toolbox", "lemon", "hans", "psp", "goofy", "fsimg", "lambda", "ns55", "vancouver", "hkps.pool", "adrian.users", "ns39", "voodoodigital.users", "kz", "ns1a", "delivery.b", "turismo", "cactus", "pluslatex.users", "lithium", "euclid", "quality", "gsgou.users", "onyx", "db4", "www.domain", "persephone", "validclick", "elibrary", "www.ts", "panama", "www.wholesale", "ui", "rpg", "www.ssl", "xenapp", "exit", "marcus", "phd", "l2tp-us", "cas2", "rapid", "advert", "malotedigital", "bluesky", "fortuna", "chief", "streamer", "salud", "web19", "stage2", "members2", "www.sc", "alaska", "spectrum", "broker", "oxford", "jb", "jim", "cheetah", "sofia", "webdisk.client", "nero", "rain", "crux", "mls", "mrtg2", "repair", "meteor", "samurai", "kvm4", "ural", "destek", "pcs", "mig", "unity", "reporter", "ftp-eu", "cache2", "van", "smtp10", "nod", "chocolate", "collections", "kitchen", "rocky", "pedro", "sophia", "st3", "nelson", "ak", "jl", "slim", "wap1", "sora", "migration", "www.india", "ns04", "ns37", "ums", "www.labs", "blah", "adimg", "yp", "db6", "xtreme", "groupware", "collection", "blackbox", "sender", "t4", "college", "kevin", "vd", "eventos", "tags", "us2", "macduff", "wwwnew", "publicapi", "web24", "jasper", "vladivostok", "tender", "premier", "tele", "wwwdev", "www.pr", "postmaster", "haber", "zen", "nj", "rap", "planning", "domain2", "veronica", "isa", "www.vb", "lamp", "goldmine", "www.geo", "www.math", "mcc", "www.ua", "vera", "nav", "nas2", "autoconfig.staging", "s33", "boards", "thumb", "autodiscover.staging", "carmen", "ferrari", "jordan", "quatro", "gazeta", "www.test3", "manga", "techno", "vm0", "vector", "hiphop", "www.bbs", "rootservers", "dean", "www.ms", "win12", "dreamer", "alexandra", "smtp03", "jackson", "wing", "ldap3", "www.webmaster", "hobby", "men", "cook", "ns70", "olivia", "tampa", "kiss", "nevada", "live2", "computers", "tina", "festival", "bunny", "jump", "military", "fj", "kira", "pacific", "gonzo", "ftp.dev", "svpn", "serial", "webster", "www.pe", "s204", "romania", "gamers", "guru", "sh1", "lewis", "pablo", "yoshi", "lego", "divine", "italy", "wallpapers", "nd", "myfiles", "neptun", "www.world", "convert", "www.cloud", "proteus", "medicine", "bak", "lista", "dy", "rhino", "dione", "sip1", "california", "100", "cosmic", "electronics", "openid", "csm", "adm2", "soleil", "disco", "www.pp", "xmail", "www.movie", "pioneer", "phplist", "elephant", "ftp6", "depo", "icon", "www.ns2", "www.youtube", "ota", "capacitacion", "mailfilter", "switch1", "ryazan", "auth2", "paynow", "webtv", "pas", "www.v3", "storage1", "rs1", "sakai", "pim", "vcse", "ko", "oem", "theme", "tumblr", "smtp0", "server14", "lala", "storage2", "k2", "ecm", "moo", "can", "imode", "webdisk.gallery", "webdisk.jobs", "howard", "mes", "eservices", "noah", "support1", "soc", "gamer", "ekb", "marco", "information", "heaven", "ty", "kursk", "wilson", "webdisk.wp", "freebsd", "phones", "void", "esx3", "empleo", "aida", "s01", "apc1", "mysites", "www.kazan", "calc", "barney", "prohome", "fd", "kenny", "www.filme", "ebill", "d6", "era", "big", "goodluck", "rdns2", "everything", "ns43", "monty", "bib", "clip", "alf", "quran", "aim", "logon", "wg", "rabbit", "ntp3", "upc", "www.stream", "www.ogloszenia", "abcd", "autodiscover.en", "blogger", "pepper", "autoconfig.en", "stat1", "jf", "smtp7", "video3", "eposta", "cache1", "ekaterinburg", "talent", "jewelry", "ecs", "beta3", "www.proxy", "zsb", "44", "ww6", "nautilus", "angels", "servicos", "smpp", "we", "siga", "magnolia", "smt", "maverick", "franchise", "dev.m", "webdisk.info", "penza", "shrek", "faraday", "s123", "aleph", "vnc", "chinese", "glpi", "unix", "leto", "win10", "answers", "att", "webtools", "sunset", "extranet2", "kirk", "mitsubishi", "ppp", "cargo", "comercial", "balancer", "aire", "karma", "emergency", "zy", "dtc", "asb", "win8", "walker", "cougar", "autodiscover.videos", "bugtracker", "autoconfig.videos", "icm", "tap", "nuevo", "ganymede", "cell", "www02", "ticketing", "nature", "brazil", "www.alex", "troy", "avatars", "aspire", "custom", "www.mm", "ebiz", "www.twitter", "kong", "beagle", "chess", "ilias", "codex", "camel", "crc", "microsite", "mlm", "autoconfig.crm", "o2", "human", "ken", "sonicwall", "biznes", "pec", "flow", "autoreply", "tips", "little", "autodiscover.crm", "hardcore", "egypt", "ryan", "doska", "mumble", "s34", "pds", "platon", "demo8", "total", "ug", "das", "gx", "just", "tec", "archiv", "ul", "craft", "franklin", "speedtest1", "rep", "supplier", "crime", "mail-relay", "luigi", "saruman", "defiant", "rome", "tempo", "sr2", "tempest", "azure", "horse", "pliki", "barracuda2", "www.gis", "cuba", "adslnat-curridabat-128", "aw", "test13", "box1", "aaaa", "x2", "exchbhlan3", "sv6", "disk", "enquete", "eta", "vm4", "deep", "mx12", "s111", "budget", "arizona", "autodiscover.media", "ya", "webmin", "fisto", "orbit", "bean", "mail07", "autoconfig.media", "berry", "jg", "www.money", "store1", "sydney", "kraken", "author", "diablo", "wwwww", "word", "www.gmail", "www.tienda", "samp", "golden", "travian", "www.cat", "www.biz", "54", "demo10", "bambi", "ivanovo", "big5", "egitim", "he", "unregistered.zmc", "amanda", "orchid", "kit", "rmr1", "richard", "offer", "edge1", "germany", "tristan", "seguro", "kyc", "maths", "columbia", "steven", "wings", "www.sg", "ns38", "grand", "tver", "natasha", "r3", "www.tour", "pdns", "m11", "dweb", "nurse", "dsp", "www.market", "meme", "www.food", "moda", "ns44", "mps", "jgdw", "m.stage", "bdsm", "mech", "rosa", "sx", "tardis", "domreg", "eugene", "home2", "vpn01", "scott", "excel", "lyncdiscoverinternal", "ncs", "pagos", "recovery", "bastion", "wwwx", "spectre", "static.origin", "quizadmin", "www.abc", "ulyanovsk", "test-www", "deneb", "www.learn", "nagano", "bronx", "ils", "mother", "defender", "stavropol", "g3", "lol", "nf", "caldera", "cfd185", "tommy", "think", "thebest", "girls", "consulting", "owl", "newsroom", "us.m", "hpc", "ss1", "dist", "valentine", "9", "pumpkin", "queens", "watchdog", "serv1", "web07", "pmo", "gsm", "spam1", "geoip", "test03", "ftp.forum", "server19", "www.update", "tac", "vlad", "saprouter", "lions", "lider", "zion", "c6", "palm", "ukr", "amsterdam", "html5", "wd", "estadisticas", "blast", "phys", "rsm", 70, "vvv", "kris", "agro", "msn-smtp-out", "labor", "universal", "gapps", "futbol", "baltimore", "wt", "avto", "workshop", "www.ufa", "boom", "autodiscover.jobs", "unknown", "alliance", "www.svn", "duke", "kita", "tic", "killer", "ip176-194", "millenium", "garfield", "assets2", "auctions", "point", "russian", "suzuki", "clinic", "lyncedge", "www.tr", "la2", "oldwebmail", "shipping", "informatica", "age", "gfx", "ipsec", "lina", "autoconfig.jobs", "zoo", "splunk", "sy", "urban", "fornax", "www.dating", "clock", "balder", "steam", "ut", "zz", "washington", "lightning", "fiona", "im2", "enigma", "fdc", "zx", "sami", "eg", "cyclone", "acacia", "yb", "nps", "update2", "loco", "discuss", "s50", "kurgan", "smith", "plant", "lux", "www.kino", "www.extranet", "gas", "psychologie", "01", "s02", "cy", "modem", "station", "www.reg", "zip", "boa", "www.co", "mx04", "openerp", "bounces", "dodge", "paula", "meetings", "firmy", "web26", "xz", "utm", "s40", "panorama", "photon", "vas", "war", "marte", "gateway2", "tss", "anton", "hirlevel", "winner", "fbapps", "vologda", "arcadia", "www.cc", "util", "16", "tyumen", "desire", "perl", "princess", "papa", "like", "matt", "sgs", "datacenter", "atlantic", "maine", "tech1", "ias", "vintage", "linux1", "gzs", "cip", "keith", "carpediem", "serv2", "dreams", "front1", "lyncaccess", "fh", "mailer2", "www.chem", "natural", "student2", "sailing", "radio1", "models", "evo", "tcm", "bike", "bancuri", "baseball", "manuals", "img8", "imap1", "oldweb", "smtpgw", "pulsar", "reader", "will", "stream3", "oliver", "mail15", "lulu", "dyn", "bandwidth", "messaging", "us1", "ibm", "idaho", "camping", "verify", "seg", "vs1", "autodiscover.sms", "blade1", "blade2", "leda", "mail17", "horo", "testdrive", "diet", "www.start", "mp1", "claims", "te", "gcc", "www.whois", "nieuwsbrief", "xeon", "eternity", "greetings", "data2", "asf", "autoconfig.sms", "kemerovo", "olga", "haha", "ecc", "prestashop", "rps", "img0", "olimp", "biotech", "qa1", "swan", "bsd", "webdisk.sandbox", "sanantonio", "dental", "www.acc", "zmail", "statics", "ns102", "39", "idb", "h5", "connect2", "jd", "christian", "luxury", "ten", "bbtest", "blogtest", "self", "www.green", "forumtest", "olive", "www.lab", "ns63", "freebies", "ns64", "www.g", "jake", "www.plus", "ejournal", "letter", "works", "peach", "spoon", "sie", "lx", "aol", "baobab", "tv2", "edge2", "sign", "webdisk.help", "www.mobi", "php5", "webdata", "award", "gf", "rg", "lily", "ricky", "pico", "nod32", "opus", "sandiego", "emploi", "sfa", "application", "comment", "autodiscover.search", "www.se", "recherche", "africa", "webdisk.members", "multi", "wood", "xx", "fan", "reverse", "missouri", "zinc", "brutus", "lolo", "imap2", "www.windows", "aaron", "webdisk.wordpress", "create", "bis", "aps", "xp", "outlet", "www.cpanel", "bloom", "6", "ni", "www.vestibular", "webdisk.billing", "roman", "myshop", "joyce", "qb", "walter", "www.hr", "fisher", "daily", "webdisk.files", "michelle", "musik", "sic", "taiwan", "jewel", "inbound", "trio", "mts", "dog", "mustang", "specials", "www.forms", "crew", "tes", "www.med", "elib", "testes", "richmond", "autodiscover.travel", "mccoy", "aquila", "www.saratov", "bts", "hornet", "election", "test22", "kaliningrad", "listes", "tx", "webdisk.travel", "onepiece", "bryan", "saas", "opel", "florence", "blacklist", "skin", "workspace", "theta", "notebook", "freddy", "elmo", "www.webdesign", "autoconfig.travel", "sql3", "faith", "cody", "nuke", "memphis", "chrome", "douglas", "www24", "autoconfig.search", "www.analytics", "forge", "gloria", "harry", "birmingham", "zebra", "www.123", "laguna", "lamour", "igor", "brs", "polar", "lancaster", "webdisk.portal", "autoconfig.img", "autodiscover.img", "other", "www19", "srs", "gala", "crown", "v5", "fbl", "sherlock", "remedy", "gw-ndh", "mushroom", "mysql8", "sv5", "csp", "marathon", "kent", "critical", "dls", "capricorn", "standby", "test15", "www.portfolio", "savannah", "img13", "veritas", "move", "rating", "sound", "zephyr", "download1", "www.ticket", "exchange-imap.its", "b5", "andrea", "dds", "epm", "banana", "smartphone", "nicolas", "phpadmin", "www.subscribe", "prototype", "experts", "mgk", "newforum", "result", "www.prueba", "cbf2", "s114", "spp", "trident", "mirror2", "s112", "sonia", "nnov", "www.china", "alabama", "photogallery", "blackjack", "lex", "hathor", "inc", "xmas", "tulip", "and", "common-sw1", "betty", "vo", "www.msk", "pc2", "schools"]
class Intersection: def __init__(self, no, x_p, y_p): self.no = no self.x = x_p self.y = y_p
##Ejercicio 2 # el siguiente codigo identifica si existe alguna suma entre dos elementos # distintos dentro de la listta , que sumen 10. # Complejidad del algoritmo : O(n^2) por los dos for implementados uno dentro del otro # # Entrada: # - #Si hay entonces # Salida: # Son: 2 + 8 = 10 # True #Si no # Salida: # False # Autor: Yeimy Huanca def twoSum(array): for i in range(len(array)): for j in range(len(array)): if i != j and (array[i] + array[j] == 10): print("Hay al menos 2 numeros que suman 10") print("Son: "+ str(array[i]) + " + " + str(array[j])+ " = 10") return True return False # Caso de prueba array = [1,4,3,8,5] print(twoSum(array))
""" Given two integer arrays of equal length target and arr. In one step, you can select any non-empty sub-array of arr and reverse it. You are allowed to make any number of steps. Return True if you can make arr equal to target, or False otherwise. Example: Input: target = [1,2,3,4], arr = [2,4,1,3] Output: true Explanation: You can follow the next steps to convert arr to target: 1- Reverse sub-array [2,4,1], arr becomes [1,4,2,3] 2- Reverse sub-array [4,2], arr becomes [1,2,4,3] 3- Reverse sub-array [4,3], arr becomes [1,2,3,4] There are multiple ways to convert arr to target, this is not the only way to do so. Constraints: - target.length == arr.length - 1 <= target.length <= 1000 - 1 <= target[i] <= 1000 - 1 <= arr[i] <= 1000 """ #Difficulty: Easy #102 / 102 test cases passed. #Runtime: 72 ms #Memory Usage: 14.1 MB #Runtime: 72 ms, faster than 98.81% of Python3 online submissions for Make Two Arrays Equal by Reversing Sub-arrays. #Memory Usage: 14.1 MB, less than 24.84% of Python3 online submissions for Make Two Arrays Equal by Reversing Sub-arrays. class Solution: def canBeEqual(self, target: List[int], arr: List[int]) -> bool: return sum(target) == sum(arr) and set(target) == set(arr)
n1 = float(input('Primeira nota: ')) n2 = float(input('Segunda nota: ')) media = (n1 + n2) / 2 if media > 7: print('Sua média foi de {}, você está APROVADO!'.format(media)) elif media >= 5 and media < 6.9: print('Sua média foi de {}, você está de RECUPERAÇÃO!'.format(media)) else: print('Sua média foi de {}, você está REPROVADO!'.format(media))
#fibbonancci numvers def fibonancci(n): if n <= 1: return 1 l = [None]*(n+1) # l[:n] = 0*(n) l[0]= 0 l[1] = 1 # print(l) for i in range(2,n+1): l[i] = l[i-1]+l[i-2] print(l) return l[n+1] def fib_rec(n): if n <= 1: return n print(n) return fib_rec(n-1)+fib_rec(n-2) if __name__ == "__main__": n = int(input()) print(fib_rec(n))
#Intersection class, the processing unit where traffic light control takes place #coded by sayfeddine DEFAULT_CYCLE = 60 # default cycle length to start with ( in seconds or "step" for SUMO) """ cycle length formula : C = (1.5*L + 5)/(1.0 - SYi)) C : optimum cycle length that minimise the delay cycle is always between 0.75*C and 1.5*C L = Unusable time per cycle in seconds usually taken as a sum of the vehicle signal change intervals. SYi = critical lane volume each phase/saturation flow """ class Intersection: """ For each intersection there will be an Intersection object instaciated attach method is used to add the lanes correspoding to the intersection the result for each cycle are accessible throught the getCommand() method """ def __init__(self, idIn): self.id = idIn # Intersection identification used if the problem is containing more than one intersection self.cycle = DEFAULT_CYCLE # the cycle length starting with the DEFAULT value then adjusted by the algorithm self.lanes = [] # contains the list of all the lane connected to the intersection point self.right_protected = False # if set true then the right turn will be desattached ( protected mode) def attach(self, lanes): """ attach lanes of the Intersection to the object""" self.lanes = lanes def getCommand(self, step): """Execute the algorithm then decide the cylce length and the signaling phases""" west = self.lanes["west"].getPriority(step) north = self.lanes["north"].getPriority(step) if (west + north) == 0: west, north = 0, 0 else: west,north = west/(west+north), north/(west+north) east = self.lanes["east"].getPriority(step) south = self.lanes["south"].getPriority(step) if (east + south) == 0: east, south = 0, 0 else: east, south = east/(east+south), south/(east+south) max_ph1, max_ph2 = max(west, east), max(north, south) if max_ph1>max_ph2: ring = max_ph1 else: ring = 1-max_ph2 self.cycle = DEFAULT_CYCLE # adjusting cycle length lights = { (0, self.cycle*ring): "rrrrggggrrrrgggg", (self.cycle*ring, self.cycle): "ggggrrrrggggrrrr", } return lights
# Define a function to find the truth by shifting the letter by a specified amount def lassoLetter( letter, shiftAmount ): # Invoke the ord function to translate the letter to its ASCII code # Save the code value to the variable called letterCode letterCode = ord(letter.lower()) # The ASCII number representation of lowercase letter a aAscii = ord('a') # The number of letters in the alphabet alphabetSize = 26 # The formula to calculate the ASCII number for the decoded letter # Take into account looping around the alphabet trueLetterCode = aAscii + (((letterCode - aAscii) + shiftAmount) % alphabetSize) # Convert the ASCII number to the character or letter decodedLetter = chr(trueLetterCode) # Send the decoded letter back return decodedLetter # Define a function to find the truth in a secret message # Shift the letters in a word by a specified amount to discover the hidden word def lassoWord( word, shiftAmount ): # This variable is updated each time another letter is decoded decodedWord = "" # This for loop iterates through each letter in the word parameter for letter in word: # The lassoLetter() function is invoked with each letter and the shift amount # The result (decoded letter) is stored in a variable called decodedLetter decodedLetter = lassoLetter(letter, shiftAmount) # The decodedLetter value is added to the end of the decodedWord value decodedWord = decodedWord + decodedLetter # The decodedWord is sent back to the line of code that invoked this function return decodedWord # Try to decode the word "terra" print( "Shifting terra by 13 gives: \n" + lassoWord( "terra", 13 ) ) print( "Shifting WHY by 13 gives: \n" + lassoWord( "WHY", 13 ) ) print( "Shifting oskza by -18 gives: \n" + lassoWord( "oskza", -18 ) ) print( "Shifting ohupo by -1 gives: \n" + lassoWord( "ohupo", -1 ) ) print( "Shifting ED by 25 gives: \n" + lassoWord( "ED", 25 ) )
def isInterleave(s1, s2, s3): """ :type s1: str :type s2: str :type s3: str :rtype: bool """ m, n, t = len(s1), len(s2), len(s3) if m + n != t: return False dp = [False] * (n + 1) dp[0] = True for i in range(m + 1): for j in range(n + 1): if i > 0: dp[j] = dp[j] and s1[i - 1] == s3[i + j - 1] if j > 0: dp[j] = dp[j] or (dp[j - 1] and s2[j - 1] == s3[i + j - 1]) return dp[n] if __name__ == "__main__" : s1 = "aabcc" s2 = "dbbca" s3 = "aadbbbaccc" result = isInterleave(s1,s2,s3) print(result)
def reconcile(hub, high): ''' Take the extend statement and reconcile it back into the highdata ''' errors = [] if '__extend__' not in high: return high, errors ext = high.pop('__extend__') for ext_chunk in ext: for id_, body in ext_chunk: if id_ not in high: state_type = next( x for x in body if not x.startswith('__') ) # Check for a matching 'name' override in high data ids = hub.idem.tools.find_id(id_, state_type, high) if len(ids) != 1: errors.append( 'Cannot extend ID \'{0}\' in \'{1}:{2}\'. It is not ' 'part of the high state.\n' 'This is likely due to a missing include statement ' 'or an incorrectly typed ID.\nEnsure that a ' 'state with an ID of \'{0}\' is available\nin ' 'environment \'{1}\' and to SLS \'{2}\''.format( id_, body.get('__env__', 'base'), body.get('__sls__', 'base')) ) continue else: id_ = ids[0][0] for state, run in body.items(): if state.startswith('__'): continue if state not in high[id_]: high[id_][state] = run continue for arg in run: update = False for hind in range(len(high[id_][state])): if isinstance(arg, str) and isinstance(high[id_][state][hind], str): # replacing the function, replace the index high[id_][state].pop(hind) high[id_][state].insert(hind, arg) update = True continue if isinstance(arg, dict) and isinstance(high[id_][state][hind], dict): # It is an option, make sure the options match argfirst = next(iter(arg)) if argfirst == next(iter(high[id_][state][hind])): # If argfirst is a requisite then we must merge # our requisite with that of the target state if argfirst in STATE_REQUISITE_KEYWORDS: high[id_][state][hind][argfirst].extend(arg[argfirst]) # otherwise, its not a requisite and we are just extending (replacing) else: high[id_][state][hind] = arg update = True if (argfirst == 'name' and next(iter(high[id_][state][hind])) == 'names'): # If names are overwritten by name use the name high[id_][state][hind] = arg if not update: high[id_][state].append(arg) return high, errors
class SlabShapeVertexType(Enum, IComparable, IFormattable, IConvertible): """ An enumerated type listing all Vertex types of Slab Shape Edit. enum SlabShapeVertexType,values: Corner (1),Edge (2),Interior (3),Invalid (0) """ def __eq__(self, *args): """ x.__eq__(y) <==> x==yx.__eq__(y) <==> x==yx.__eq__(y) <==> x==y """ pass def __format__(self, *args): """ __format__(formattable: IFormattable,format: str) -> str """ pass def __ge__(self, *args): pass def __gt__(self, *args): pass def __init__(self, *args): """ x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """ pass def __le__(self, *args): pass def __lt__(self, *args): pass def __ne__(self, *args): pass def __reduce_ex__(self, *args): pass def __str__(self, *args): pass Corner = None Edge = None Interior = None Invalid = None value__ = None
""" The complement of an integer is the integer you get when you flip all the 0's to 1's and all the 1's to 0's in its binary representation. For example, The integer 5 is "101" in binary and its complement is "010" which is the integer 2. Given an integer n, return its complement. Example 1: Input: n = 5 Output: 2 Explanation: 5 is "101" in binary, with complement "010" in binary, which is 2 in base-10. Example 2: Input: n = 7 Output: 0 Explanation: 7 is "111" in binary, with complement "000" in binary, which is 0 in base-10. Example 3: Input: n = 10 Output: 5 Explanation: 10 is "1010" in binary, with complement "0101" in binary, which is 5 in base-10. Constraints: 0 <= n < 10^9 """ class Solution: def bitwiseComplement(self, n: int) -> int: binary = bin(n) touch_b = False ans = "" i = 0 while i < len(binary): if binary[i] == "b": touch_b = True i += 1 continue if touch_b is False: i += 1 continue if binary[i] == "0": ans += "1" i += 1 else: ans += "0" i += 1 return int(ans, 2)
print("__name__ = ",__name__) if __name__ == "__main__": print("Rodou direto") else: print("Rodou através de import")
def approximation(x, x1, x2, y, y1, y2): a1 = (y1-y)/(x1-x) a2 = (1/(x2-x1))*(((y2-y)/(x2-x)) - ((y1-y)/(x1-x))) return ((x1+x)/2) - (a1/(2*a2))
''' CLASS: VnfmDriverTemplate AUTHOR: Vinicius Fulber-Garcia CREATION: 21 Oct. 2020 L. UPDATE: 28 Jul. 2021 (Fulber-Garcia; Included the "vnfmAddress" attribute) DESCRIPTION: Template for the implementation of VNFM drivers that run in the "Access Subsystem" internal module. The drivers must inhert this class and overload the functions that return the HTTP code 501 (Not Implemented). ''' class VnfmDriverTemplate: vnfmId = None vnfmAddress = None vnfmCredentials = None def __init__(self, vnfmId, vnfmAddress, vnfmCredentials): self.vnfmId = vnfmId self.vnfmAddress = vnfmAddress self.vnfmCredentials = vnfmCredentials ''' PATH: /vlmi/vnf_instances/ ACTION: GET DESCRIPTION: Query multiple VNF instances, thus returning information from the VNFM of all the VNF instances managed by the EMS ARGUMENT: -- RETURN: - 200 (HTTP) + VnfInstance (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_vnfInstances(self): return "501" ''' PATH: /vlmi/vnf_instances/ ACTION: POST DESCRIPTION: Create a new "Individual VNF instance" resource in the VNFM and set it to be managed by the EMS as an idle instance (do not instantiate the VNF, just create the resource). ARGUMENT: CreateVnfRequest (Class) RETURN: - 201 (HTTP) + VnfInstance (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_vnfInstances(self, createVnfRequest): return "501" ''' PATH: /vlmi/vnf_instances/ N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vlmi_vnfInstances(self): return "405" def patch_vlmi_vnfInstances(self): return "405" def delete_vlmi_vnfInstances(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId} ACTION: GET DESCRIPTION: Read an "Individual VNF instance" resource. Return the same information than the "/vnfInstances/" operation, but for a single VNF instance. ARGUMENT: vnfInstanceId (String) RETURN: - 200 (HTTP) + VnfInstance (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_vi_vnfInstanceID(self, vnfInstanceId): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId} ACTION: PATCH DESCRIPTION: Modify VNF instance information through the replacement of its VNF descriptor. Note that it does not require an update of the runnig instances (the modification occur only in in- formational data). ARGUMENT: vnfInstanceId (String), VnfInfoModificationRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def patch_vlmi_vi_vnfInstanceID(self, vnfInstanceId, vnfInfoModificationRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId} ACTION: DELETE DESCRIPTION: Delete an "Individual VNF instance" resource. This opera- tion must be used with caution. It is recommended that it can be executed only in inactive VNF instances (avoiding management errors and false alerts triggered by the EMS). ARGUMENT: vnfInstanceId (String) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def delete_vlmi_vi_vnfInstanceID(self, vnfInstanceId): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId} N/A ACTIONS: POST, PUT **Do not change these methods** ''' def post_vlmi_vi_vnfInstanceID(self): return "405" def put_vlmi_vi_vnfInstanceID(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/instantiate ACTION: POST DESCRIPTION: Instantiate an already created and idle "Individual VNF instance". ARGUMENT: vnfInstanceId (String), InstantiateVnfRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_instantiate(self, vnfInstanceId, instantiateVnfRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/instantiate N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_instantiate(self): return "405" def put_vlmi_viid_instantiate(self): return "405" def patch_vlmi_viid_instantiate(self): return "405" def delete_vlmi_viid_instantiate(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/scale ACTION: POST DESCRIPTION: Scale a VNF instance incrementally. The resource scaling depends on VNFM capacities, but in general it comprehends memory, disk, and virtualized CPU cores. ARGUMENT: vnfInstanceId (String), ScaleVnfRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_scale(self, vnfInstanceId, scaleVnfRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/scale N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_scale(self): return "405" def put_vlmi_viid_scale(self): return "405" def patch_vlmi_viid_scale(self): return "405" def delete_vlmi_viid_scale(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/scale_to_level ACTION: POST DESCRIPTION: Scale a VNF instance to a target level. The levels availa- ble depends on the VNFM platform. ARGUMENT: vnfInstanceId (String), ScaleVnfToLevelRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_scaleToLevel(self, vnfInstanceId, scaleVnfToLevelRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/scale_to_level N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_scaleToLevel(self): return "405" def put_vlmi_viid_scaleToLevel(self): return "405" def patch_vlmi_viid_scaleToLevel(self): return "405" def delete_vlmi_viid_scaleToLevel(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_flavour ACTION: POST DESCRIPTION: Change the deployment flavour of a VNF instance. Here, we consider that the flavour are previously defined in the VNF descriptor. ARGUMENT: vnfInstanceId (String), ChangeVnfFlavourRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_changeFlavour(self, vnfInstanceId, changeVnfFlavourRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_flavour N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_changeFlavour(self): return "405" def put_vlmi_viid_changeFlavour(self): return "405" def patch_vlmi_viid_changeFlavour(self): return "405" def delete_vlmi_viid_changeFlavour(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/terminate ACTION: POST DESCRIPTION: Terminate a VNF instance. This method regards just to the termination request to the VNFM. Here we do not threat the management termination in the EMS. ARGUMENT: vnfInstanceId (String), TerminateVnfRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_terminate(self, vnfInstanceId, terminateVnfRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_flavour N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_terminate(self): return "405" def put_vlmi_viid_terminate(self): return "405" def patch_vlmi_viid_terminate(self): return "405" def delete_vlmi_viid_terminate(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/heal ACTION: POST DESCRIPTION: Heal a VNF instance. This method is typically used when the VNF instance do not respond to the EMS or its users. However, the VNFM is the component that decides if a healing process should be really executed. ARGUMENT: vnfInstanceId (String), HealVnfRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_heal(self, vnfInstanceId, healVnfRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/heal N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_heal(self): return "405" def put_vlmi_viid_heal(self): return "405" def patch_vlmi_viid_heal(self): return "405" def delete_vlmi_viid_heal(self): return "405" ''' PATH: /vnf_instances/{vnfInstanceId}/operate ACTION: POST DESCRIPTION: Operate a VNF instance. There is no specific operation defined for this method. Thus, we kept it the most generic as possible. ARGUMENT: vnfInstanceId (String), OperateVnfRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_operate(self, vnfInstanceId, operateVnfRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/operate N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_operate(self): return "405" def put_vlmi_viid_operate(self): return "405" def patch_vlmi_viid_operate(self): return "405" def delete_vlmi_viid_operate(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_ext_conn ACTION: POST DESCRIPTION: Change the external connectivity of a VNF instance. As it invol- ves changing network parameters, we decided for receiving a mo- fied VNFD as argument. If only few fields are used, they should be filtered in the VNFM driver. ARGUMENT: vnfInstanceId (String), ChangeExtVnfConnectivityRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_changeExtConn(self, vnfInstanceId, changeExtVnfConnectivityRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_ext_conn N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_changeExtConn(self): return "405" def put_vlmi_viid_changeExtConn(self): return "405" def patch_vlmi_viid_changeExtConn(self): return "405" def delete_vlmi_viid_changeExtConn(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_vnfpkg ACTION: POST DESCRIPTION: Change the current VNF package on which a VNF instance is ba- sed. It do not redeploy a running VNF instance, but in the ne- xt deployment the new package will be assumed. ARGUMENT: vnfInstanceId (String), ChangeCurrentVnfPkgRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_changeVnfPkg(self, vnfInstanceId, changeCurrentVnfPkgRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/change_vnfpkg N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_changeVnfPkg(self): return "405" def put_vlmi_viid_changeVnfPkg(self): return "405" def patch_vlmi_viid_changeVnfPkg(self): return "405" def delete_vlmi_viid_changeVnfPkg(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/create_snapshot ACTION: POST DESCRIPTION: Create a VNF snapshot. This snapshot copy all the configuration files of VNF instances from a given VNF. Alternatively, it can copy the virtual disks of these VNF instances. ARGUMENT: vnfInstanceId (String), CreateVnfSnapshotRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_createSnapshot(self, vnfInstanceId, createVnfSnapshotRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/create_snapshot N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_createSnapshot(self): return "405" def put_vlmi_viid_createSnapshot(self): return "405" def patch_vlmi_viid_createSnapshot(self): return "405" def delete_vlmi_viid_createSnapshot(self): return "405" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/revert_to_snapshot ACTION: POST DESCRIPTION: Revert a VNF instance to a previously created VNF snapshot. ARGUMENT: vnfInstanceId (String), RevertToVnfSnapshotRequest (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_viid_revertToSnapshot(self, vnfInstanceId, revertToVnfSnapshotRequest): return "501" ''' PATH: /vlmi/vnf_instances/{vnfInstanceId}/revert_to_snapshot N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_viid_revertToSnapshot(self): return "405" def put_vlmi_viid_revertToSnapshot(self): return "405" def patch_vlmi_viid_revertToSnapshot(self): return "405" def delete_vlmi_viid_revertToSnapshot(self): return "405" ''' PATH: /vnf_lcm_op_occs ACTION: GET DESCRIPTION: Query information about multiple VNF lifecycle management operation occurrences. It is not clear which lcm operations are considered in this method, probably it depends on the management possibilities of the employed VNFM. However, in summary, we consider operations regarding the management of the virtualized instance of a VNF. A report of the execution of the lcm operations is returned. ARGUMENT: -- RETURN: - 202 (HTTP) + VnfLcmOpOcc (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_vnfLcmOpOccs(self): return "501" ''' PATH: /vlmi/vnf_lcm_op_occs N/A ACTIONS: POST, PUT, PATCH, DELETE **Do not change these methods** ''' def post_vlmi_vnfLcmOpOccs(self): return "405" def put_vlmi_vnfLcmOpOccs(self): return "405" def patch_vlmi_vnfLcmOpOccs(self): return "405" def delete_vlmi_vnfLcmOpOccs(self): return "405" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId} ACTION: GET DESCRIPTION: Read information about an individual VNF lifecycle manage- ment operation occurrence. The same process as described for the "get_vnfLcmOpOccs" is done, but for a single and defined lcm operation. ARGUMENT: vnfLcmOpOccId (String) RETURN: - 200 (HTTP) + VnfLcmOpOcc (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_vloo_vnfOperationID(self, vnfLcmOpOccId): return "501" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId} N/A ACTIONS: POST, PUT, PATCH, DELETE **Do not change these methods** ''' def post_vlmi_vloo_vnfOperationID(self): return "405" def put_vlmi_vloo_vnfOperationID(self): return "405" def patch_vlmi_vloo_vnfOperationID(self): return "405" def delete_vlmi_vloo_vnfOperationID(self): return "405" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/retry ACTION: POST DESCRIPTION: Retry a VNF lifecycle management operation occurrence. This method request to the VNFM to retry a lcm operation that is marked as "FAILED_TEMP", i.e., an operation that failed for an undetermined cause and can be executed again. ARGUMENT: vnfLcmOpOccId (String) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_vlooid_retry(self, vnfLcmOpOccId): return "501" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/retry N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_vlooid_retry(self): return "405" def put_vlmi_vlooid_retry(self): return "405" def patch_vlmi_vlooid_retry(self): return "405" def delete_vlmi_vlooid_retry(self): return "405" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/rollback ACTION: POST DESCRIPTION: Rollback a VNF lifecycle management operation occurrence. This method request to the VNFM to retry a lcm operation that is marked as "FAILED_TEMP", i.e., an operation that failed for an undetermined cause and can be aborted. ARGUMENT: vnfLcmOpOccId (String) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_vlooid_rollback(self, vnfLcmOpOccId): return "501" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/rollback N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_vlooid_rollback(self): return "405" def put_vlmi_vlooid_rollback(self): return "405" def patch_vlmi_vlooid_rollback(self): return "405" def delete_vlmi_vlooid_rollback(self): return "405" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/fail ACTION: POST DESCRIPTION: Mark a VNF lifecycle management operation occurrence as failed. This method request to the VNFM to mark a lcm op- eration that is marked as "FAILED_TEMP" to "FINALLY_FAIL". ARGUMENT: vnfLcmOpOccId (String) RETURN: - 200 (HTTP) + VnfLcmOpOcc (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_vlooid_fail(self, vnfLcmOpOccId): return "501" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/fail N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_vlooid_fail(self): return "405" def put_vlmi_vlooid_fail(self): return "405" def patch_vlmi_vlooid_fail(self): return "405" def delete_vlmi_vlooid_fail(self): return "405" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/cancel ACTION: POST DESCRIPTION: Cancel a VNF lifecycle management operation occurrence. This method executes a rollback to the previous state of a VNF instance executing an operation marked as "STA- RTED" (-> "ROLLED_BACK") and temporary fails lcm opera- tions that are marked as "PROCESSING" or "ROLLING_BACK" (-> "TEMPORARY_FAIL"). ARGUMENT: vnfLcmOpOccId (String), CancelMode (Class) RETURN: - 202 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_vlooid_cancel(self, vnfLcmOpOccId, cancelMode): return "501" ''' PATH: /vlmi/vnf_lcm_op_occs/{vnfLcmOpOccId}/cancel N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vlmi_vlooid_cancel(self): return "405" def put_vlmi_vlooid_cancel(self): return "405" def patch_vlmi_vlooid_cancel(self): return "405" def delete_vlmi_vlooid_cancel(self): return "405" ''' PATH: /vlmi/vnf_snapshots ACTION: GET DESCRIPTION: Query multiple VNF snapshots. Get information about all the available snapshots of the managed VNF ins- tances. ARGUMENT: -- RETURN: - 200 (HTTP) + VnfSnapshotInfo (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_vnfSnapshots(self): return "501" ''' PATH: /vlmi/vnf_snapshots ACTION: POST DESCRIPTION: Create an individual VNF snapshot resource. Save a new snapshot for all the managed VNF instances. ARGUMENT: CreateVnfSnapshotInfoRequest (Class) RETURN: - 201 (HTTP) + VnfSnapshotInfo (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_vnfSnapshots(self, createVnfSnapshotInfoRequest): return "501" ''' PATH: /vlmi/vnf_snapshots N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vlmi_vnfSnapshots(self): return "405" def patch_vlmi_vnfSnapshots(self): return "405" def delete_vlmi_vnfSnapshots(self): return "405" ''' PATH: /vlmi/vnf_snapshots/{vnfSnapshotInfoId} ACTION: GET DESCRIPTION: Read an individual VNF snapshot resource. Get detailed information about a particular snapshot. ARGUMENT: vnfSnapshotInfoId (String) RETURN: - 200 (HTTP) + VnfSnapshotInfo (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_vs_vnfSnapshotID(self, vnfSnapshotInfoId): return "501" ''' PATH: /vlmi/vnf_snapshots/{vnfSnapshotInfoId} ACTION: DELETE DESCRIPTION: Delete VNF snapshot resource. ARGUMENT: vnfSnapshotInfoId (String) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def delete_vlmi_vs_vnfSnapshotID(self, vnfSnapshotInfoId): return "501" ''' PATH: /vlmi/vnf_snapshots/{vnfSnapshotInfoId} N/A ACTIONS: POST, PUT, PATCH **Do not change these methods** ''' def post_vlmi_vs_vnfSnapshotID(self): return "405" def put_vlmi_vs_vnfSnapshotID(self): return "405" def patch_vlmi_vs_vnfSnapshotID(self): return "405" ''' PATH: /vlmi/subscriptions ACTION: GET DESCRIPTION: Query multiple subscriptions (all the subscriptions, actually). ARGUMENT: -- RETURN: - 200 (HTTP) + LccnSubscription (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_subscriptions(self): return "501" ''' PATH: /vlmi/subscriptions ACTION: POST DESCRIPTION: Subscribe to VNF lifecycle change notifications. There is no definition on which VNF instances will be subscribed. Thus, we consider that it subscribes all the managed VNF instances at the moment of the execution of this method. ARGUMENT: LccnSubscriptionRequest (Class) RETURN: - 201 (HTTP) + LccnSubscription (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_subscriptions(self, lccnSubscriptionRequest): return "501" ''' PATH: /vlmi/subscriptions N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vlmi_subscriptions(self): return "405" def patch_vlmi_subscriptions(self): return "405" def delete_vlmi_subscriptions(self): return "405" ''' PATH: /vlmi/subscriptions/{subscriptionId} ACTION: GET DESCRIPTION: Read an "Individual subscription" resource. ARGUMENT: subscriptionId (String) RETURN: - 200 (HTTP) + LccnSubscription (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vlmi_s_subscriptionID(self, subscriptionId): return "501" ''' PATH: /vlmi/subscriptions/{subscriptionId} ACTION: POST DESCRIPTION: Terminate a given subscription. The resource of "Individual subscription" is removed and the monitoring stops. ARGUMENT: subscriptionId (String) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vlmi_s_subscriptionID(self, subscriptionId): return "501" ''' PATH: /vlmi/subscriptions/{subscriptionId} N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vlmi_s_subscriptionID(self): return "405" def patch_vlmi_s_subscriptionID(self): return "405" def delete_vlmi_s_subscriptionID(self): return "405" ####################################################################################################### ####################################################################################################### ''' PATH: /vpmi/pm_jobs ACTION: GET DESCRIPTION: Get information of PM jobs. The API consumer can use this method to retrieve information about PM jobs. ARGUMENT: -- RETURN: - 200 (HTTP) + PmJob (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vpmi_pm_jobs(self): return "501" ''' PATH: /vpmi/pm_jobs ACTION: POST DESCRIPTION: Create PM jobs. Create a new individual performance monitoring job into the system to the available VNFs. ARGUMENT: CreatePmJobRequest (Class) RETURN: - 201 (HTTP) + PmJob (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vpmi_pm_jobs(self, createPmJobRequest): return "501" ''' PATH: /vpmi/pm_jobs N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vpmi_pm_jobs(self): return "405" def patch_vpmi_pm_jobs(self): return "405" def delete_vpmi_pm_jobs(self): return "405" ''' PATH: /vpmi/pm_jobs/{pmJobId} ACTION: GET DESCRIPTION: Get information of a single PM job. The API consumer can use this method for reading an individual performance mo- nitoring job. ARGUMENT: pmJobId (String) RETURN: - 200 (HTTP) + PmJob (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vpmi_pmj_pmJobID(self, pmJobId): return "501" ''' PATH: /vpmi/pm_jobs/{pmJobId} ACTION: PATCH DESCRIPTION: Update PM job callback. This method allows to modify an individual performance monitoring job resource. ARGUMENT: pmJobId (string), PmJobModifications (Class) RETURN: - 200 (HTTP) + PmJobModifications (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def patch_vpmi_pmj_pmJobID(self, pmJobId, pmJobModifications): return "501" ''' PATH: /vpmi/pm_jobs/{pmJobId} ACTION: DELETE DESCRIPTION: Delete a PM job. This method terminates an individual per- formance monitoring job. ARGUMENT: pmJobId (string) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def delete_vpmi_pmj_pmJobID(self, pmJobId): return "501" ''' PATH: /vpmi/pm_jobs/{pmJobId} N/A ACTIONS: POST, PUT **Do not change these methods** ''' def post_vpmi_pmj_pmJobID(self): return "405" def put_vpmi_pmj_pmJobID(self): return "405" ''' PATH: /vpmi/pm_jobs/{pmJobId}/reports/{reportId} ACTION: GET DESCRIPTION: Read an individual performance report. The API consumer can use this method for reading an individual performance report. ARGUMENT: pmJobId (String), reportId (String) RETURN: - 200 (HTTP) + PerformanceReport (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vpmi_pmjid_r_reportID(self, pmJobId, reportId): return "501" ''' PATH: /vpmi/pm_jobs/{pmJobId}/reports/{reportId} N/A ACTIONS: POST, PUT, PATCH, DELETE **Do not change these methods** ''' def post_vpmi_pmjid_r_reportID(self): return "405" def put_vpmi_pmjid_r_reportID(self): return "405" def patch_vpmi_pmjid_r_reportID(self): return "405" def delete_vpmi_pmjid_r_reportID(self): return "405" ''' PATH: /vpmi/thresholds ACTION: GET DESCRIPTION: Query thresholds. The API consumer can use this method to query information about thresholds. ARGUMENT: -- RETURN: - 200 (HTTP) + Threshold (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vpmi_thresholds(self): return "501" ''' PATH: /vpmi/thresholds ACTION: POST DESCRIPTION: Create a threshold. Request parameters to create a new indi- vidual threshold resource. ARGUMENT: CreateThresholdRequest (Class) RETURN: - 201 (HTTP) + Threshold (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vpmi_thresholds(self, createThresholdRequest): return "501" ''' PATH: /vpmi/thresholds N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vpmi_thresholds(self): return "405" def patch_vpmi_thresholds(self): return "405" def delete_vpmi_thresholds(self): return "405" ''' PATH: /vpmi/thresholds/{thresholdId} ACTION: GET DESCRIPTION: Read a single threshold. The API consumer can use this method for reading an individual threshold. ARGUMENT: thresholdId (String) RETURN: - 200 (HTTP) + Threshold (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vpmi_t_thresholdID(self, thresholdId): return "501" ''' PATH: /vpmi/thresholds/{thresholdId} ACTION: PATCH DESCRIPTION: Update threshold callback. This method allows to modify an indivi- dual threshold resource. ARGUMENT: thresholdId (String), ThresholdModifications (Class) RETURN: - 200 (HTTP) + ThresholdModifications (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def patch_vpmi_t_thresholdID(self, thresholdId, thresholdModifications): return "501" ''' PATH: /vpmi/thresholds/{thresholdId} ACTION: DELETE DESCRIPTION: Delete a threshold. This method allows to delete a threshold. ARGUMENT: thresholdId (String) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def delete_vpmi_t_thresholdID(self, thresholdId): return "501" ''' PATH: /vpmi/thresholds/{thresholdId} N/A ACTIONS: POST, PUT **Do not change these methods** ''' def post_vpmi_t_thresholdID(self): return "405" def put_vpmi_t_thresholdID(self): return "405" ####################################################################################################### ####################################################################################################### ''' PATH: /vfmi/alarms ACTION: GET DESCRIPTION: Query alarms related to VNF instances. The API consumer can use this method to retrieve information about the alarm list. ARGUMENT: -- RETURN: - 200 (HTTP) + Alarm (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vfmi_alarms(self): return "501" ''' PATH: /vfmi/alarms N/A ACTIONS: POST, PUT, PATCH, DELETE **Do not change these methods** ''' def post_vfmi_alarms(self): return "405" def put_vfmi_alarms(self): return "405" def patch_vfmi_alarms(self): return "405" def delete_vfmi_alarms(self): return "405" ''' PATH: /vfmi/alarms/{alarmId} ACTION: GET DESCRIPTION: Read individual alarm. The API consumer can use this method to read an individual alarm. ARGUMENT: alarmId (String) RETURN: - 200 (HTTP) + Alarm (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vfmi_a_alarmID(self, alarmId): return "501" ''' PATH: /vfmi/alarms/{alarmId} ACTION: PATCH DESCRIPTION: Acknowledge individual alarm. This method modifies an individual alarm resource. ARGUMENT: alarmId (String), AlarmModifications (Class) RETURN: - 200 (HTTP) + AlarmModifications (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def patch_vfmi_a_alarmID(self, alarmId, alarmModifications): return "501" ''' PATH: /vfmi/alarms/{alarmId} N/A ACTIONS: POST, PUT, DELETE **Do not change these methods** ''' def post_vfmi_a_alarmID(self): return "405" def put_vfmi_a_alarmID(self): return "405" def delete_vfmi_a_alarmID(self): return "405" ''' PATH: /vfmi/alarms/{alarmId}/escalate ACTION: POST DESCRIPTION: Escalate the API consumer's view of perceived severity. The POST method enables the API consumer to escalate the perceived severity of an alarm that is represented by an individual alarm resource. ARGUMENT: alarmId (String), PerceivedSeverityRequest (Class) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vfmi_aid_escalate(self, alarmId, perceivedSeverityRequest): return "501" ''' PATH: /vfmi/alarms/{alarmId}/escalate N/A ACTIONS: GET, PUT, PATCH, DELETE **Do not change these methods** ''' def get_vfmi_aid_escalate(self): return "405" def put_vfmi_aid_escalate(self): return "405" def patch_vfmi_aid_escalate(self): return "405" def delete_vfmi_aid_escalate(self): return "405" ''' PATH: /vfmi/subscriptions ACTION: GET DESCRIPTION: Query multiple subscriptions. The API consumer can use this method to retrieve the list of active subscriptions for VNF alarms subscribed by the API consumer. It can be used e.g. for resynchronization after error situations. ARGUMENT: -- RETURN: - 200 (HTTP) + FmSubscription (Class) [0..N] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vfmi_subscriptions(self): return "501" ''' PATH: /vfmi/subscriptions ACTION: POST DESCRIPTION: Subscribe to VNF alarms. The POST method creates a new subscription. ARGUMENT: FmSubscriptionRequest (Class) RETURN: - 201 (HTTP) + FmSubscription (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def post_vfmi_subscriptions(self, fmSubscriptionRequest): return "501" ''' PATH: /vfmi/subscriptions N/A ACTIONS: PUT, PATCH, DELETE **Do not change these methods** ''' def put_vfmi_subscriptions(self): return "405" def patch_vfmi_subscriptions(self): return "405" def delete_vfmi_subscriptions(self): return "405" ''' PATH: /vfmi/subscriptions/{subscriptionId} ACTION: GET DESCRIPTION: Read an individual subscription. The API consumer can use this method for reading an individual subscription for VNF alarms subscribed by the API consumer. ARGUMENT: subscriptionId (String) RETURN: - 200 (HTTP) + FmSubscription (Class) [1] - Integer error code (HTTP) CALL: EM -> VNFM ''' def get_vfmi_s_subscriptionID(self, subscriptionId): return "501" ''' PATH: /vfmi/subscriptions/{subscriptionId} ACTION: DELETE DESCRIPTION: Terminate a subscription. This method terminates an individu- al subscription. ARGUMENT: subscriptionId (String) RETURN: - 204 (HTTP) - Integer error code (HTTP) CALL: EM -> VNFM ''' def delete_vfmi_s_subscriptionID(self, subscriptionId): return "501" ''' PATH: /vfmi/subscriptions/{subscriptionId} N/A ACTIONS: POST, PUT, PATCH **Do not change these methods** ''' def post_vfmi_s_subscriptionID(self): return "405" def put_vfmi_s_subscriptionID(self): return "405" def patch_vfmi_s_subscriptionID(self): return "405"
# Optional Problem Set, Question 1 def ndigits(x): ''' assumes x is an integer returns the digits of x ''' # If x equals 0 (due to integer division), it means that no digits are left. if x == 0: return 0 # Otherwise, it returns 1 + the digits of the integer divided by 10. return 1 + ndigits(abs(x) / 10)
version = '1.3.1' major = 1 minor = 3 micro = 1 release_level = 'final' serial = 0 version_info = (major, minor, micro, release_level, serial)
#import math res = set() for i in range(2,101): for j in range(2,101): res.add(i ** j) print(len(res))
class Solution: def addBinary(self, a: str, b: str) -> str: c=int(a,2)+int(b,2) return str(bin(c))[2:]
n=int(input()) if n%2!=0: print("Weird") if n in range(2,7) and n%2==0: print("Not Weird") if n in range(6,21) and n%2==0: print("Weird") if n>20 and n%2==0: print("Not Weird")
class Solution: def maximalNetworkRank(self, n: int, roads: List[List[int]]) -> int: # n^2 runtime degrees = [0] * n graph = [[] for _ in range(n)] for road in roads: degrees[road[0]] += 1 degrees[road[1]] += 1 graph[road[0]].append(road[1]) graph[road[1]].append(road[0]) res = [] max_rank = 0 for i in range(n): for j in range(i): if j in graph[i]: # share an edge max_rank = max(max_rank, degrees[i] + degrees[j] - 1) else: max_rank = max(max_rank, degrees[i] + degrees[j]) return max_rank
__author__ = 'hs634' ''' Given a binary tree where all the right nodes are leaf nodes, flip it upside down and turn it into a tree with left leaf nodes. Keep in mind: ALL RIGHT NODES IN ORIGINAL TREE ARE LEAF NODE. /* for example, turn these: * * 1 1 * / \ / \ * 2 3 2 3 * / \ * 4 5 * / \ * 6 7 * * into these: * * 1 1 * / / * 2---3 2---3 * / * 4---5 * / * 6---7 * * where 6 is the new root node for the left tree, and 2 for the right tree. * oriented correctly: * * 6 2 * / \ / \ * 7 4 3 1 * / \ * 5 2 * / \ * 3 1 */ ''' ''' My Answer 1. Recursively traverse to the leftmost node. 2. This becomes the NewRoot, and keep returning this value, up the chain. 3. Make the following changes - CurrentRoot. Left.Left = CurrentRoot.Right - CurrentRoot.Left.Right = CurrentRoot - CurrentRoot.Left = CurrentRoot.Right = NULL Node FlipTree ( Node root ) { if (root == NULL) return NULL; // Working base condition if( root.Left == NULL && root.Right == NULL) { return root.Left; } Node newRoot = FlipTree(root.Left); root.Left.Left = root.Right; root.Left.Right = root; root.Left = NULL; root.Right = NULL; return newRoot; } ''' def invert_tree(root): if not root: return None if not root.left and not root.right: return root newroot = invert_tree(root.left) root.left.left = root.right root.left.right = root root.left, root.right = None, None return newroot # Definition for a binary tree node. # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution: # @param {TreeNode} root # @return {TreeNode} def upsideDownBinaryTree(self, root): return self.dfs(root, None) def dfs(self, p, parent): if not p: return parent root = self.dfs(p.left, p) p.left = parent.right if parent else None p.right = parent return root
# Copyright 2013-2020 Lawrence Livermore National Security, LLC and other # Spack Project Developers. See the top-level COPYRIGHT file for details. # # SPDX-License-Identifier: (Apache-2.0 OR MIT) class PyAutogradGamma(PythonPackage): """autograd compatible approximations to the derivatives of the Gamma-family of functions.""" homepage = "https://github.com/CamDavidsonPilon/autograd-gamma" url = "https://pypi.io/packages/source/a/autograd-gamma/autograd-gamma-0.4.3.tar.gz" version('0.4.3', sha256='2cb570cbb8da61ede937ccc004d87d3924108f754b351a86cdd2ad31ace6cdf6') depends_on('py-setuptools', type='build') depends_on('[email protected]:', type=('build', 'run')) depends_on('[email protected]:', type=('build', 'run'))
# Convertir datos cualitativos en cuantitativos # Se les da un valor numérico para poder hacer operaciones y entrenar el modelo def nivel_indices_to_int(word): word_dict = {'Bajo' : 1, 'Medio' : 2, 'Alto' :3, 0: 0} return word_dict[word] def factores_to_int(word): word_dict = {'Clase baja' : 1, 'Clase media baja' : 2, 'Clase media' :3, 'Clase media alta' : 4, 'Clase alta' : 5, 0 : 0} return word_dict[word] # Método para regresar el rendimiento basándose en la predicción de la calificación final def obtenerRendimiento(calificacion_final): rendimiento = '' # Basandonos en la Matriz de rendimiento escolar if calificacion_final >= 95: rendimiento = 'Excelente' elif calificacion_final >= 85 and calificacion_final <= 94: rendimiento = 'Notable' elif calificacion_final >= 76 and calificacion_final <= 84: rendimiento = 'Bueno' elif calificacion_final >= 70 and calificacion_final <= 75: rendimiento = 'Suficiente' elif calificacion_final < 70: rendimiento = 'Insuficiente' return rendimiento
a = 0 b = 0 c = 0 if a == b: c = 100 else: c = 10 print(c) if c == 10: print('c == 10') else: print('c == 100') ''' output 100 c == 100 '''
''' Calcula as raizes de uma equação do segundo grau. f(x) = ax**2 + b*x + c ''' def f(a, b, c): x1 = (-b + (b**2 - 4*a*c)**(1/2)) / (2*a) x2 = (-b - (b**2 - 4*a*c)**(1/2)) / (2*a) return x1, x2 x1, x2 = f(1, 0.25, -5) print("\nO valor de x1 é: {0:.5f}".format(x1)) print("O valor de x2 é: {0:.5f}\n".format(x2))
def simulation_parameter_validate(end_t, initial_conditions, rates_params, drain_params): assert isinstance(end_t, (int, float)), "End_t must be a float or int" assert end_t > 0, "End_t most be a positive number" assert isinstance(initial_conditions, dict), "Expected {} got {} for initial conditions"\ .format(dict, type(rates_params)) assert isinstance(rates_params, dict), "Expected {} got {} for rate parameters".format(dict, type(rates_params)) if drain_params is not None: assert isinstance(drain_params, dict), "Expected {} got {} for drain parameters"\ .format(dict, type(rates_params))
# # This is the Robotics Language compiler # # Transform.py: Deep Inference code transformer # # Created on: 25 February, 2019 # Author: Gabriel Lopes # Licence: license # Copyright: Robot Care Systems BV # def transform(code, parameters): return code, parameters
# Operators PLUS = '+' MINUS = '-' MUL = '*' DIV = '/' FLOORDIV = '//' MOD = '%' POWER = '^' ARITHMATIC_LEFT_SHIFT = '<<<' ARITHMATIC_RIGHT_SHIFT = '>>>' XOR = 'xor' BINARY_ONES_COMPLIMENT = '~' BINARY_LEFT_SHIFT = '<<' BINARY_RIGHT_SHIFT = '>>' AND = 'and' OR = 'or' NOT = 'not' IN = 'in' # TODO NOT_IN = 'not in' # TODO IS = 'is' IS_NOT = 'is not' LPAREN = '(' RPAREN = ')' LSQUAREBRACKET = '[' RSQUAREBRACKET = ']' LCURLYBRACKET = '{' RCURLYBRACKET = '}' COMMA = ',' COLON = ':' DOT = '.' RANGE = '..' ELLIPSIS = '...' # TODO ARROW = '->' CAST = 'as' ASSIGN = '=' PLUS_ASSIGN = '+=' MINUS_ASSIGN = '-=' MUL_ASSIGN = '*=' DIV_ASSIGN = '/=' FLOORDIV_ASSIGN = '//=' MOD_ASSIGN = '%=' POWER_ASSIGN = '^=' PLUS_PLUS = '++' MINUS_MINUS = '--' EQUALS = '==' NOT_BANG = '!' NOT_EQUALS = '!=' LESS_THAN = '<' GREATER_THAN = '>' LESS_THAN_OR_EQUAL_TO = '<=' GREATER_THAN_OR_EQUAL_TO = '>=' DECORATOR = '@' # TODO # Types ANY = 'any' INT = 'int' INT8 = 'int8' INT16 = 'int16' INT32 = 'int32' INT64 = 'int64' # same as int but doesn't automatically promote to larger integer type upon overflow INT128 = 'int128' UINT = 'uint' UINT8 = 'uint8' UINT16 = 'uint16' UINT32 = 'uint32' UINT64 = 'uint64' UINT128 = 'uint128' DOUBLE = 'double' FLOAT = 'float' COMPLEX = 'complex' # TODO STR = 'str' BOOL = 'bool' LIST = 'list' TUPLE = 'tuple' SET = 'set' # TODO DICT = 'dict' ENUM = 'enum' FUNC = 'func' CLASS = 'class' # Contstants TRUE = 'true' FALSE = 'false' NULL = 'null' # TODO INF = 'inf' # Keywords IF = 'if' ELSE_IF = 'else if' ELSE = 'else' FOR = 'for' WHILE = 'while' SWITCH = 'switch' CASE = 'case' DEFAULT = 'default' OPERATOR = 'operator' EXTERN = 'extern' DEF = 'def' CONST = 'const' SUPER = 'super' # TODO SELF = 'self' RETURN = 'return' TRY = 'try' # TODO CATCH = 'catch' # TODO THROW = 'throw' # TODO FINALLY = 'finally' # TODO YIELD = 'yield' # TODO BREAK = 'break' FALLTHROUGH = 'fallthrough' DEFER = 'defer' CONTINUE = 'continue' DEL = 'del' # TODO FROM = 'from' # TODO IMPORT = 'import' # TODO WILDCARD = '*' # TODO WITH = 'with' # TODO PASS = 'pass' VOID = 'void' TYPE = 'type' OVERRIDE = 'override' # TODO ABSTRACT = 'abstract' # TODO ASSERT = 'assert' # TODO ARITHMETIC_OP = (PLUS, MINUS, MUL, DIV, MOD, FLOORDIV, POWER, ARITHMATIC_LEFT_SHIFT, ARITHMATIC_RIGHT_SHIFT) ASSIGNMENT_OP = (ASSIGN, PLUS_ASSIGN, MINUS_ASSIGN, MUL_ASSIGN, DIV_ASSIGN, FLOORDIV_ASSIGN, MOD_ASSIGN, POWER_ASSIGN, PLUS_PLUS, MINUS_MINUS) ARITHMETIC_ASSIGNMENT_OP = (PLUS_ASSIGN, MINUS_ASSIGN, MUL_ASSIGN, DIV_ASSIGN, FLOORDIV_ASSIGN, MOD_ASSIGN, POWER_ASSIGN) INCREMENTAL_ASSIGNMENT_OP = (PLUS_PLUS, MINUS_MINUS) COMPARISON_OP = (EQUALS, NOT_BANG, NOT_EQUALS, LESS_THAN, GREATER_THAN, GREATER_THAN_OR_EQUAL_TO, LESS_THAN_OR_EQUAL_TO, IS, IS_NOT) LOGICAL_OP = (AND, OR, NOT) BINARY_OP = (XOR, BINARY_ONES_COMPLIMENT, BINARY_LEFT_SHIFT, BINARY_RIGHT_SHIFT) MEMBERSHIP_OP = (IN, NOT_IN) MULTI_WORD_OPERATORS = (IS, IS_NOT, IN, NOT_IN, NOT) OPERATORS = ( LPAREN, RPAREN, LSQUAREBRACKET, RSQUAREBRACKET, LCURLYBRACKET, RCURLYBRACKET, ARROW, COMMA, COLON, DOT, DECORATOR, CAST, RANGE, ELLIPSIS, ) + ARITHMETIC_OP + ASSIGNMENT_OP + COMPARISON_OP + LOGICAL_OP + BINARY_OP + MEMBERSHIP_OP SINGLE_OPERATORS = ( LPAREN, RPAREN, LSQUAREBRACKET, RSQUAREBRACKET, LCURLYBRACKET, RCURLYBRACKET, BINARY_ONES_COMPLIMENT, COMMA, DECORATOR ) KEYWORDS = ( IF, ELSE, WHILE, FOR, SWITCH, CASE, DEF, SUPER, RETURN, TRY, CATCH, THROW, FINALLY, YIELD, BREAK, CONTINUE, DEL, IMPORT, FROM, WITH, PASS, VOID, CONST, OVERRIDE, ABSTRACT, ASSERT, DEFAULT, TYPE, FALLTHROUGH, DEFER ) MULTI_WORD_KEYWORDS = (IF, ELSE, ELSE_IF) TYPES = (ANY, INT, INT8, INT16, INT32, INT64, INT128, UINT, UINT8, UINT16, UINT32, UINT64, UINT128, DOUBLE, FLOAT, COMPLEX, STR, BOOL, LIST, TUPLE, DICT, ENUM, FUNC, LIST, TUPLE, CLASS) CONSTANTS = (TRUE, FALSE, NULL, INF) PRINT = 'print' INPUT = 'input' BUILTIN_FUNCTIONS = (PRINT, INPUT) # For Lexer LTYPE = 'LTYPE' NUMBER = 'NUMBER' STRING = 'STRING' OP = 'OP' CONSTANT = 'CONSTANT' NEWLINE = 'NEWLINE' INDENT = 'INDENT' KEYWORD = 'KEYWORD' ANON = 'ANON' NAME = 'NAME' EOF = 'EOF' ALPHANUMERIC = 'alphanumeric' NUMERIC = 'numeric' OPERATIC = 'operatic' WHITESPACE = 'whitespace' COMMENT = 'comment' ESCAPE = 'escape'
#!/usr/bin/env python3 """ - domain: GoogleCode Jam 2019 - contest: Round 1C - problem: B - title: Power Arrangers - link: https://codingcompetitions.withgoogle.com/codejam/round/00000000000516b9/0000000000134e91 - hash: GKS19_1B_B - author: Vitor SRG - version: 1.0 04/05/2019 - tags: tests interactive query recursive factorial - language: C++17 """ def factorial(n): if n <= 1: return 1 return n*factorial(n-1) def main(): # file = open('test.out', 'w') t, f = [int(s) for s in input().split(" ")] # print(t, f, file=file, flush=True) for ti in range(1, t+1): candidates = list(range(119)) missing = '' for i in range(5): buckets = [[] if chr(j+ord('A')) not in missing else -1 for j in range(5)] for j in candidates: print(j*5+(i+1), flush=True) letter = ord(input()) - ord('A') # print(j, letter, sep=':', file=file, end=' ', flush=True) buckets[letter].append(j) # print(file=file, flush=True) buckets_amin = list(map(lambda item: len(item) if item != -1 else -1, buckets)) \ .index(factorial(5-1-i)-1) # print(factorial(5-1-i)-1, file=file, flush=True) candidates = buckets[buckets_amin] missing += chr(ord('A')+buckets_amin) # print(missing, file=file, flush=True) print(missing) verdict = input() if verdict != 'Y': exit(0) exit(0) def unit_test(): exit(0) """ - test: command: !command |- python {workdir}/interactive_runner.py python {workdir}/testing_tool.py 0 -- {absdir}/{filebase}.bin - test: command: !command |- python {workdir}/interactive_runner.py python {workdir}/testing_tool.py 1 -- {absdir}/{filebase}.bin """ if __name__ == '__main__': main()
""" Rabin-Karp or Karp-Robin is an pattern matching algorithm with average case and best case complexity O(m + n) and the worst case complexity O(mn), it is most efficient when used with multiple patterns as it is able to check if any of a set of patterns match a section of text in O(1) given the precomputed hashes. """ # Numbers of alphabet which we call base alphabet_size = 256 def rabin_karp(pattern, text, modulus=1000003): M = len(pattern) N = len(text) i = 0 j = 0 pattern_hash = 0 text_hash = 0 h = 1 no_of_matches = 0 for i in range(M-1): h = (h*alphabet_size) % modulus # Calculate the hash values of pattern and text for i in range(M): pattern_hash = (alphabet_size*pattern_hash + ord(pattern[i])) % modulus text_hash = (alphabet_size*text_hash + ord(text[i])) % modulus # Slide the pattern over text one by one for i in range(N-M+1): if pattern_hash == text_hash: for j in range(M): if text[i+j] != pattern[j]: break j += 1 if j == M: print(f"Pattern found at index {i}") no_of_matches += 1 if i < N-M: text_hash = (alphabet_size*(text_hash - ord(text[i])*h) + ord(text[i+M])) % modulus if text_hash < 0: text_hash = text_hash+modulus if no_of_matches == 0: print("No matches found for the given pattern") elif no_of_matches == 1: print("Only one match found for the given pattern") else: print( f"There are {no_of_matches} matches for the pattern in the text ") def main(): text = input("Enter the text: ") pattern = input("Enter the pattern: ") rabin_karp(pattern, text) main()
# 6-dars 1-uyga vazifa # My_list = ['Dadam: O`ktam ', 'Onam: Dilrabo', 'Akam: Shoxrux', 'O`zim: Abduhalim', 'Ukam: Sardor'] # for elem in My_list: # print(elem) # 2-uyga vazifa # Standart kiruvchi ma'lumotdagi vergul bilan ajratilgan so'zlar ketma-ketligini teskari tartibda chiqaradigan dastur tuzing # Masalan: Ismlar: john, alice, bob # Natija: bob, alice, john # names = input("input the names that you want to reverse: ") # changed = names.split(", ") # tag1 = "Entered inputs are: " # # print(tag1, changed) # changed.reverse() # reverse bu orqadagi elementlarni oldinga ko`chirib beradi! # tag2 = "Reversed inputs are: " # print(tag2, changed) # 3-uyga vazifa # Standart kiruvchi ma'lumotdagi vergul bilan ajratilgan so'zlar ketma-ketligini alifbo tartibida chiqaradigan dastur tuzing # Masalan: Ismlar: john, alice, bob # Natija: alice, bob, john # names = input("input the names that you want to reverse: ") # changed = names.split(", ") # tag1 = "Entered inputs are: " # print(tag1, changed ) # a = input("input the element name of the list: ") # if a == names: # names.count(a) # sort elementi alifbo bo`yicha saralaydi! # tag2 = "Alphabetical ordered inputs are: " # print(tag2, changed) # 4-uyga vazifa # names = input("Please input the names: ") # changed = names.split(sep=", ") # print(changed) # chosen_name = input("input the name you want to find its index: ") # # if chosen_name in changed: # index = changed.index(chosen_name) # print(index) # else: # print("not found in list") # 5-uyga vazifa names = input("Please input the names: ") changed = names.split(sep=", ") chosen_name = input("input the name you want to find its repitation: ") print(changed.count(chosen_name))